4

在 Laravel 4 中,我希望创建一组 restful 资源,如下所示:

http://localhost/posts/1/comments   
http://localhost/posts/1/comments/1 
http://localhost/posts/1/comments/1/edit

...
所以我创建了两个控制器:PostsControllerCommentsController(在同一层),路由写如下:

Route::resource('posts', 'PostsController');

Route::resource('posts.comments', 'CommentsController');

我还在 /views/comments/index.blade.php 中创建了一个引用路由的链接:posts.comments.create

{{ link_to_route('posts.comments.create', 'Add new comment') }}

这是我遇到的问题:

当我访问http://localhost/posts/1/comments时,页面抛出MissingMandatoryParametersException,表示:

缺少一些强制参数(“posts”)来生成路由“posts.comments.create”的 URL。

我该如何解决这个问题,我如何知道该解决方案是否也适用于 CommentsController 中的创建和编辑方法?

例如

 public function index()
{
    $tasks = $this->comment->all();

    return View::make('comments.index', compact('comments'));

}

public function create()
    {
       return View::make('comments.create');

    }

public function show($post_id,$comment_id)  
    {  
        $comment = $this->comment->findOrFail($comment_id);  

        return View::make('comments.show', compact('comment'));  

    }
4

1 回答 1

7

我在两个项目中使用嵌套控制器,喜欢它们。问题似乎出在您的控制器和路由链接中。

在 CommentsController 中,缺少 $post_id。做这样的事情:

public function create($post_id)
{
   return View::make('comments.create')
    ->with('post_id', $post_id);
}

创建到嵌套控制器的链接时,必须提供所有祖先的 ID。在这种情况下, $post_id 再次丢失。如果还没有,您可能必须将其提供给您的视图。

{{ HTML::linkRoute('posts.comments.create', 'Add new comment', $post_id) }}
于 2013-05-20T11:27:04.277 回答