日常學習 7.20 sqlite數(shù)據(jù)庫的復雜查詢
【數(shù)據(jù)庫的復雜查詢】
一、聯(lián)表查詢
#場景:查詢學生數(shù)據(jù),列出完整的數(shù)據(jù)(包含 班級名稱)
#前提:兩張表中必須有對應(關聯(lián))的字段 ? ? ? ? ?如:學生表 ?班級表 ?對應字段:班級id
#聯(lián)表的方式
?? ?1.普通聯(lián)表(直接聯(lián)表)
?? ?select * from 表1,表2 where 表1.字段名=表2.字段名;
?? ?select 表1.*,表2.字段名 where 表1.字段名=表2.字段名;?? ?(展示表1的全部字段和表2的字段名字段)
?? ?2.公式聯(lián)表
?? ??? ?-內(nèi)連接 inner join .............. on
?? ??? ?select * from 表1 inner join 表2 on 表1.字段名=表2.字段名;
?? ??? ?連接過程:取交集(笛卡爾積)
?? ??? ?
?? ??? ?-外連接(左外連接(絕大多數(shù))、右外連接、全外連接) left join .......... on
?? ??? ?select * from 表1 left join 表2 on 表1.字段名=表2.字段名;
?? ??? ?連接過程:left on前為主表 ?后為從表
?? ??? ?1.取交集
?? ??? ?2.將主表中沒有匹配上的也列出來?? ??? ?
?? ??? ?#新增兩張表驗證內(nèi)外連接的區(qū)別
?? ??? ?-學科表:學科id ?學科名稱
?? ??? ?
?? ??? ?-成績表:學生id ?學科id ?分數(shù)
?? ??? ??? ?1001 ? ?1?? ? ? ? ? 90
?? ??? ??? ?1001 ? ?2?? ? ? ? ? 80
?? ??? ??? ?1002 ? ?1 ? ? ? ? 90
?? ??? ?設置主鍵解決方案:單獨設置一個字段作為主鍵 ? (sqlite中主鍵類型為integer時(int不行)可自增長,填null即可)
?? ??? ?支線:解決方案是聯(lián)合主鍵
?? ??? ?
?? ??? ?
重命名
select * 表1.字段名,表2.字段名 from 表1 inner 表2 on 表1.字段名=表2.字段名;
重命名為:select * A.字段名,B.字段名 from 表1 A inner 表2 B on A.字段名=B.字段名;
二、子查詢
#嵌套子查詢
?? ?#場景:查詢價格和蒙多一樣的英雄信息
?? ?1.查詢蒙多的價格
?? ?select hero_price from z_hero where hero_name='蒙多';
?? ?2.查詢英雄時,把價格=上面查詢的結果
?? ?select * from z_hero where hero_price=(select hero_price from z_hero where hero_name='蒙多';);
#in子查詢
?? ?#場景:前端傳遞來“一堆數(shù)據(jù)”(數(shù)組) ?17,18,19,20,21
?? ?查詢指定年齡的學生信息
?? ?-方式1:范圍 大于 小于(缺點:數(shù)據(jù)必須連貫 有規(guī)則)
?? ?select * from z_student where stu_age >=17 and stu_age<=21;
?? ?-方法2:between and(缺點:數(shù)據(jù)必須連貫 有規(guī)則)
?? ?select * from z_student where stu_age between 17 and 21;
?? ?-方式3:取反大法(not)(缺點:數(shù)據(jù)必須連貫 有規(guī)則)
?? ?select * from z_student where not (stu_age <17 and stu_age>21);
?? ?-方法4:窮舉法(缺點:麻煩)
?? ?select * from z_student where stu_age=17 or stu_age=18 or stu_age=19 or stu_age=20 or stu_age=21;
?? ?-in子查詢:
?? ?select * from z_student where stu_age in (17,18,19,20,21);
三、聚合函數(shù)查詢
?? ?-求和函數(shù)
?? ?sum(字段) ?如:select sum(字段名) from 表名;
?? ?-求平均數(shù)函數(shù)
?? ?avg(字段) ?如:select avg(字段名) from 表名;
?? ?-統(tǒng)計個數(shù)函數(shù)
?? ?count(*) ?如:select count(*) from 表名;
?? ?-最值
?? ?max(字段) ?min(字段) ?如:select max(字段) from 表名; ? select min(字段) from 表名;
?? ?-分組聚合查詢 group by 字段名
?? ?需求:展示每個學生的總分 ?
?? ?select sum(score) from t_student group by stu_id;
?? ?展示每個學生的總分和學生id ?總分降序
?? ?select sum(score),stu_id from t_student group by stu_id order by sum(score) desc;
?? ?如果在分組查詢中有條件篩選且條件是聚合函數(shù)字段,需在group by 字段名后且加having
?? ?例如:展示總分在240及以上的學生總分 降序
?? ?select sum(score) from t_student group by stu_id having sum(score)>=240 order by sum(score) desc;
?? ?select sum(字段名) from 表名 group 字段名;
? ??