新手问题 - 我正在尝试使用以'not__'开头的键删除元素。 它的内部laravel项目所以我(可以)使用它的数组函数。 我试图在循环后删除元素。这不会删除任何内容,即它不起作用:
function fixinput($arrinput)
{
$keystoremove = array();
foreach ($arrinput as $key => $value);
{
if (starts_with($key, 'not__'))
{
$keystoremove = array_add($keystoremove, '', $key);
}
}
$arrinput = array_except($arrinput, $keystoremove);
return $arrinput;
}
请注意,它不是数组上的唯一任务。我会亲自试试。 :)
谢谢!
答案 0 :(得分:4)
$filtered = array();
foreach ($array as $key => $value) {
if (strpos($key, 'not__') !== 0) {
$filtered[$key] = $value;
}
}
答案 1 :(得分:2)
使用带有ARRAY_FILTER_USE_KEY
标志的array_filter函数看起来是最好/最快的选项。
$arrinput = array_filter( $arrinput, function($key){
return strpos($key, 'not__') !== 0;
}, ARRAY_FILTER_USE_KEY );
在版本5.6.0之前没有添加标志参数,因此对于旧版本的PHP,for循环可能是最快的选择。
foreach ($arrinput as $key => $value) {
if(strpos($key, 'not__') === 0) {
unset($arrinput[$key]);
}
}
我认为以下方法速度要慢得多,但它只是采用不同的方式。
$allowed_keys = array_filter( array_keys( $arrinput ), function($key){
return strpos($key, 'not__') !== 0;
} );
$arrinput = array_intersect_key($arrinput , array_flip( $allowed_keys ));
功能
if(!function_exists('array_remove_keys_beginning_with')){
function array_remove_keys_beginning_with( $array, $str ) {
if(defined('ARRAY_FILTER_USE_KEY')){
return array_filter( $array, function($key) use ($str) {
return strpos($key, $str) !== 0;
}, ARRAY_FILTER_USE_KEY );
}
foreach ($array as $key => $value) {
if(strpos($key, $str) === 0) {
unset($array[ $key ]);
}
}
return $array;
}
}
答案 2 :(得分:0)
一些PHP-regex fu:
$array = array('not__foo' => 'some_data', 'bar' => 'some_data', 12 => 'some_data', 15 => 'some_data', 'not__taz' => 'some_data', 'hello' => 'some_data', 'not__world' => 'some_data', 'yeah' => 'some_data'); // Some data
$keys = array_keys($array); // Get the keys
$filter = preg_grep('#^not__#', $keys); // Get the keys starting with not__
$output = array_diff_key($array, array_flip($filter)); // Filter it
print_r($output); // Output
<强>输出强>
Array
(
[bar] => some_data
[12] => some_data
[15] => some_data
[hello] => some_data
[yeah] => some_data
)
答案 3 :(得分:-1)
试试这个......
function fixinput($arrinput)
{
$keystoremove = array();
foreach ($arrinput as $key => $value);
{
if (preg_match("@^not__@",$key))
{
$keystoremove = array_add($keystoremove, '', $key);
}
}
$arrinput = array_except($arrinput, $keystoremove);
return $arrinput;
}