如何找到数组中对象的最大值?
说我有一个像这样的对象数组:
$data_points = [$point1, $point2, $point3];
,其中
$point1 = new stdClass;
$point1->value = 0.2;
$point1->name = 'Bob';
$point2 = new stdClass;
$point2->value = 1.2;
$point2->name = 'Dave';
$point3 = new stdClass;
$point3->value = 0.8;
$point3->name = 'Steve';
我想做这样的事情:
$max = max_attribute_in_array($data_points, 'value');
我知道我可以使用foreach
迭代数组,但使用内置函数是否有更优雅的方法?
答案 0 :(得分:11)
所有示例都假设$prop
是示例中对象属性的名称,如value
:
function max_attribute_in_array($array, $prop) {
return max(array_map(function($o) use($prop) {
return $o->$prop;
},
$array));
}
array_map
获取每个数组元素并将对象的属性返回到新数组max
的结果为了好玩,您可以在这里传递max
或min
或对数组进行操作的任何内容作为第三个参数:
function calc_attribute_in_array($array, $prop, $func) {
$result = array_map(function($o) use($prop) {
return $o->$prop;
},
$array);
if(function_exists($func)) {
return $func($result);
}
return false;
}
$max = calc_attribute_in_array($data_points, 'value', 'max');
$min = calc_attribute_in_array($data_points, 'value', 'min');
如果使用PHP> = 7,则array_column
适用于对象:
function max_attribute_in_array($array, $prop) {
return max(array_column($array, $prop));
}
以下是评论中的Mark Baker array_reduce
:
$result = array_reduce(function($carry, $o) use($prop) {
$carry = max($carry, $o->$prop);
return $carry;
}, $array, -PHP_INT_MAX);
答案 1 :(得分:1)
试试这个:
$point1 = new stdClass;
$point1->value = 0.2;
$point1->name = 'Bob';
$point2 = new stdClass;
$point2->value = 1.2;
$point2->name = 'Dave';
$point3 = new stdClass;
$point3->value = 0.8;
$point3->name = 'Steve';
$data_points = [$point1, $point2, $point3];
function max_attribute_in_array($data_points, $value='value'){
$max=0;
foreach($data_points as $point){
if($max < (float)$point->{$value}){
$max = $point->{$value};
}
}
return $max;
}
$max = max_attribute_in_array($data_points);
var_dump($max);
响应:
float 1.2