PHP的array_map包括键

有没有办法做这样的事情:

$test_array = array("first_key" => "first_value", 

"second_key" => "second_value");

var_dump(array_map(function($a, $b) { return "$a loves $b"; },

array_keys($test_array),

array_values($test_array)));

但是,不是调用array_keysarray_values,而是直接传递$test_array变量?

所需的输出是:

array(2) {

[0]=>

string(27) "first_key loves first_value"

[1]=>

string(29) "second_key loves second_value"

}

回答:

不适用于array_map,因为它不处理键。

array_walk可以:

$test_array = array("first_key" => "first_value",

"second_key" => "second_value");

array_walk($test_array, function(&$a, $b) { $a = "$b loves $a"; });

var_dump($test_array);

// array(2) {

// ["first_key"]=>

// string(27) "first_key loves first_value"

// ["second_key"]=>

// string(29) "second_key loves second_value"

// }

但是,它确实会更改作为参数给定的数组,因此它不完全是函数式编程(因为您有这样标记的问题)。而且,正如注释中指出的那样,这只会更改数组的值,因此键将不是您在问题中指定的键。

如果需要,您可以编写一个函数来固定自己之上的要点,例如:

function mymapper($arrayparam, $valuecallback) {

$resultarr = array();

foreach ($arrayparam as $key => $value) {

$resultarr[] = $valuecallback($key, $value);

}

return $resultarr;

}

$test_array = array("first_key" => "first_value",

"second_key" => "second_value");

$new_array = mymapper($test_array, function($a, $b) { return "$a loves $b"; });

var_dump($new_array);

// array(2) {

// [0]=>

// string(27) "first_key loves first_value"

// [1]=>

// string(29) "second_key loves second_value"

// }

以上是 PHP的array_map包括键 的全部内容, 来源链接: utcz.com/qa/433291.html

回到顶部