ฉันต้องการเรียงลำดับหลายคอลัมน์ใน Laravel 4 โดยใช้วิธีorderBy()
ใน Laravel Eloquent แบบสอบถามจะถูกสร้างขึ้นโดยใช้ Eloquent ดังนี้:
SELECT *
FROM mytable
ORDER BY
coloumn1 DESC, coloumn2 ASC
ฉันจะทำสิ่งนี้ได้อย่างไร
ฉันต้องการเรียงลำดับหลายคอลัมน์ใน Laravel 4 โดยใช้วิธีorderBy()
ใน Laravel Eloquent แบบสอบถามจะถูกสร้างขึ้นโดยใช้ Eloquent ดังนี้:
SELECT *
FROM mytable
ORDER BY
coloumn1 DESC, coloumn2 ASC
ฉันจะทำสิ่งนี้ได้อย่างไร
คำตอบ:
เพียงแค่เรียกorderBy()
หลาย ๆ ครั้งตามที่คุณต้องการ ตัวอย่างเช่น
User::orderBy('name', 'DESC')
->orderBy('email', 'ASC')
->get();
สร้างแบบสอบถามต่อไปนี้:
SELECT * FROM `users` ORDER BY `name` DESC, `email` ASC
User::orderBy(array('name'=>'desc', 'email'=>'asc'))
$user->orders = array(array('column' => 'name', 'direction' => 'desc'), array('column' => 'email', 'direction' => 'asc'));
get
หรือfirst
) เพียงแค่เรียกorderBy
มัน อื่นไม่
คุณสามารถทำตามที่ @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();
หวังว่าจะช่วย :)
นี่คืออีกดอดจ์ที่ฉันเกิดขึ้นสำหรับคลาสที่เก็บพื้นฐานของฉันที่ฉันต้องการสั่งซื้อด้วยจำนวนคอลัมน์โดยพลการ:
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);
User::orderBy('name', 'DESC') ->orderBy('email', 'ASC') ->get();