41

我有一个数组,在那个数组中我有一个数组键,看起来像,show_me_160这个数组键可能会改变一点,所以有时页面可能会加载并且数组键可能show_me_120,我现在想要的只是字符串匹配数组键直到最后一个_,以便我可以检查最后一个下划线之后的值是什么?

4

7 回答 7

32

我能想到的一种解决方案:

foreach($myarray as $key=>$value){
  if("show_me_" == substr($key,0,8)){
    $number = substr($key,strrpos($key,'_'));
    // do whatever you need to with $number...
  }
}
于 2010-10-14T10:03:44.960 回答
24

我最近遇到了类似的问题。这就是我想出的:

$value = $my_array[current(preg_grep('/^show_me_/', array_keys($my_array)))];
于 2013-04-08T19:30:06.300 回答
9

您必须遍历数组以分别检查每个键,因为您无法直接查询数组(我假设数组也包含完全不相关的键,但如果不是,您可以跳过该if部分案子):

foreach($array as $k => $v)
{
  if (strpos($k, 'show_me_') !== false)
  {
    $number = substr($k, strrpos($k, '_'));
  }
}

然而,这听起来像是一种非常奇怪的数据存储方式,如果我是你,我会检查是否没有其他方式(更有效)在你的应用程序中传递数据;)

于 2010-10-14T10:08:25.927 回答
6

要在数组键中搜索某些字符串,您可以使用array_filter(); 查看文档

// the array you'll search in
$array = ["search_1"=>"value1","search_2"=>"value2","not_search"=>"value3"];
// filter the array and assign the returned array to variable
$foo = array_filter(
    // the array you wanna search in
    $array, 
    // callback function to search for certain sting
    function ($key){ 
        return(strpos($key,'search_') !== false);
    }, 
    // flag to let the array_filter(); know that you deal with array keys
    ARRAY_FILTER_USE_KEY
);
// print out the returned array
print_r($foo);

如果您在数组值中搜索,您可以使用标志 0 或将标志留空

$foo = array_filter(
    // the array you wanna search in
    $array, 
    // callback function to search for certain sting
    function ($value){ 
        return(strpos($value,'value') !== false);
    }, 
    // flag to let the array_filter(); know that you deal with array value
    0
);

或者

$foo = array_filter(
    // the array you wanna search in
    $array, 
    // callback function to search for certain sting
    function ($value){ 
        return(strpos($value,'value') !== false);
    }
);

如果您在数组值和数组键中搜索,您可以使用标志 ARRAY_FILTER_USE_BOTH

$foo = array_filter(
    // the array you wanna search in
    $array, 
    // callback function to search for certain sting
    function ($value, $key){ 
        return(strpos($key,'search_') !== false or strpos($value,'value') !== false);
    },
    ARRAY_FILTER_USE_BOTH
);

如果您要同时搜索两者,则必须将 2 个参数传递给回调函数

于 2019-01-03T13:03:15.450 回答
4

您还可以使用preg_match基于解决方案:

foreach($array as $str) {
        if(preg_match('/^show_me_(\d+)$/',$str,$m)) {
                echo "Array element ",$str," matched and number = ",$m[1],"\n";
        }
}
于 2010-10-14T10:12:25.360 回答
0

filter_array($array,function ($var){return(strpos($var,'searched_word')!==FALSE);},);

return array 'searched_key' => '分配给键的值'

于 2018-12-17T17:33:53.577 回答
-1
 foreach($myarray as $key=>$value)
    if(count(explode('show_me_',$event_key)) > 1){
         //if array key contains show_me_
    }

更多信息(示例):

如果数组键包含“show_me_”

$example = explode('show_me_','show_me_120');

print_r($example)

Array ( [0] => [1] => 120 ) 

print_r(计数($example))

2 

print_r($example[1])

 120 
于 2016-07-13T10:18:53.150 回答