1

假设我有以下模型:

Customer(customer_id (PK), firstName, lastName, email)
Item(item_id (PK), name, description)
Orders(orders_id (PK), customer_id (FK), item_id (FK), promotion_id (FK)),
Promotion(promotion_id (PK), date, gift_id (FK))
Gift(gift_id (PK), name, description)

现在,假设我有以下要求:

检索所有客户的所有订单(未分组)的列表以及关联的项目和礼品的名称列。

困难的部分是关联表orders有一个一对多表(促销)的外键列,而他又拥有礼物的外键;我有以下有效的查询,但我发现应该有一种比做很多这样的连接更优雅的方法来解决问题:

select concat(c.firstName, ' ', c.lastName) as customerName,
       i.name, g.name
from   customer as c
left join orders as o on c.customer_id = o.customer_id
inner join item as i on o.item_id = i.item_id
inner join promotion as p on o.promotion_id = p.promotion_id
inner join gift as g on p.gift_id = g.gift_id;

我如何以更优雅的方式解决查询?提前致谢!

4

2 回答 2

0

可以去掉INNER关键字,因为joins默认是inner的,AS关键字是可选的;还因为您的列名在连接中是相同的,您可以简单地使用USING而不是ON

SELECT CONCAT_WS(' ', c.firstName, c.lastName) customerName,
       i.name, g.name
FROM   customer    c
  LEFT JOIN orders o USING (customer_id)
  JOIN item        i USING (item_id)
  JOIN promotion   p USING (promotion_id)
  JOIN gift        g USING (gift_id)

实际上,如果这些是连接表中唯一具有相同名称的列,则可以更进一步并使用NATURAL连接(尽管我不喜欢这样,因为它隐藏了架构更改时发生的情况):

SELECT CONCAT_WS(' ', c.firstName, c.lastName) customerName,
       i.name, g.name
FROM   customer            c
  NATURAL LEFT JOIN orders o
  NATURAL JOIN item        i
  NATURAL JOIN promotion   p
  NATURAL JOIN gift        g
于 2012-06-05T03:16:44.527 回答
0

我认为这非常优雅。连接非常优雅,经常被误解。

于 2012-06-05T03:10:46.507 回答