首页 文章

在Laravel中获取文章ID的用户名和评论

提问于
浏览
1

我有3个表用户,评论和文章 . 我有这样的路线:

Route::get('/article/{id}', 'ArticlesController@view');

我想要的是当我访问该路线时,我会在本文中获得用户名及其评论 .

所以这是在ArticlesController中我的视图功能:

public function view($id){
        $article = Article::with('comments')->find($id);
        return view('front.single',compact('article'));
}

这是我的single.blade.php代码:

<div class="single-grid">
      @section('content')
         <h1>{{ $article->title }}</h1>
         <p>{{ $article->content }}</p>
      @show
</div>          

<div class="comment-list">
@foreach($article->comments as $comment)
    <ul class="comment-list">
    <div class="comment-grid">
        <img src="/images/avatar.png" alt=""/>
        <div class="comment-info">
            <h4>{{ $comment->user->name }}</h4>
            <p>{{ $comment->comment }}</p>
            <h5>{{ $comment->created_at->diffForHumans() }}</h5>
            <a href="#">Reply</a>
        </div>
        <div class="clearfix"></div>
    </div>
</ul>
@endforeach
</div>

我不知道怎么做,因为它给我这样的错误:

"Call to undefined relationship [comment] on model [App\User]."

我已经在每个模型中定义了关系 . 这是我的文章模型:

public function comments(){
    return $this->hasMany(Comment::class);
}

public function user(){
    return $this->belongsTo(User::class);
}

我的评论模型:

public function article(){
    $this->belongsTo(Article::class);
}
public function user(){
    $this->belongsTo(User::class);
}

这是我的用户模型:

public function articles(){
    return $this->hasMany(Article::class);
}
public function comments()
{
    return $this->hasMany(Comment::class);
}
public function publish(Article $article){
    $this->articles()->save($article);
}

这是我的表结构: - users (id,name,email,password,remember_token,created_at,updated_at) - comments (id,user_id,article_id,comment,created_at,updated_at) - articles (id,user_id,title,content,created_at,的updated_at)

那么我怎样才能通过这条路线使用用户名呢?谢谢 .

2 回答

  • 0

    在您的评论模型中,您需要将文章替换为文章

    public function article(){
            $this->belongsTo(Article::class);
        }
    

    此外,如果您想获得用户特定的注释,则需要更改控制器操作代码

    $article = Article::with('user.comment')->find($id) to
    $article = Article::with('user.comments')->find($id);
    
  • 3

    我认为您的问题来自于使用 compact 函数:数组传递给视图而不是对象 .
    你能这样试试吗:

    // Controller
    public function view($id) {
        $article = Article::findOrFail($id);
        return view('front.single', $article);
    }
    
    <!-- View -->
    @foreach($article->comments as $comment)
        {{ $comment->user->name }}
        {{ $comment->comment }}
        {{ $comment->created_at->diffForHumans() }}
    @endforeach
    

相关问题