我想删除所有$array
包含$str
. $str='foo'
.
我希望删除元素之后的元素“移回”。
例如:
$array = array('1', '0', ' ', '1')
我希望$array[3]
失去其内容,并接收 的内容$array[4]
,该内容将被删除。
Try array_filter
$array=array('a' => '123', 'b' => 34);
$str = '2';
var_dump(
array_filter(
$array, function($element) use ($str) {if(strpos($element, $str) === false) return true;}
)
);
output:
array(1) {
["b"]=>
int(34)
}
If you want replace $str, you should use array_map
var_dump(array_map(
function($element) use ($str) { return str_replace($str, '', $element);}, $array)
);
output:
array(2) {
["a"]=>
string(2) "13"
["b"]=>
string(2) "34"
}
Final solution for next condition "I want the elements which are after the deleted elements to 'shift back'."
$values = array_filter($array, function($element) use ($str) {if(strpos($element, $str) === false) return true;});
$keys = array_slice(array_keys($array), 0, count($values));
var_dump (array_combine($keys, $values));
output:
array(1) {
["a"]=>
int(34)
}
试试这个:
foreach($array as $v => $a) {
if($a == 'foo') {
unset($array[$v]);
}
}
(这当然假设字符串仅包含 'foo')。
$array = preg_grep("/{$str}/i", $array, PREG_GREP_INVERT);