您必须以某种方式遍历数组并按条件过滤每个元素。这可以通过各种方法完成。
使用所需的任何循环遍历数组,可以是 、或 。然后,只需检查您的条件,如果元素不符合您的条件,则取消set()
它们,或者将满足条件的元素写入新数组中。while
for
foreach
循环
//while loop
while(list($key, $value) = each($array)){
//condition
}
//for loop
$keys = array_keys($array);
for($counter = 0, $length = count($array); $counter < $length; $counter++){
$key = $keys[$counter];
$value = $array[$key];
//condition
}
//foreach loop
foreach($array as $key => $value){
//condition
}
条件
只需将您的条件放入注释所在的循环中即可。条件可以只检查您想要的任何内容,然后您可以检查不符合您条件的元素,并根据需要使用array_values()
重新索引数组,或者将元素写入满足条件的新数组中。//condition
unset()
//Pseudo code
//Use one of the two ways
if(condition){ //1. Condition fulfilled
$newArray[ ] = $value;
//↑ Put '$key' there, if you want to keep the original keys
//Result array is: $newArray
} else { //2. Condition NOT fulfilled
unset($array[$key]);
//Use array_values() after the loop if you want to reindex the array
//Result array is: $array
}
另一种方法是使用内置函数。它通常与具有简单循环的方法几乎相同。array_filter()
如果要将元素保留在数组中,并且要将元素从结果数组中删除,则只需返回。TRUE
FALSE
//Anonymous function
$newArray = array_filter($array, function($value, $key){
//condition
}, ARRAY_FILTER_USE_BOTH);
//Function name passed as string
function filter($value, $key){
//condition
}
$newArray = array_filter($array, "filter", ARRAY_FILTER_USE_BOTH);
//'create_function()', NOT recommended
$newArray = array_filter($array, create_function('$value, $key', '/* condition */'), ARRAY_FILTER_USE_BOTH);
preg_grep()
类似于它只使用正则表达式来筛选数组。因此,您可能无法使用它执行所有操作,因为您只能使用正则表达式作为过滤器,并且只能按值或按键使用更多代码进行过滤。array_filter()
另请注意,您可以将标志作为第三个参数传递以反转结果。PREG_GREP_INVERT
//Filter by values
$newArray = preg_grep("/regex/", $array);
常见病症
有许多常用条件用于筛选数组,其中所有条件都可以应用于数组的值和/或键。我在这里只列出其中的一些:
//Odd values
return $value & 1;
//Even values
return !($value & 1);
//NOT null values
return !is_null($value);
//NOT 0 values
return $value !== 0;
//Contain certain value values
return strpos($value, $needle) !== FALSE; //Use 'use($needle)' to get the var into scope
//Contain certain substring at position values
return substr($value, $position, $length) === $subString;
//NOT 'empty'(link) values
array_filter($array); //Leave out the callback parameter