所以我有一个名为files
的表,其中包含一个文件列表,其中包含各自的名称,路径和文件类型。然后我有一些其他表,可以附加文件。例如表user_profiles
。最后,我有一个数据透视表,用于文件和其他表之间的“多对多”多态关系。数据透视表名为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%');
}
}
但这似乎不起作用。那么这样做的正确方法是什么?
答案 0 :(得分:4)
我会在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();
}