filter array by key

可紊 提交于 2019-12-13 07:11:18

问题


I have this little function to filter my array by keys:

 private function filterMyArray( )
 {
      function check( $v )
      {
           return $v['type'] == 'video';
      }
      return array_filter( $array, 'check' );
 }

This works great but since I have more keys to filter, I was thinking in a way to pass a variable from the main function: filterMyArray($key_to_serch) without success, also I've tried a global variable, but seems not work.

Due some confusion in my question :), I need something like this:

 private function filterMyArray( $key_to_serch )
 {
      function check( $v )
      {
           return $v['type'] == $key_to_serch;
      }
      return array_filter( $array, 'check' );
 }

Any idea to pass that variable?


回答1:


This is where anonymous functions in PHP 5.3 come in handy (note the use of use):

private function filterMyArray($key)
{
     return array_filter(
         $array,
         function check($v) use($key) {
             return $v['type'] == $key;
         }
     );
}



回答2:


private function filterMyArray($key_to_search) {
  function check( $v ) {
       return $v[$key_to_search] == 'video';
  }
  return array_filter( $array, 'check' );
}

should work because the inner function has access to the variables in the outer function




回答3:


You need to use the use keyword to get the variable in scope, c.f. this example in php's doc.




回答4:


Here's a PHP < 5.3 version using create_function.

private function filterMyArray( $key)
{
      $fn = create_function( '$v', "return $v[$key] == 'video';");
      return array_filter( $array, $fn);
}


来源:https://stackoverflow.com/questions/8440073/filter-array-by-key

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!