PHP – 获取以特定string开头的数组中的所有密钥

我有一个数组,看起来像这样:

array( 'abc' => 0 'foo-bcd' => 1 'foo-def' => 1 'foo-xyz' => 0 ... ) 

我怎样才能得到以foo-开头的元素?

 $arr_main_array = array('foo-test' => 123, 'other-test' => 456, 'foo-result' => 789); foreach($arr_main_array as $key => $value){ $exp_key = explode('-', $key); if($exp_key[0] == 'foo'){ $arr_result[] = $value; } } if(isset($arr_result)){ print_r($arr_result); } 

function方法:

http://php.net/array_filter的注释中select一个;array_filter_keytypes的函数,或者编写你自己的。 那么你可以这样做:

 $array = array_filter_key($array, function($key) { return strpos($key, 'foo-') === 0; }); 

程序方法:

 $only_foo = array(); foreach ($array as $key => $value) { if (strpos($key, 'foo-') === 0) { $only_foo[$key] = $value; } } 

使用对象的程序方法:

 $i = new ArrayIterator($array); $only_foo = array(); while ($i->valid()) { if (strpos($i->key(), 'foo-') === 0) { $only_foo[$i->key()] = $i->current(); } $i->next(); } 

我就是这样做的,尽pipe在理解你想要用你得到的价值来做什么之前,我不能给你一个更有效率的build议。

 $search = "foo-"; $search_length = strlen($search); foreach ($array as $key => $value) { if (substr($key, 0, $search_length) == $search) { ...use the $value... } } 

从PHP 5.3可以使用preg_filter函数: 这里

 $unprefixed_keys = preg_filter('/^foo-(.*)/', '$1', array_keys( $arr )); // Result: // $unprefixed_keys === array('bcd','def','xyz') 
 foreach($arr as $key => $value) { if(preg_match('/^foo-/', $key)) { // You can access $value or create a new array based off these values } } 

修改eriscofunction方法,

 array_filter($signatureData[0]["foo-"], function($k) { return strpos($k, 'foo-abc') === 0; }, ARRAY_FILTER_USE_KEY); 

这对我工作。

简单地说,我使用array_filter函数来实现解决scheme,如下所示

 <?php $input = array( 'abc' => 0, 'foo-bcd' => 1, 'foo-def' => 1, 'foo-xyz' => 0, ); $filtered = array_filter($input, function ($key) { return strpos($key, 'foo-') === 0; }, ARRAY_FILTER_USE_KEY); print_r($filtered); 

产量

 Array ( [foo-bcd] => 1 [foo-def] => 1 [foo-xyz] => 0 ) 

现场检查https://3v4l.org/lJCse