目录
一、内连接(INNER JOIN)
二、左外连接(LEFT OUTER JOIN)
三、右外连接(RIGHT OUTER JOIN)
四、全外连接(FULL OUTER JOIN)
五、左排除连接(LEFT EXCLUDING JOIN)
六、右排除连接(RIGHT EXCLUDING JOIN)
七、双侧排除连接(OUTER EXCLUDING JOIN)
构建环境:
create table t_employees(
id int primary key,
name varchar(20),
dept_id int
);
create table t_departments(
id int primary key,
name varchar(20)
);
insert into t_departments(id, name) values(1, '设计部');
insert into t_departments(id, name) values(2, '开发部');
insert into t_departments(id, name) values(3, '测试部');
insert into t_employees(id, name, dept_id) values(1, '张三', 1);
insert into t_employees(id, name, dept_id) values(2, '李四', 2);
insert into t_employees(id, name, dept_id) values(3, '王五', 0);
为了方便说明,我们将t_employees表称为A表,t_departments表称为B表。
一、内连接(INNER JOIN)
data:image/s3,"s3://crabby-images/89ddd/89ddd97d751ad43bb1105dbd0a996e240fca80a4" alt=""
SELECT * FROM t_employees e INNER JOIN t_departments d ON e.dept_id = d.id;
data:image/s3,"s3://crabby-images/72020/72020496eb370b29987c55f6bc9817781069c931" alt=""
二、左外连接(LEFT OUTER JOIN)
data:image/s3,"s3://crabby-images/f998f/f998f19c73be562d4bab2c0f42c5cea8f8663a92" alt=""
SELECT * FROM t_employees e LEFT JOIN t_departments d ON e.dept_id = d.id;
data:image/s3,"s3://crabby-images/8422c/8422c05d0bcf5d5d04b763b573904e67229b4d90" alt=""
三、右外连接(RIGHT OUTER JOIN)
data:image/s3,"s3://crabby-images/86ebf/86ebf77ce06eb73ffd54d41c21d8fba5a60a0bca" alt=""
SELECT * FROM t_employees e RIGHT JOIN t_departments d ON e.dept_id = d.id;
data:image/s3,"s3://crabby-images/a5cb1/a5cb1101530ae4c6d78e205071fe5b2a80b42101" alt=""
四、全外连接(FULL OUTER JOIN)
data:image/s3,"s3://crabby-images/8a6e3/8a6e37bcca423a9801bd714a7f50e34025ac70d5" alt=""
SELECT * FROM t_employees e LEFT JOIN t_departments d ON e.dept_id = d.id UNION SELECT * FROM t_employees e RIGHT JOIN t_departments d ON e.dept_id = d.id;
data:image/s3,"s3://crabby-images/ba540/ba54014cb8c22c875b3a1879481042a4b99d2a39" alt=""
五、左排除连接(LEFT EXCLUDING JOIN)
data:image/s3,"s3://crabby-images/c8791/c8791c10a53b322a74641ef3fdd22c1bd01ce6bf" alt=""
SELECT * FROM t_employees e LEFT JOIN t_departments d ON e.dept_id = d.id WHERE d.id is null;
data:image/s3,"s3://crabby-images/116b1/116b1a6cf5b8326154210e5fdd94190a8944181a" alt=""
六、右排除连接(RIGHT EXCLUDING JOIN)
data:image/s3,"s3://crabby-images/2ce07/2ce0788a5529654d5f0c8033448009c18757ad50" alt=""
SELECT * FROM t_employees e RIGHT JOIN t_departments d ON e.dept_id = d.id WHERE e.id is null;
data:image/s3,"s3://crabby-images/05bc1/05bc15befd791eac1d1b40205cdef9fd861df9e8" alt=""
七、双侧排除连接(OUTER EXCLUDING JOIN)
data:image/s3,"s3://crabby-images/7c037/7c0379353e780ace372f33169b26f77dcd121eb3" alt=""
SELECT * FROM t_employees e LEFT JOIN t_departments d ON e.dept_id = d.id WHERE d.id is null
UNION
SELECT * FROM t_employees e RIGHT JOIN t_departments d ON e.dept_id = d.id WHERE e.id is null;
data:image/s3,"s3://crabby-images/d0d9f/d0d9f5e6aab9c3b6ac52c0112969facb10225193" alt=""