3

在我的 Laravel 5.6 应用程序中,我尝试将一个$id变量从我的路由传递到我的数据表的每一列。

我的代码:

 public function getVendorslistChange($id){
    try {
        return Datatables::of($this->purchaseRepository->getVendorListData(),$id)
            ->addColumn('action', function ($vendor,$id) {
                return \Form::open(['method' => 'POST', 'action' => ['PurchaseController@postChangeVendor',$id], 'class' => 'form']) . '
                <input type="hidden" name="id" value="' . $vendor->id . '" />
                <input type="submit" name="submit" value="Choose" class="btn center-block" />
                ' . \Form::close();
            })
            ->make(true);
    } catch (\Exception $e) {
        return $this->redirectWithErrors($e);
    }
}

这部分$this->purchaseRepository->getVendorListData()将返回以下内容:

public function getVendorListData(){
    $this->vendors = Vendor::Select(
        array(
            'vendors.id',
            'vendors.company_name'
        ))
        ->where('vendors.company_id',return_company_id())
        ->where('status','Active')->get()
    ;
    return $this->vendors;
}

但是有错误说,$id不能传递给addColumn.

函数 App\Http\Controllers\PurchaseController::App\Http\Controllers{closure}() 的参数太少,在 /Applications/XAMPP/xamppfiles/htdocs/laravel-project/american_dunnage/vendor/yajra/laravel-datatables 中传递了 1 个-oracle/src/Utilities/Helper.php 在第 64 行,预计正好 2

将这样的参数传递给数据表的每一列的正确方法是什么?

4

1 回答 1

7

如果供应商函数不支持它们,则不应只向它们添加参数。例如,当您调用 时Datatables::of(),源代码显示它只需要一个参数。因此,即使您传递了额外的$id变量,它$id也不会传递给您提供给的回调函数addColumn()。这就是为什么您会看到有关传入的参数太少的错误。

https://github.com/yajra/laravel-datatables/blob/8.0/src/DataTables.php#L33

这样的事情可能会奏效。请注意我是如何告诉回调use的,$id而不是尝试将其直接传递给函数调用:

public function getVendorslistChange($id){
    try {
        return Datatables::of($this->purchaseRepository->getVendorListData())
            ->addColumn('action', function ($vendor) use ($id) {
                return \Form::open(['method' => 'POST', 'action' => ['PurchaseController@postChangeVendor',$id], 'class' => 'form']) . '
                <input type="hidden" name="id" value="' . $vendor->id . '" />
                <input type="submit" name="submit" value="Choose" class="btn center-block" />
                ' . \Form::close();
            })
            ->make(true);
    } catch (\Exception $e) {
        return $this->redirectWithErrors($e);
    }
}

查看文档中的示例 3,了解如何管理匿名函数范围:

http://php.net/manual/en/functions.anonymous.php

于 2018-12-05T20:01:01.020 回答