在 Laravel 回调中使用匿名 PHP 函数作为变量

Using anonymous PHP function as variable in Laravel callback

我 运行在 Laravel 中使用以下代码在我的 Product 模型上加载各种关系:

$product->load([
        'skus' => function($query){

                $query->select($this->skuFields)->with([

                        'uniqueItem' => function($query){
                                // <----------reuse the code below--------->
                                $query->with([
                                        'fulfillmentCenterUniqueItems',
                                        'products' => function($query){

                                                $query->select($this->productFields)->with([
                                                        'skus' => function($query){
                                                                $query->select($this->skuFields);
                                                        }
                                                ]);
                                        },
                                        'skus' => function($query){
                                                $query->select($this->skuFields);
                                        }
                                ]);
                               // <----------reuse the code above--------->
                        }
                ]);
        },
        'uniqueItem' => function($query) {

                //need to reuse code here
        },
]);

从我在代码中的注释可以看出,有一个地方我想重用一些代码,所以我希望把它放在一个函数中,然后重用它。

因此,我做了以下操作:

$uniqueItemLoadFunction = function($query)
{

        $query->with([
                'fulfillmentCenterUniqueItems',
                'products' => function($query){

                        $query->select($this->productFields)->with([
                                'skus' => function($query){
                                        $query->select($this->skuFields);
                                }
                        ]);
                },
                'skus' => function($query){
                        $query->select($this->skuFields);
                }
        ]);
};

$product->load([
            'skus' => function($query) use ($uniqueItemLoadFunction){

                    $query->select($this->skuFields)->with([

                            'uniqueItem' => $uniqueItemLoadFunction($query)
                    ]);
            },
            'uniqueItem' => function($query) {

                    //need to reuse code here
            },
    ]);

但是,我现在收到 BadMethodCallException:

Call to undefined method Illuminate\Database\Query\Builder::fulfillmentCenterUniqueItems()

当代码是 运行 原来的方式时,不会发生此错误。这让我觉得我没有正确使用匿名函数。我怎样才能完成这项工作?

你走对了。 但是:uniqueItem-key 需要一个函数。但是您实际上是立即调用该函数,并且只将返回的值返回给键(在本例中为 null)。当现在 laravel 尝试执行给定的函数时,它会尝试执行 null() 这是不可能的。

长话短说:删除括号

'uniqueItem' => $uniqueItemLoadFunction

这样您就可以将函数的引用分配给键,而不是返回值。