我有一个多维数组,如下所示:
Array(
[0] => Array
(
[name] => item 1
[quantity] => 2
[price] => 20.00
)
[1] => Array
(
[name] => item 2
[quantity] => 1
[price] => 15.00
)
[2] => Array
(
[name] => item 3
[quantity] => 4
[price] => 2.00
)
)
我需要所有这些项目的“总计”。现在很明显我可以通过以下方式获得这些:
$grand_total = 0;
foreach ($myarray as $item) {
$grand_total += $item['price'] * $item['quantity'];
}
echo $grand_total;
我的问题是 - 可以使用PHP中的任何数组函数在较少的代码行中完成吗?
答案 0 :(得分:6)
没有。你必须定义一个回调函数来使用array_reduce
。这甚至会变得更长,但可以使代码更好地重复使用。
function sum_total_price_of_items($sum, $item) {
return $sum + $item['price'] * $item['quantity']
}
echo array_reduce($myarray, "sum_total_price_of_items", 0)
答案 1 :(得分:1)
如果你使用PHP> = 5.3(lambda函数需要),那么array_reduce
解决方案会更短:
$input = array(
array(
'name' => 'item 1',
'quantity' => '2',
'price' => 20.00,
),
array(
'name' => 'item 2',
'quantity' => '1',
'price' => 15.00,
),
array(
'name' => 'item 3',
'quantity' => '4',
'price' => 2.00,
),
);
$total = array_reduce($input,
function($subtotal, $row) {
return $subtotal + $row['quantity'] * $row['price'];
});
答案 2 :(得分:1)
我喜欢这个:
function GrandTotal($temb, $grand=0) {
return ($current=array_pop($temb)) ? GrandTotal($temb, $grand + $current['price'] * $current['quantity']) : $grand;
}
echo GrandTotal($myarray);