Laravel. Use escopo () em modelos com relação

101

Tenho dois modelos relacionados: Categorye Post.

O Postmodelo possui um publishedescopo (método scopePublished()).

Quando tento obter todas as categorias com esse escopo:

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

Recebo um erro:

Chamada para método indefinido published()

Categoria:

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

Postar:

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


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

}
Ilya Vo
fonte

Respostas:

178

Você pode fazer isso inline:

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

Você também pode definir uma relação:

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

e depois:

//all posts
$category->posts;

// published only
$category->postsPublished;

// eager loading
$categories->with('postsPublished')->get();
Jarek Tkaczyk
fonte
6
A propósito, se você quiser APENAS onde publicou suas postagens:Category::whereHas('posts', function ($q) { $q->published(); })->get();
tptcat
2
@tptcat sim. Também pode ser Category::has('postsPublished')neste caso
Jarek Tkaczyk
Pergunta limpa, resposta limpa!
Mojtaba Hn