这篇文章将为大家详细讲解有关PHP如何对数组中所有值求和,小编觉得挺实用的,因此分享给大家做个参考,希望大家阅读完这篇文章后可以有所收获。
要对 PHP 数组中所有值求和,有多种方法:
1. 使用 array_sum()
函数
array_sum()
函数接受一个数组作为参数并返回数组中所有值的总和。
<?php
$numbers = [1, 2, 3, 4, 5];
$sum = array_sum($numbers);
echo $sum; // 输出:15
?>
2. 使用 foreach
循环
可以使用 foreach
循环迭代数组中的每个元素,并将其添加到一个累加变量中。
<?php
$numbers = [1, 2, 3, 4, 5];
$sum = 0;
foreach ($numbers as $number) {
$sum += $number;
}
echo $sum; // 输出:15
?>
3. 使用 reduce()
函数
PHP 7.1 及更高版本中引入的 reduce()
函数允许使用回调函数将数组中的每个元素缩减为单个值。要求和,可以使用以下回调函数:
<?php
$numbers = [1, 2, 3, 4, 5];
$sum = array_reduce($numbers, function ($carry, $item) {
return $carry + $item;
}, 0);
echo $sum; // 输出:15
?>
4. 使用箭头函数
PHP 7.4 及更高版本中引入的箭头函数可以简化上面使用 reduce()
函数的示例:
<?php
$numbers = [1, 2, 3, 4, 5];
$sum = array_reduce($numbers, fn ($carry, $item) => $carry + $item, 0);
echo $sum; // 输出:15
?>
5. 使用内联回调函数
也可以使用内联回调函数将 array_reduce()
函数写得更简洁:
<?php
$numbers = [1, 2, 3, 4, 5];
$sum = array_reduce($numbers, "array_sum");
echo $sum; // 输出:15
?>
性能注意事项
在某些情况下,一种方法可能比另一种方法性能更好。对于小数组,array_sum()
函数通常是最快的。对于大数组,reduce()
函数可能更有效率。
以上就是PHP如何对数组中所有值求和的详细内容,更多请关注编程学习网其它相关文章!