1.子查詢概念
(1)就是在查詢的where子句中的判斷依據是另一個查詢的結果,如此就構成了一個外部的查詢和一個內部的查詢,這個內部的查詢就是自查詢。
(2)自查詢的分類
1)獨立子查詢
->獨立單值(標量)子查詢 (=)
1 Select 2 3 testID,stuID,testBase,testBeyond,testPro 4 5 from Score 6 7 where stuID=( 8 9 select stuID from Student where stuName=’Kencery’10 11 )
->獨立多值子查詢 (in)
1 Select 2 3 testID,stuID,testBase,testBeyond,testPro 4 5 from Score 6 7 where stuID in( 8 9 select stuID from Student where stuName=’Kencery’10 11 )
2)相互關聯的子查詢
(3)寫子查詢的注意事項
1)子查詢用一個圓括弧闊氣,有必要的時候需要為表取別名,使用“as 名字”即可。
2.表串連\
(1)錶鏈接就是將多個表合成為一個表,但是不是向union一樣做結果集的合併作業,但是錶鏈接可以將不同的表合并,並且共用欄位。
(2)表串連之交叉串連 (cross join)
1)建立兩張表
1 use Test 2 3 go 4 5 create table testNum1 6 7 ( 8 9 Num1 int10 11 );12 13 create table testNum214 15 (16 17 Num2 int18 19 );20 21 insert into testNum1 values(1),(2),(3)22 23 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.欄位
1 Select s1.stuID, 2 3 s1.stuName, 4 5 s1.stuSex, 6 7 s2.testBase, 8 9 s2.testBeyond 10 11 from Student as s112 13 inner join Score as s214 15 on s1.stuID=s2.stuID16 17 where s1.stuIsDel=0;
(4)表串連之外串連
1)執行下面的SQL語句
1 create table tblMain 2 3 ( 4 5 ID int, 6 7 name nvarchar(20), 8 9 fid int10 11 );12 13 create table tblOther14 15 (16 17 ID int,18 19 name nvarchar(20)20 21 )22 23 insert into tblMain values(1,'張三',1),(2,'李四',2)24 25 insert into tblOther values(1,'C++'),(2,'.net'),(3,'java')26 27 select * from 28 29 tblMain as t130 31 inner join 32 33 tblOther as t234 35 on 36 37 t1.fid=t2.id
2)在內串連的基礎之上,在做一件事兒,就是將tblOther中的Java也顯示出來,這時候就要使用到外串連,外串連有左外串連和右外串連。
3)左串連和右串連有什麼區別呢??區別就是**串連就是以**表為主表,在內串連的基礎之上,將沒有資料的那張表的資訊還是要顯示出來供使用者查看,那麼這個主表就是要顯示的那張表。左外串連和右外串連的分別是在前面的這張表就是左表,在後面的那張表就是右表,左串連使用left join ,有串連使用right join。
4)上面重新執行下面的SQL語句,就會顯示出tblOther表中的Java。
1 select * from 2 3 tblMain as t14 5 right join tblOther as t26 7 on t1.fid=t2.id
相信自己,你就是下一個奇蹟(Kencery)