web-dev-qa-db-ja.com

ララヴェル。リレーションを持つモデルでscope()を使用する

CategoryPostの2つの関連モデルがあります。

Postモデルには、publishedスコープがあります(メソッドscopePublished())。

そのスコープですべてのカテゴリを取得しようとすると:

$categories = Category::with('posts')->published()->get();

エラーが発生します:

未定義のメソッドpublished()の呼び出し

カテゴリ:

class Category extends \Eloquent
{
    public function posts()
    {
        return $this->HasMany('Post');
    }
}

投稿:

class Post extends \Eloquent
{
   public function category()
   {
       return $this->belongsTo('Category');
   }


   public function scopePublished($query)
   {
       return $query->where('published', 1);
   }

}
83
Ilya Vo

インラインで実行できます:

$categories = Category::with(['posts' => function ($q) {
  $q->published();
}])->get();

リレーションを定義することもできます:

public function postsPublished()
{
   return $this->hasMany('Post')->published();
   // or this way:
   // return $this->posts()->published();
}

その後:

//all posts
$category->posts;

// published only
$category->postsPublished;

// eager loading
$categories->with('postsPublished')->get();
149
Jarek Tkaczyk