如何为 Laravel 5 中的关系添加默认范围/条件?
How can I add default scope / conditions on a relationship in Laravel 5?
所以我有一个名为 files
的 table,它包含一个文件列表以及它们各自的名称、路径和文件类型。然后我还有一些其他 tables,可以附加文件。例如 table user_profiles
。最后,对于文件和其他 table 之间的多对多多态关系,我有一个枢轴 table。枢轴 table 称为 fileables
(想不出更好的名称)。现在,用户可能会在他们的个人资料中附加一些图片,可能还有一些视频,它们都来自文件。
通常情况下,如果只是图片,我会这样做:
class UserProfile extends Model {
public function images()
{
return $this->morphToMany('App\File', 'fileable');
}
}
但是,由于是图片和视频,我想做这样的事情:
class UserProfile extends Model {
public function images()
{
return $this->morphToMany('App\File', 'fileable')->where('type', 'LIKE', 'image%');
}
public function videos()
{
return $this->morphToMany('App\File', 'fileable')->where('type', 'LIKE', 'video%');
}
}
但这似乎不起作用。那么正确的做法是什么?
我会在你的 File
模型上创建范围:
public function scopeImages($query)
{
return $query->where('type', 'LIKE', 'image/%');
}
public function scopeVideos($query)
{
return $query->where('type', 'LIKE', 'video/%');
}
然后在您的 UserProfile
模型中使用它们:
public function images()
{
return $this->morphToMany('App\File', 'fileable')->images();
}
public function videos()
{
return $this->morphToMany('App\File', 'fileable')->videos();
}
所以我有一个名为 files
的 table,它包含一个文件列表以及它们各自的名称、路径和文件类型。然后我还有一些其他 tables,可以附加文件。例如 table user_profiles
。最后,对于文件和其他 table 之间的多对多多态关系,我有一个枢轴 table。枢轴 table 称为 fileables
(想不出更好的名称)。现在,用户可能会在他们的个人资料中附加一些图片,可能还有一些视频,它们都来自文件。
通常情况下,如果只是图片,我会这样做:
class UserProfile extends Model {
public function images()
{
return $this->morphToMany('App\File', 'fileable');
}
}
但是,由于是图片和视频,我想做这样的事情:
class UserProfile extends Model {
public function images()
{
return $this->morphToMany('App\File', 'fileable')->where('type', 'LIKE', 'image%');
}
public function videos()
{
return $this->morphToMany('App\File', 'fileable')->where('type', 'LIKE', 'video%');
}
}
但这似乎不起作用。那么正确的做法是什么?
我会在你的 File
模型上创建范围:
public function scopeImages($query)
{
return $query->where('type', 'LIKE', 'image/%');
}
public function scopeVideos($query)
{
return $query->where('type', 'LIKE', 'video/%');
}
然后在您的 UserProfile
模型中使用它们:
public function images()
{
return $this->morphToMany('App\File', 'fileable')->images();
}
public function videos()
{
return $this->morphToMany('App\File', 'fileable')->videos();
}