如何在Laravel 4中对多列使用Order By?


230

我想通过使用orderBy()Laravel Eloquent中的方法对Laravel 4中的多列进行排序。查询将使用Eloquent生成,如下所示:

SELECT *
FROM mytable
ORDER BY
  coloumn1 DESC, coloumn2 ASC

我怎样才能做到这一点?


很简单。User::orderBy('name', 'DESC') ->orderBy('email', 'ASC') ->get();
我是最愚蠢的人

Answers:


372

只需orderBy()根据需要调用多次。例如:

User::orderBy('name', 'DESC')
    ->orderBy('email', 'ASC')
    ->get();

产生以下查询:

SELECT * FROM `users` ORDER BY `name` DESC, `email` ASC

16
如果我们可以通过这样的数组,那就User::orderBy(array('name'=>'desc', 'email'=>'asc'))
更好了

10
@FireCoding,您可以做$user->orders = array(array('column' => 'name', 'direction' => 'desc'), array('column' => 'email', 'direction' => 'asc'));
rmobis 2014年

有没有一种方法可以在已建立的查询上添加orderBy?
拉斐尔

@Rafael,如果尚未运行(称为getfirst),只需对其进行调用orderBy。否则,不。
rmobis

否则,如果您始终需要按desc排序,则也可以使用latest()。
ssi-anik

30

您可以按照@rmobis在他的回答中指定的方法进行操作,[在其中添加更多内容]

使用order by两次:

MyTable::orderBy('coloumn1', 'DESC')
    ->orderBy('coloumn2', 'ASC')
    ->get();

第二种方法是

使用raw order by

MyTable::orderByRaw("coloumn1 DESC, coloumn2 ASC");
    ->get();

两者都会产生如下相同的查询,

SELECT * FROM `my_tables` ORDER BY `coloumn1` DESC, `coloumn2` ASC

正如在第一个答案的注释中指定的@rmobis 一样,您可以像数组一样通过按列排序

$myTable->orders = array(
    array('column' => 'coloumn1', 'direction' => 'desc'), 
    array('column' => 'coloumn2', 'direction' => 'asc')
);

另一种方法是iterate循环

$query = DB::table('my_tables');

foreach ($request->get('order_by_columns') as $column => $direction) {
    $query->orderBy($column, $direction);
}

$results = $query->get();

希望能帮助到你 :)


我可以一起使用orderByRaw和orderBy吗?似乎对我不起作用,所得到的查询似乎只尊重orderByRaw
Return-

尝试先放置orderBy,然后再放置orderByRaw,然后查看结果@GeorgeAvgoustis
Sagar Naliyapara 17-10-25

不幸的是,这无法完成,因为首先需要将其随机化,然后再由最终限定符进行排序。
返回

1
它确实可以一起工作,可能是因为在第一列排序上应用时您看不到第二列排序
Sagar Naliyapara

3

这是我为基础存储库类想出的另一种方法,在该类中,我需要按任意数量的列进行排序:

public function findAll(array $where = [], array $with = [], array $orderBy = [], int $limit = 10)
{
    $result = $this->model->with($with);
    $dataSet = $result->where($where)
        // Conditionally use $orderBy if not empty
        ->when(!empty($orderBy), function ($query) use ($orderBy) {
            // Break $orderBy into pairs
            $pairs = array_chunk($orderBy, 2);
            // Iterate over the pairs
            foreach ($pairs as $pair) {
                // Use the 'splat' to turn the pair into two arguments
                $query->orderBy(...$pair);
            }
        })
        ->paginate($limit)
        ->appends(Input::except('page'));

    return $dataSet;
}

现在,您可以像这样拨打电话:

$allUsers = $userRepository->findAll([], [], ['name', 'DESC', 'email', 'ASC'], 100);
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.