Laravel 4.2:如何在Laravel中使用SUM的顺序

时间:2015-03-25 05:13:37

标签: php laravel eloquent

我有3张桌子:

Posts  
--id   
--post  
Points  
--id  
--user_id
--post_id  
--points     
User(disregard)
--id
--username

我的模特是这样的。

Class Posts extends Eloquent {
   function points(){
       return $this->hasMany('points', 'post_id');
   }
}

Class Points extends Eloquent {
function posts() {
    return $this->belongsTo('posts', 'post_id');
}

我如何订购,以便返回的结果将以最高点数排序。我还需要知道如何获得每个帖子的点数总和。

Post_id | Post | Points<-- SumPoints
5       |Post1 | 100
3       |Post2 | 51
1       |Post3 | 44
4       |Post4 | 32

这是我的代码:

$homePosts = $posts->with("filters")
            ->with(array("points" => function($query) {
                    $query->select()->sum("points");
            }))->groupBy('id')
            ->orderByRaw('SUM(points) DESC')
            ->paginate(8);  

我是否知道如何使用查询构建器和/或模型关系来解决它

2 个答案:

答案 0 :(得分:3)

雄辩的方式:

$posts = Post::leftJoin('points', 'points.post_id', '=', 'posts.id')
   ->selectRaw('posts.*, sum(points.points) as points_sum')
   ->orderBy('points_sum', 'desc')
   ->paginate(8);

Query\Builder方式完全相同,只有结果不是Eloquent模型。

答案 1 :(得分:2)

我认为以下查询构建器应该让您入门..

DB::table('posts')
    ->join('points', 'posts.id', '=', 'points.post_id')
    ->orderBy('sum(points)')
    ->groupBy('points.post_id')
    ->select('points.post_id', 'posts.post', 'sum(points.points) as points')
    ->paginate(8)
    ->get();