在具有关系的模型中使用 scope()

我有两个相关的型号: CategoryPost

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);
}


}
105792 次浏览

你可以直接做:

$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();