Laravel多态关系:将模型传递给控制器

时间:2016-11-02 19:50:37

标签: php laravel laravel-5 polymorphism

我想使用单个控制器来保存我对多个模型的评论。所以我创建了CommentController,使用以下存储方法:

public function store(Teacher $teacher, Request $request)
    {    
        $input = $request->all();

        $comment = new Comment();

        $comment->user_id = Auth::user()->id;
        $comment->body = $input['body'];

        $teacher->comments()->save($comment);

        return redirect()->back();
    }

在我看来,我有:

{!! Form::open([
    'route' => ['teachers.comments.store', $teacher->id]
]) !!}

这很有效。如果我想使用相同的CommentController存储学校的注释,我应该如何修改控制器的存储方法?

3 个答案:

答案 0 :(得分:2)

我不确定这是否是Laravel的召唤,但我做了以下事情:

制定路线:

Route::post('/Comment/{model}/{id}', [
    // etc
]);

然后在控制器中获取模型并检查允许的模型数组,传递id并附加:

public function store(Request $request, $model, $id) {
    $allowed = ['']; // list all models here

    if(!in_array($model, $allowed) {
        // return redirect back with error
    }

    $comment = new Comment();
    $comment->user_id = $request->user()->id;
    $comment->commentable_type = 'App\\Models\\'.$model;
    $comment->commentable_id = $id;
    $comment->body = $request->body;
    $comment->save();

    return redirect()->back();
}

就像我说的那样,最有可能实现更好的方法,但这就是我做到的方式。它保持简短和甜蜜,并检查模型是否可以发表评论。

答案 1 :(得分:2)

Adam的解决方案很棒,但我不会用这种方式硬编码模型的命名空间。相反,我要做的是使用Laravel的Relation::morphMap(),你可以在这里查看:https://laravel.com/docs/5.6/eloquent-relationships#polymorphic-relations

这样,您还可以使您的数据库条目更具可读性。我建议使用服务提供商来映射变形。

此外,Model基类具有getMorphClass()方法,因此不是。{ $comment->commentable_type = 'App\\Models\\'.$model; 我会用 $comment->commentable_type = $model->getMorphClass();

这样就可以将Laravel的逻辑集成到您的代码中。

答案 2 :(得分:0)

如果你愿意的话我实施了这种方式,根据我的说法,这是实现这一目标的最佳方式之一。

// Route::post('/comments/{model}/{id}', 'CommentController@store');
class CommentController extends Controller {

protected $model;

public function __construct()
{
    $this->model = Relation::getMorphedModel(
        request()->route()->parameter('model')
    );
}

/**
 * Store a newly created resource in storage.
 *
 * @param  \Illuminate\Http\Request  $request
 * @return \Illuminate\Http\Response
 */
public function store(Request $request)
{
    dd($this->model); // return 'App\Post' or null
}

}