是否有一个函数我可以给一个数组,如果提供的函数为所有函数返回true,它将返回true?
theFunction(array(1,2,3) , 'is_numeric') //true
theFunction(array(1,"b",3) , 'is_numeric') //false
答案 0 :(得分:5)
不,但您可以使用array_reduce
:
array_reduce(array(1,2,3),
function ($a, $v) { return $a && is_numeric($v); }, true);
您当然可以构建自己的高阶函数:
function for_all(array $arr, $func) {
return array_reduce($arr,
function ($a, $v) use ($func) {
return $a && call_user_func($func, $v);
}, true);
}
var_dump(
for_all(array(1,2,3), 'is_numeric')
); //true
答案 1 :(得分:4)
array_filter()
完成工作:
$data = array(1, 2, 3);
if ($data === array_filter($data, 'is_numeric'))
{
// all values of $data are numeric
}
答案 2 :(得分:2)
/**
* all in collection?
*
* Passes each element of the collection to the given function. The method
* returns true if the function never returns false or null.
*
* If the function is not given, an implicit
* function ($v) { return ($v !== null && $v !== false) is added
* (that is all() will return true only if none of the collection members are false or null.)
*
* @param array $arr input array
* @param function $lambda takes an element, returns a bool (optional)
* @return boolean
*/
function all($arr, $lambda=null) {
// these differ from PHP's "falsy" values
if (!is_callable($lambda)) {
foreach ($arr as $value)
if ($value === false || $value === null)
return false;
} else {
foreach ($arr as $value)
if (!call_user_func($lambda, $value))
return false;
}
return true;
}
这取自Ruby的枚举<{3}}
你可以这样称呼:
var_dump(all($array, 'is_numeric'));
var_dump(all($array, 'is_string'));
var_dump(all($array, function($x) { return $x != 'fun';})); // PHP >= 5.3.0
答案 3 :(得分:2)
如果您不介意效率并且更关心简单性,则可以使用min
和array_map
而无需创建新功能。
(bool)min(array_map('is_numeric', array(1,2,3))); //true
(bool)min(array_map('is_numeric', array(1,"b",3))); //false
此外,如果你认为这个过程是找不到 符合模式的过程,你可以将它重写一点。
!array_filter('is_not_numeric', array(1,2,3)); //true
!array_filter('is_not_numeric', array(1,"b",3)); //true
答案 4 :(得分:-1)
这是根据验证规则验证值或仅使用callables的函数:PHP函数或闭包的名称。
/**
* Returns true if $value matches $pattern
*
* @param $value
* @param string $pattern
*
* @return bool
*
* @see https://github.com/ptrofimov/matchmaker - ultra-fresh PHP matching functions
* @author Petr Trofimov <petrofimov@yandex.ru>
*/
function matcher($value, $pattern)
{
$args = [];
if (($p = ltrim($pattern, ':')) != $pattern) foreach (explode(' ', $p) as $name) {
if (substr($name, -1) == ')') {
list($name, $args) = explode('(', $name);
$args = explode(',', rtrim($args, ')'));
}
if (is_callable(rules($name))) {
if (!call_user_func_array(rules($name), array_merge([$value], $args))) {
return false;
}
} elseif (rules($name) !== $value) {
return false;
}
} else {
return $pattern === '' || $value === $pattern;
}
return true;
}
您可以将它与准备好的一组验证规则一起使用,在项目匹配器中实现:https://github.com/ptrofimov/matchmaker