array_walk()函数是PHP的一个内置函数。array_walk()函数会遍历整个数组,而不考虑指针位置,并将回调函数或用户定义函数应用于数组的每个元素。数组元素的键和值都是回调函数中的参数。
语法:
boolean array_walk(array,myFunction,extraParam)
参数:该函数接受三个参数,如下所述:
array:这是必需的参数,指定输入数组。myFunction:此参数指定用户定义函数的名称,也是必需的。用户定义函数通常接受两个参数,其中第一个参数表示数组的值,第二个参数表示相应的键。extraparam:这是可选参数。它指定除两个参数(数组键和值)之外的用户定义函数的额外参数。
返回值:该函数返回一个布尔值。成功时返回TRUE,失败时返回FALSE。
下面的程序说明了array_walk()函数:
<?php
// PHP program to illustrate array_walk()
// function
// user-defined callback function
function myfunction($value, $key)
{
echo "The key $key has the value $value \n";
}
// Input array
$arr = array("a"=>"yellow", "b"=>"pink", "c"=>"purple");
// calling array_walk() with no extra parameter
array_walk($arr, "myfunction");
?>
output:
The key a has the value yellow
The key b has the value pink
The key c has the value purple
示例2:
<?php
// PHP program to illustrate array_walk()
// function
// user-defined callback function
function myfunction($value, $key, $extraParam)
{
echo "The key $key $extraParam $value \n";
}
// Input array
$arr = array("a"=>"yellow", "b"=>"pink", "c"=>"purple");
// calling array_walk() with extra parameter
array_walk($arr, "myfunction", "has the value");
?>
output:
The key a has the value yellow
The key b has the value pink
The key c has the value purple
示例3:
<?php
// PHP program to illustrate array_walk()
// function
// user-defined callback function to
// update array values - to update array
// values, pass the first parameter by reference
function myfunction(&$value, $key)
{
$value = $value + 10;
}
// Input array
$arr = array("first"=>10, "second"=>20, "third"=>30);
// calling array_walk() with no extra parameter
array_walk($arr, "myfunction");
// printing array after updating values
print_r($arr);
?>
output:
Array
(
[first] => 20
[second] => 30
[third] => 40
)