Oracle数据库中的多表查询
多表查询
1.交叉连接:表结构中的数据两两组合(没什么作用)
select t1.*,t2.*
from t_student t1,t_class t2
--交叉连接获取的结果是一个笛卡尔乘积
2.等值连接(在交叉连接的基础上,性能问题,不适用于数据量大)
select t1.*,t2.* -- 100000 2
from t_student t1,t_class t2 -- 10000 100 100W 获取的结果集可能非常大
where t1.classid = t2.cid -- 10条
3.内连接
select t1.*,t2.*
from t_student t1 inner join t_class t2 on t1.classid = t2.cid
select t1.*,t2.*
from t_class t2 inner join t_student t1 on t1.classid = t2.cid
-- 左边的数据和右边的数据满足 on 关键字后面的条件时保留
--在连接的时候一般将数据量小的表放在连接符合的左侧
查询出学生表中的所有的学生信息及对应的班级信息
外连接:
4.左外连接:在内连接的基础上保留左侧不满足条件的数据
select t1.*,t2.*
from t_student t1 left outer join t_class t2
on t1.classid = t2.cid
select t2.*,t1.*
from t_class t1 left join t_student t2
on t1.cid = t2.classid
5.右外连接:在内连接的基础上保留右侧不满足条件的数据
select t1.*,t2.*
from t_student t1 right join t_class t2
on t1.classid = t2.cid
6.全连接:在内连接的基础上保留左右两侧不满足条件的数据
select t1.*,t2.*
from t_student t1 full join t_class t2
on t1.classid = t2.cid
等值连接另外一种等价的方式:自然连接(很少使用)
效率跟等值连接是一样的,
select id,name,cls_id,cls_name --*
from t_student t1 natural join t_class t2
--不能通过别名关联字段
union 和 union all 关键字
union --合并结果集同时去掉重复的记录
union all --合并结果集不会去掉重复的记录
列如:-
select t2.*,t1.*
from t_class t1 left join t_student t2
on t1.cid = t2.classid
union
select t1.*,t2.*
from t_student t1 right join t_class t2
on t1.classid = t2.cid