一种更短的方法来对数组的键而不是值进行匹配
<?php
function preg_grep_keys($pattern, $input, $flags = 0) {
return array_intersect_key($input, array_flip(preg_grep($pattern, array_keys($input), $flags)));
}
?>
(PHP 4, PHP 5, PHP 7, PHP 8)
preg_grep — 返回匹配模式的数组条目
返回一个使用 array
数组中的键进行索引的数组,或者在失败时返回 false
。
如果传递的正则表达式模式无法编译成有效的正则表达式,则会发出 E_WARNING
。
示例 #1 preg_grep() 示例
<?php
// 返回所有包含浮点数的数组元素
$fl_array = preg_grep("/^(\d+)?\.\d+$/", $array);
?>
一种更短的方法来对数组的键而不是值进行匹配
<?php
function preg_grep_keys($pattern, $input, $flags = 0) {
return array_intersect_key($input, array_flip(preg_grep($pattern, array_keys($input), $flags)));
}
?>
对数组的键而不是值进行匹配
<?php
function preg_grep_keys( $pattern, $input, $flags = 0 )
{
$keys = preg_grep( $pattern, array_keys( $input ), $flags );
$vals = array();
foreach ( $keys as $key )
{
$vals[$key] = $input[$key];
}
return $vals;
}
?>
这对于大多数经验丰富的开发者来说可能是显而易见的,但以防万一,当使用 preg_grep 检查白名单项时,必须非常小心地明确定义正则表达式的边界,否则它将失败
<?php
$whitelist = ["home","dashboard","profile","group"];
$possibleUserInputs = ["homd","hom","ashboard","settings","group"];
foreach($possibleUserInputs as $input)
{
if(preg_grep("/$input/i",$whitelist)
{
echo $input." whitelisted";
}else{
echo $input." flawed";
}
}
?>
这将导致
homd flawed
hom whitelisted
ashboard whitelisted
settings flawed
group whitelisted
我认为这是因为如果没有明确定义边界,preg_grep 会在整个数组中查找子字符串的任何实例,如果找到则返回 true。这不是我们想要的,所以必须定义边界。
<?php
foreach($possibleUserInputs as $input)
{
if(preg_grep("/^$input$/i",$whitelist)
{
echo $input." whitelisted";
}else{
echo $input." flawed";
}
}
?>
这将导致
homd flawed
hom flawed
ashboard flawed
settings flawed
group whitelisted
in_array() 也会给出后面的结果,但如果搜索不区分大小写(这种情况在 70% 的时间里都是如此),则需要一些调整。