MySQL关联查询

在关系型数据库中,要进行多表查询,一般都会使用join连接。join连接的本质其实类似与集合的交并操作,Mysql实现关联查询常见的几种方式如下:

  1. 左连接
  2. 右连接
  3. 内连接
  4. 全连接
  5. 左外连接
  6. 右外连接
  7. 全外连接
    MySQL关联查询_第1张图片
    本次测试表结构和数据:
    A:users
    MySQL关联查询_第2张图片
    B:security
    MySQL关联查询_第3张图片

1、左连接

左连接将左表A作为主表,右表B作为从表,左表作为外层循环,在右表中进行匹配,如果左表的记录在右表中没有匹配,则将该左表记录的右表项补空值;
MySQL关联查询_第4张图片
语法关键字为 LEFT JOIN

select * from users left join security on users.id = security.id;

MySQL关联查询_第5张图片

2、右连接

右连接将右表B作为主表,左表A作为从表,右表作为外层循环,在左表中进行匹配,如果右表的记录在左表中没有匹配,则将该右表记录的左表项补空值;
MySQL关联查询_第6张图片
语法关键字为 RIGHT JOIN

select * from users right join security on users.id = security.id;

MySQL关联查询_第7张图片

3、内连接

内连接将左表A和右表B对于条件相匹配的项进行组合,在结果中只会出现同时在左表和右表出现的项;
MySQL关联查询_第8张图片
语法关键字为 INNER JOIN 或 JOIN(JOIN等价于INNER JOIN)

select * from users inner join security on users.id = security.id;

MySQL关联查询_第9张图片

4、全连接

全外连接将左表A和右表B的所有记录进行匹配,如果在另外表项中不存在记录,则补空值;
MySQL关联查询_第10张图片
语法关键字为 UNION 用来组合左连接和右连接

select * from users left join security on users.id = security.id union select * from users right join security on users.id = security.id;

MySQL关联查询_第11张图片

5、左外连接

左外连接选择将左表A作为主表,右表B作为从表,循环遍历右表,查找与条件满足的项,如果在右表中没有匹配的项,则补空值,并且在结果集中选择只在左表中存在的数据;
MySQL关联查询_第12张图片

左表A独有的数据

select * from users left join security on users.id = security.id where security.id is null;

MySQL关联查询_第13张图片

6、右外连接

右外连接选择将右表作为主表,左表作为从表,循环遍历左表,查找与join条件满足的项,如果在左表中没有匹配的项,则补空值,并且在结果集中选择只在右表中存在的数据;
MySQL关联查询_第14张图片
右表B独有的数据

select * from users right join security on users.id = security.id where users.id is null;

MySQL关联查询_第15张图片

7、全外连接

全外连接将全连接中左右表相交的部分排除;
MySQL关联查询_第16张图片
左表A和右表B独有的数据

select * from users right join security on users.id = security.id where users.id is null union select * from users left join security on users.id = security.id where security.id is null;

MySQL关联查询_第17张图片

你可能感兴趣的:(数据库,mysql,数据库)