Laravel 5.4:路由模型绑定的自定义视图,未找到ID

时间:2017-01-29 22:10:01

标签: php laravel-5.4

当我和Laravel开始交谈时,这应该是一个简单的问题: 当我的路径模型绑定无法找到给定的ID时,如何定义要呈现的自定义视图?

这是我的路线:

Route::get('/empresa/edit/{empresa}', 'EmpresaController@edit');

这是我的控制器方法:

public function edit(Empresa $empresa)
{
    if ((!isset($empresa)) || ($empresa == null)):
        //I get that this won't work...
        return 'Empresa não encontrada';
    endif;

    return view('Empresa.dadosEmpresa')->with('empresa', $empresa)->with('action', URL::route('empresa_update', ['id', $empresa->id]))->with('method', 'PATCH');
}

这是我的尝试"使用错误处理程序:

public function render($request, Exception $exception)
{
    if ($e instanceof ModelNotFoundException)
    {
        //this is just giving me a completely blank response page
        return 'Empresa não encontrada';
    }
    return parent::render($request, $exception);
}

这是怎么做到的?

1 个答案:

答案 0 :(得分:2)

1。正式的方式(但是真的需要以这种方式定制吗?)

首先,Laravel所做的是,如果DB中没有具有给定id的Model Row,它会自动发送404响应。

  

If a matching model instance is not found in the database, a 404 HTTP response will be automatically generated.

因此,如果您想显示自定义视图,则需要自定义错误处理。 所以在RouteServiceProvider文件中,确保它使用第3个参数抛出自定义异常,如下所示:

public function boot()
{
    parent::boot();

    Route::model('empresa', App\Empresa::class, function () {
        throw new NotFoundEmpresaModelException;
    });
}

然后在渲染函数中做同样的事情,就像之前尝试过的那样。

2。随意的方式 - 很容易去

我建议您不要使用模型注入功能,而是自己处理请求。 因此,请按原样获取empresa id值,然后尝试查找正确的数据,如果找不到,则创建自定义逻辑。这应该很容易。

public function edit(Request $request, $empresa)
{
    $empresaObj = Empresa::find($empresa);
    if (!$empresa) {
      return 'Empresa não encontrada';
    }

    return view('Empresa.dadosEmpresa')->with('empresa', $empresa)->with('action', URL::route('empresa_update', ['id', $empresa->id]))->with('method', 'PATCH');
}