对象上的PHP array_filter

问题描述 投票:5回答:5

我试图在一个对象数组上使用array_filter,并使用foo类的公共方法作为回调。我不知道怎么做。

我得到了这个结果:Fatal error: Using $this when not in object context,我可以猜测是因为它以静态方式调用bar方法,但是如何正确地将对象传递给array_filter回调方法?

function foobar_filter($obj) {
    return $obj->bar();
}

class foo {
    private $value;
    public function __construct($value) {
        $this->value = $value;
    }
    public function bar() {
        // checking if $this is set to avoid "using this when not in object yadayada"-message
        if ($this) return ($this->value > 10);
        else return false;
    }
}

$arr = array(new foo(12), new foo(42), new foo(4));
var_dump($arr);

// Here is the workaround that makes it work, but I'd like to use the objects' method directly. This is the result that I am expecting to get from $arr3 as well
$arr2 = array_filter($arr, "foobar_filter");
var_dump($arr2);

// I would like this to work, somehow...
$arr3 = array_filter($arr, array(foo, "bar"));
var_dump($arr3);

所以我期望的结果是一个数组,其中包含类foo的两个对象,其值为12和42。

为了您的信息,我使用的是PHP 5.2.6,但如果可以使用任何PHP版本,我会很高兴。

php object array-filter
5个回答
1
投票

问题是bar方法不是静态的,需要在每个对象上调用。你的foobar_filter方法是要走的路。没有其他办法,因为你需要在每个对象上调用bar(因此每次都让array_filter调用不同的函数),你不能静态地调用它。


2
投票

你可以在array_filter方法中使用Closure(> = PHP 5.3)

$arrX = array_filter($arr, function($element) {
    return $element->bar();
});
var_dump($arrX)

2
投票

我想你可以静静地称它为:

class foo {
    private $value;
    public function __construct($value) {
       $this->value = $value;
    }
    public static function bar($a) {        
        if ($a) return ($a->value > 10);
        else return false;
    }
}

$arr = array(new foo(12), new foo(42), new foo(4));

$arr3 = array_filter($arr, array('foo', "bar"));
var_dump($arr3);

1
投票

如果您使用的是PHP 7.1+,则可以通过以下方式实现目标:

$arr3 = Arr::filterObjects($arr, 'bar');

使用this一个具有有用数组函数的类库。


-1
投票

实际上你可以这样做

array_filter($arr, [$this, 'bar'])
© www.soinside.com 2019 - 2024. All rights reserved.