数据库 - 多表查询

多表查询

关联关系

  • 创建表格时,表与表之间是存在业务关系的。

有哪些

  • 1对1 :有AB两张表,A表中1条数据对应B表中1条,同时,B表中1条数据对应A表1条。
  • 1对多:有AB两张表,A表中1条数据对应B表中多条,同时,B表中1条数据对应A表1条
  • 多对多:有AB两张表,A表中1条数据对应B表中多条,同时,B表中1条数据对应A表多条

关联查询

  • 同时查询多张表的数据,查询方式称为关联查询。
  • 关联查询必须写关联关系

关联查询的方式

1.交叉连接

  • 如果不写关联关系的话,则会得到两张表数据量的乘积,这个乘积被称为笛卡尔积,在工作中要避免出现。
  • 关键字:cross join
  • 书写格式:
select * from 表1 cross join 表2;
  • 案例分析:
select * from emp cross join dept;

2.等值查询

  • 书写格式:
select 字段信息 
from 表1,表2 
where 关联关系 
and 其他条件;

关联关系:查询的数据需要满足这个条件,如果不满足的话将不会被查询到

  • 案例分析:
  1. 查询每个员工的姓名和对应的部门名
select e.ename,e.deptno,d.deptno,d.dname
from emp e,dept d
where e.deptno = d.deptno;
  1. 查询1号部门的员工姓名,工资,部门名,部门地址
select e.ename,e.sal,d.ename,d.loc
from emp e,dept d
where e.deptno = d.deptno
and e.deptno=1;

3.内连接(建议使用)

  • 内连接所查询到的数据时两个表或多个表的交集,即符合查询关联关系的数据

  • 关键字:inner join

  • 书写格式

select 字段信息
from 表1 [inner] join 表2
on 关联关系
where 条件 ;
  • 案例分析:
  1. 查询每个员工的姓名和对应部门的名称
select e.ename,d.dname
from emp e join dept d
on e.deptno = d.deptno;
  1. 查询1号部门的员工姓名,工资,部门名,部门地址
select e.ename,e.sal,d.dname,d.loc
from emp e join dept d 
on e.deptno = d.deptno
where d.deptno =1;

4.外连接

左连接(建议使用)

  • 返回的结果包括左表中的全部数据和右表中满足连接条件(关联关系)的数据
  • 关键字:left join
  • 书写格式:
select 字段信息
from 表1 left join 表2
on 关联关系
where 条件;
  • 案例分析:
insert into emp(empno,ename) values(100,"灭霸");

查询所有员工姓名和对应的部门信息

select e.ename,d.deptno,d.dname,d.loc
from emp e left join dept d
on e.deptno = d.deptno;

右连接

  • 返回的结果包括右表中的全部数据和左表中满足连接条件(关联关系)的数据
  • 关键字:right join
  • 书写格式:
select 字段信息
from 表1 right join 表2
on 关联关系
where 条件;
  • 案例分析:

查询所有部门的名称和对应的员工名

select d.dname,e.ename
from emp e right join dept d
on e.deptno = d.deptno;

注意事项:

  • 等值查询,内连接查询,外连接查询的功能是一样,建议大家使用内连接,外连接;
  • 等值查询 关联关系使用:where 关联关系
  • 内连接,外连接关联关系使用:on 关联关系

总结:

  • 三种查询方式:等值查询,内连接,外连接
  • 如果需要查询两张表的交集数据使用等值查询和内连接(推荐)
  • 如果查询一张表的全部数据和另一张表的交集数据则使用外连接(推荐使用左连接)

你可能感兴趣的:(数据库 - 多表查询)