SQL JOIN 子句用於把來自兩個或多個表的行結合起來,基於這些表之間的共同字段。數據庫
最多見的 JOIN 類型:SQL INNER JOIN(簡單的 JOIN)、SQL LEFT JOIN、SQL RIGHT JOIN、SQL FULL JOIN,其中前一種是內鏈接,後三種是外連接。spa
假設咱們有兩張表,Table A是左邊的表,Table B是右邊的表。3d
id | name |
1 | |
2 | 淘寶 |
3 | 微博 |
4 |
id | address |
1 | 美國 |
5 | 中國 |
3 | 中國 |
6 | 美國 |
內鏈接是最多見的一種鏈接,只鏈接匹配的行。code
inner join語法blog
select column_name(s) from table 1 INNER JOIN table 2 ON table 1.column_name=table 2.column_name
註釋:INNER JOIN與JOIN是相同微博
INNER JOIN產生的結果集中,是1和2的交集。table
select * from Table A inner join Table B on Table A.id=Table B.id
執行以上SQL輸出結果以下:class
id | name | address |
1 | 美國 | |
3 | 微博 | 中國 |
LEFT JOIN返回左表的所有行和右表知足ON條件的行,若是左表的行在右表中沒有匹配,那麼這一行右表中對應數據用NULL代替。select
LEFT JOIN 語法淘寶
select column_name(s) from table 1 LEFT JOIN table 2 ON table 1.column_name=table 2.column_name
註釋:在某些數據庫中,LEFT JOIN 稱爲LEFT OUTER JOIN
LEFT JOIN產生表1的徹底集,而2表中匹配的則有值,沒有匹配的則以null值取代。
select * from Table A left join Table B on Table A.id=Table B.id
執行以上SQL輸出結果以下:
id | name | address |
1 | 美國 | |
2 | 淘寶 | null |
3 | 微博 | 中國 |
4 | null |
RIGHT JOIN返回右表的所有行和左表知足ON條件的行,若是右表的行在左表中沒有匹配,那麼這一行左表中對應數據用NULL代替。
RIGHT JOIN語法
select column_name(s) from table 1 RIGHT JOIN table 2 ON table 1.column_name=table 2.column_name
註釋:在某些數據庫中,RIGHT JOIN 稱爲RIGHT OUTER JOIN
RIGHT JOIN產生表2的徹底集,而1表中匹配的則有值,沒有匹配的則以null值取代。
select * from Table A right join Table B on Table A.id=Table B.id
執行以上SQL輸出結果以下:
id | name | address |
1 | 美國 | |
5 | null | 中國 |
3 | 微博 | 中國 |
6 | null | 美國 |
FULL JOIN 會從左表 和右表 那裏返回全部的行。若是其中一個表的數據行在另外一個表中沒有匹配的行,那麼對面的數據用NULL代替
FULL OUTER JOIN語法
select column_name(s) from table 1 FULL OUTER JOIN table 2 ON table 1.column_name=table 2.column_name
FULL OUTER JOIN產生1和2的並集。可是須要注意的是,對於沒有匹配的記錄,則會以null作爲值。
select * from Table A full outer join Table B on Table A.id=Table B.id
執行以上SQL輸出結果以下:
id | name | address |
1 | 美國 | |
2 | 淘寶 | null |
3 | 微博 | 中國 |
4 | null | |
5 | null | 中國 |
6 | null | 美國 |