高级查询(嵌套查询)和(相关子查询)

SQL  Server高级子查询

1.子查询概念 
(1)就是在查询的where子句中的判断依据是另一个查询的结果,如此就构成了一个外部的查询和一个内部的查询,这个内部的查询就是自查询。 
(2)自查询的分类 
1)独立子查询 (查询的结果用=接收,只有一个值)
->独立单值(标量)子查询(=) 


Select 
testID,stuID,testBase,testBeyond,testPro 
from Score 
where stuID=( 
select stuID from Student where stuName='Kencery' 


->独立多值子查询(in) (查询的结果有多个值,用 in not in接收)


Select 
testID,stuID,testBase,testBeyond,testPro 
from Score 
where stuID in( 
select stuID from Student where stuName='Kencery' 


2)相关子查询 (外部查询和内部查询同时进行的查询,外部为内部子查询提供了条件元素)
(3)写子查询的注意事项 
1)子查询用一个圆括号括起来,有必要的时候需要为表取别名,使用“as 名字”即可。 
2.表连接 
(1)表链接就是将多个表合成为一个表,但是不是向union一样做结果集的合并操作,但是表链接可以将不同的表合并,并且共享字段。 
(2)表连接之交叉连接 (cross join) 
1)创建两张表 


use Test 
go 
create table testNum1 

Num1 int 
); 
create table testNum2 

Num2 int 
); 
insert into testNum1 values(1),(2),(3) 
insert into testNum2 values(4),(5) 


2) 执行交叉连接的SQL语句 
select * from testNum1 cross join testNum2 
3)注解 
交叉连接就是将第一张表中的所有数据与第二张表中的所有数据挨个匹配一次构成一个新表。 
4)自交叉的实现 
执行插入SQL语句: 


insert into testNum1 values(4),(5),(6),(7),(8),(9),(0) 


执行自交叉的SQL语句: 


select t1.num1,t2.num2 from testNum1 as t1 cross join testNum2 as t2 


5)另外一种写法: 
select * from testNum1,testNum2不提倡使用,首先是有比较新的语法,缺陷是逗号不明确,并且这个语法与内连接和外连接都可以使用,如果使用join声明,那么语法错误的时候可以报错,但是使用这个语法,可能因为部分语法的错误,会被SQL Server解释为交叉连接而跳过这个语法的检查 
(3)表连接之内连接 
1)内链接是在交叉连接的基础之上添加一个约束条件 
2)语法:select * from 表1 inner join 表2 on 表1.字段=表2.字段 


Selects1.stuID, 
s1.stuName, 
s1.stuSex, 
s2.testBase, 
s2.testBeyond 
from Student as s1 
inner join Score as s2 
on s1.stuID=s2.stuID 
where s1.stuIsDel=0; 


(4)表连接之外连接 
1)执行下面的SQL语句 


create table tblMain 

ID int, 
name nvarchar(20), 
fid int 
); 
create table tblOther 

ID int, 
name nvarchar(20) 

insert into tblMain values(1,'张三',1),(2,'李四',2) 
insert into tblOther values(1,'C++'),(2,'.net'),(3,'java') 
select * from 
tblMain as t1 
inner join 
tblOther as t2 
on 
t1.fid=t2.id 


2)在内连接的基础之上,在做一件事儿,就是将tblOther中的Java也显示出来,这时候就要使用到外连接,外连接有左外连接和右外连接。 

3)左连接和右连接有什么区别呢??区别就是**连接就是以**表为主表,在内连接的基础之上,将没有数据的那张表的信息还是要显示出来供用户查看,那么这个主表就是要显示的那张表。左外连接和右外连接的分别是在前面的这张表就是左表,在后面的那张表就是右表,左连接使用left join ,有连接使用right join。 
4)上面重新执行下面的SQL语句,就会显示出tblOther表中的Java。 


select * from 
tblMain as t1 
right join tblOther as t2 
on t1.fid=t2.id 

 

原文地址:https://www.cnblogs.com/myhome-1/p/5263085.html