在我的数据库中,我有:
>顶部表
>帖子表
> tops_has_posts表.
当我在tops表上检索顶部时,我还检索与顶部相关的帖子.
但是,如果我想按特定顺序检索这些帖子怎么办?
所以我在我的数据透视表tops_has_posts中添加了一个范围字段,我尝试使用Eloquent按结果排序,但它不起作用.
我试试这个:
$top->articles()->whereHas('articles',function($q) { $q->orderBy('range','ASC'); })->get()->toArray();
还有这个 :
$top->articles()->orderBy('range','ASC')->get()->toArray();
两人都是绝望的尝试.
先感谢您.
有两种方法 – 一种是指定table.field,另一种是使用Eloquent别名pivot_field如果你使用withPivot(‘field’):
原文链接:https://www.f2er.com/laravel/135254.html// if you use withPivot public function articles() { return $this->belongsToMany('Article','tops_has_posts')->withPivot('range'); } // then: (with not whereHas) $top = Top::with(['articles' => function ($q) { $q->orderBy('pivot_range','asc'); }])->first(); // or get() or whatever
这将起作用,因为Eloquent将withPivot中提供的所有字段别名为pivot_field_name.
现在,通用解决方案:
$top = Top::with(['articles' => function ($q) { $q->orderBy('tops_has_posts.range','asc'); }])->first(); // or get() or whatever // or: $top = Top::first(); $articles = $top->articles()->orderBy('tops_has_posts.range','asc')->get();
这将订购相关的查询.