sqlite order by clause is used to sort the data in an ascending or descending order, based on one or more columns.
syntax
following is the basic syntax of order by clause.
select column-list from table_name [where condition] [order by column1, column2, .. columnn] [asc | desc];
you can use more than one column in the order by clause. make sure whatever column you are using to sort, that column should be available in the column-list.
example
consider company table with the following records.
id name age address salary ---------- ---------- ---------- ---------- ---------- 1 paul 32 california 20000.0 2 allen 25 texas 15000.0 3 teddy 23 norway 20000.0 4 mark 25 rich-mond 65000.0 5 david 27 texas 85000.0 6 kim 22 south-hall 45000.0 7 james 24 houston 10000.0
following is an example, which will sort the result in descending order by salary.
sqlite> select * from company order by salary asc;
this will produce the following result.
id name age address salary ---------- ---------- ---------- ---------- ---------- 7 james 24 houston 10000.0 2 allen 25 texas 15000.0 1 paul 32 california 20000.0 3 teddy 23 norway 20000.0 6 kim 22 south-hall 45000.0 4 mark 25 rich-mond 65000.0 5 david 27 texas 85000.0
following is an example, which will sort the result in descending order by name and salary.
sqlite> select * from company order by name, salary asc;
this will produce the following result.
id name age address salary ---------- ---------- ---------- ---------- ---------- 2 allen 25 texas 15000.0 5 david 27 texas 85000.0 7 james 24 houston 10000.0 6 kim 22 south-hall 45000.0 4 mark 25 rich-mond 65000.0 1 paul 32 california 20000.0 3 teddy 23 norway 20000.0
following is an example, which will sort the result in descending order by name.
sqlite> select * from company order by name desc;
this will produce the following result.
id name age address salary ---------- ---------- ---------- ---------- ---------- 3 teddy 23 norway 20000.0 1 paul 32 california 20000.0 4 mark 25 rich-mond 65000.0 6 kim 22 south-hall 45000.0 7 james 24 houston 10000.0 5 david 27 texas 85000.0 2 allen 25 texas 15000.0
