数据库系统软件:SQL Server 2019 Express
操作系统:Windows 10
前面讲的数据定义语言DDL是对数据库及数据库对象进行操作。
这节数据操纵语言DML是对数据库中的数据进行增、删、改、查四类操作。
四大类操作和对应的关键字分别为:
SELECT是四大类操作中的重点,稍微讲讲select背后的关系代数原理,可以更方便我们理解select。
所谓“查询 SELECT”,即从一张或多张表查询数据。
这个查询的过程,背后是一个关系代数表达式的应用。在关系代数表达式中,最常用的查询表达式为:笛卡尔积 → 横向行筛选(选择) → 纵向列筛选(投影)。即:
π A 1 , … , A n ( σ F ( R 1 × … × R m ) ) \pi_{A1, \ldots, An}\left(\sigma_{F}\left(R_{1} \times \ldots \times R_{m}\right)\right) πA1,…,An(σF(R1×…×Rm))
上式中, ( R 1 × … × R m ) (R_{1} \times \ldots \times R_{m}) (R1×…×Rm)为笛卡尔积, σ F \sigma_{F} σF为行选择, π A 1 , … , A n \pi_{A1, \ldots, An} πA1,…,An为列投影。
笛卡尔积表示两个(多个)集合相乘的结果,即两张(多张)表的所有元素配对,穷举出所有配对的元组。接着按行进行筛选,最后取对应的列。
对应到SQL语句,即为:
SELECT A1,…,An 【列投影】
FROM R1,…Rn 【笛卡尔积】
WHERE F 【行选择】
以上就是select语句的背后逻辑。
我们继续用数据库“学生选课系统”的4张表举例,表结构为:
t_student (S#, Sname, Sex, Age, Major)
t_teacher (T#, Tname, Age, Title)
t_course (C#, Cname, T#)
t_student_course (S#, C#, Score)
看下面的例子时心中稍微记一下这四张表的结构,忘了再返回这里看一下。
实例:
例1:查询所有学生的学号和姓名信息
select s#, sname from t_student
例2:查询所有学生的学号、姓名、年龄、性别和专业信息
select * from t_student
例3:查询所有的专业信息
select distinct major from t_student
例4:查询所有学生的学号和姓名,并查询结果中的列名分别显示为中文字符“学号”和“姓名”
select s# as 学号, Sname as 姓名 from t_student
例5:查询所有学生的学号和出生年份
select s#, year(getdate()) - Age as 出生年份 from t_student
例6:查询考试成绩信息,展示学号、课程号和成绩,并将所有成绩提高10%
select s#, c#, Score*1.1 as New_score from t_student_course
表达式计算:
例1:查询所有女学生的信息
select * from t_student where Sex='女'
例2:查询所有年龄大于等于25岁的学生的学号、姓名和年龄
select S#, Sname, Age from t_student where Age>=25
或
select S#, Sname, Age from t_student where Age>25
例3:查询专业不是“英语”的学生的信息
select * from t_student where Major != '英语'
例4:查询"软件工程"专业所有男学生的信息
select * from t_student where Major = '软件工程' and Sex='男'
例5:查询"软件工程"和“机械电子”专业学生的信息
select * from t_student where Major = '软件工程' or Major = '机械电子'
或
select * from t_student where Major in ('软件工程','机械电子')
例1:查询所有年龄在20岁至25岁(含20和25)之间的学生信息
select * from t_student where Age between 20 and 25
例2:查询所有年龄不在20岁至25岁(含20和25)之间的学生信息
select * from t_student where not Age between 20 and 25
或
select * from t_student where Age not between 20 and 25
例3:查询所有姓王的学生的信息
select * from t_student where Sname like '王%'
例4:查询所有不姓王的学生的信息
select * from t_student where Sname not like '王%'
例5:查询姓名中包含“华”字的学生的信息
select * from t_student where Sname like '%华%'
例6:查询姓名为某“华的学生的信息
select * from t_student where Sname like '_华'
[ ]
表示筛选的范围^
表示取非例7:查询姓张、李或王的学生的信息
select * from t_student where Sname like '[张李王]%'
例8:查询不姓张、李或王的学生的信息
select * from t_student where Sname like '[^张李王]%'
例9:查询不是"软件工程"和“机械电子”专业学生的信息
select * from t_student where Major not in ('软件工程','机械电子')
例10:查询尚未分配任课教师的课程的课程号和课程名
select C#, Cname from t_course where T# is NULL
例11:查询选修了c001课程且已获得成绩的学生的考试情况,要求显示学号和成绩
select S# as 学号, Score as 成绩 from t_student_course where C# = 'c001' and Score is not Null