对象上的PHP array_filter

时间:2012-06-13 14:28:52

标签: php object array-filter

我正在尝试在对象数组上使用array_filter,并使用foo-class的公共方法作为回调。我不知道怎么做。

我得到了这个结果:我可以猜到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版本,我会很高兴。

5 个答案:

答案 0 :(得分:2)

你可以在array_filter方法中使用Closure(> = PHP 5.3),就像这样

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

答案 1 :(得分: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);

答案 2 :(得分:1)

问题是bar方法不是静态的,需要在每个对象上调用。您的foobar_filter方法是可行的方法。没有别的方法,因为你需要在每个对象上调用bar(因此每次都使array_filter调用一个不同的函数),你不能静态地调用它。 / p>

答案 3 :(得分:1)

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

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

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

答案 4 :(得分:-1)

实际上你可以这样做

array_filter($arr, [$this, 'bar'])