web-dev-qa-db-fra.com

Laravel. Utilisez scope () dans les modèles avec relation

J'ai deux modèles liés: Category et Post.

Le modèle Post a une portée published (méthode scopePublished()).

Lorsque j'essaie d'obtenir toutes les catégories de cette envergure:

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

Je reçois une erreur:

Appel à la méthode non définie published()

Catégorie:

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

Post:

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


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

}
83
Ilya Vo

Vous pouvez le faire en ligne:

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

Vous pouvez également définir une relation:

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

puis:

//all posts
$category->posts;

// published only
$category->postsPublished;

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