array_sum

(PHP 4 >= 4.0.4, PHP 5, PHP 7, PHP 8)

array_sum 对数组中所有值求和

说明

array_sum(array $array): int|float

array_sum() 将数组中的所有值相加,并返回结果。

参数

array

输入的数组。

返回值

所有值的和以整数或浮点数的结果返回,array 为空时则返回 0

更新日志

版本 说明
8.3.0 array 值不能转换为 intfloat 时,现在会发出 E_WARNING。之前会忽略 arrayobject,而其它的值会转换为 int。此外,现在也会转换定义了数字转换的对象(比如 GMP)而不是忽略它。

示例

示例 #1 array_sum() 例子

<?php
$a
= array(2, 4, 6, 8);
echo
"sum(a) = " . array_sum($a) . "\n";

$b = array("a" => 1.2, "b" => 2.3, "c" => 3.4);
echo
"sum(b) = " . array_sum($b) . "\n";
?>

以上示例会输出:

sum(a) = 20
sum(b) = 6.9

添加备注

用户贡献的备注 2 notes

up
22
rodrigo at adboosters dot com
3 years ago
If you want to calculate the sum in multi-dimensional arrays:<?phpfunction array_multisum(array $arr): float {    $sum = array_sum($arr);    foreach($arr as $child) {        $sum += is_array($child) ? array_multisum($child) : 0;    }    return $sum;}?>Example:<?php$data = [    'a' => 5,    'b' =>     [        'c' => 7,         'd' => 3    ],    'e' => 4,    'f' =>     [        'g' => 6,        'h' =>         [            'i' => 1,            'j' => 2        ]    ]];echo array_multisum($data);//output: 28?>
up
1
harl at gmail dot com
2 years ago
array_sum() doesn't "ignore strings if they are not convertible", it converts them to zero. array_product() does the same thing, where the difference between "ignoring" and "converting to zero" is much more obvious.
To Top