Sideshow
Sideshow

Reputation: 1351

MySQL join - ordering results via another table PHP

I have 2 MySQL tables, one of which has a numeric column to orgainise the order I need the items to be displayed:

item_names

menu_id  |  dish_id  |  section_id  |  item_name
--------------------------------------------------
1        | 23        |      2       |   Pie       
1        | 24        |      2       |  Fish       
1        | 25        |      3       |  Apples     
1        | 26        |      2       |  Onions     
1        | 27        |      2       |  Chips

link_extras

extra_id |  dish_id  | sort  
-----------------------------
1        | 23        | 2     
2        | 23        | 2     
3        | 23        | 2      
1        | 24        | 0     
5        | 24        | 0     
6        | 26        | 3     
12       | 26        | 3     
1        | 27        | 1  
1        | 25        | 0    

Basically what I am trying to do is extract each dish with a certain menu_id and section_id from the table item_names and order the output in respect to the sort column in the link_extras table.

so far:

$query="SELECT a.item_name, a.dish_id, b.sort
    FROM item_names AS a, link_extras AS b 
       WHERE a.menu_id='1'
           AND a.section_id='2'
           AND b.dish_id=a.dish_id
       GROUP BY b.dish_id
       ORDER BY b.sort";

I am quite new to databases so would appreciate any help. The result I am after is

Fish
Chips
Pie
Onions

Unfortunately just can't get the order correct.

Upvotes: 1

Views: 87

Answers (2)

Muhammad Raheel
Muhammad Raheel

Reputation: 19882

SELECT
  in.item_name
FROM item_names AS in
  LEFT JOIN link_extras AS le
    ON le.dish_id = in.dish_id
WHERE in.menu_id = 1
    AND in.section_id = 2
ORDER BY le.sort

Demo Here

Output

| ITEM_NAME |
-------------
|      Fish |
|     Chips |
|       Pie |
|    Onions |

Upvotes: 1

Himanshu
Himanshu

Reputation: 32602

You need to use a simple JOIN

SELECT a.item_name, a.dish_id, b.sort
    FROM item_names AS a 
    JOIN link_extras AS b 
      ON a.dish_id = b.dish_id
   WHERE menu_id = 1
    AND section_id = 2
       GROUP BY b.dish_id
ORDER BY b.sort

Output:

| ITEM_NAME | DISH_ID | SORT |
------------------------------
|      Fish |      24 |    0 |
|     Chips |      27 |    1 |
|       Pie |      23 |    2 |
|    Onions |      26 |    3 |

See this SQLFiddle

Upvotes: 2

Related Questions