how to get top 3 values in php array and their index

你离开我真会死。 提交于 2021-01-20 04:28:26

问题


I want to get the highest value, the second highest value and the third highest value

For example, I have an array like:

$n = array(100,90,150,200,199,155,15,186);

I know the method to get the max value and its index:

echo max($n); //200 $maxs = array_keys($n, max($n)); echo $maxs[0]; //3

I want to get the top 3 values and their index like : value: 200, 199, 186 index:3,4,7

How can i get them?


回答1:


Try this:

$n = array(100,90,150,200,199,155,15,186);
rsort($n);
$top3 = array_slice($n, 0, 3);
echo 'Values: ';
foreach ($top3 as $key => $val) {
 echo "$val\n";
}
echo '<br>';
echo 'Keys: ';
foreach ($top3 as $key => $val) {
echo "$key\n";
}

Output:

Values: 200 199 186 
Keys: 0 1 2



回答2:


This should do the trick:

function maxNitems($array, $n = 3){
    asort($array);
    return array_slice(array_reverse($array, true),0,$n, true);
}

Use like:

maxNitems(array(100,90,150,200,199,155,15,186));



回答3:


$n = array(100,90,150,200,199,155,15,186);
arsort($n);

$x = 0;
while (++$x <= 3)
{
    $key = key($n);
    $value = current($n);
    next($n);
    echo "Key : " . $key . " Value  : " . $value . '<br>' ;
}



回答4:


You can achieve it by using arsort() and array_keys() functions:

  • arsort() sorts an array in reverse order and maintains index association
  • array_keys() returns all the keys or a subset of the keys of an array

Process array:

$n = array(100,90,150,200,199,155,15,186);
arsort($n);
$keys = array_keys($n);

Get top 3 values:

echo $n[$keys[0]];
echo $n[$keys[1]];
echo $n[$keys[2]];



回答5:


Easier I would think:

arsort($n);
$three = array_chunk($n, 3, true)[0];
//or
$three = array_slice($n, 0, 3, true);


来源:https://stackoverflow.com/questions/23326021/how-to-get-top-3-values-in-php-array-and-their-index

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!