SQL语句的增删改查
存在一个关系模式:学生-课程模式S-T
学生表:Student(Sno,Sname,Ssex,Sage,Sdept)
课程表:Course(Cno,Cname,Cpno,Ccredit)
学生选课表:(Sno,Cno,Grade)
(关系的主码斜体表示)
基本表的定义、删除与修改
建立一个学生表:
Create table Student(
Sno char(9) Primary key,
Sname char(20) unique,
Ssex char(2),
Sage smallint,
Sdept char(20));
建立一个课程表:
create table Course (
Cno char(9) Primary key,
Cname char(20) not null,
Cpno char(9),
Ccredit smallint,
foreign key(Cpno) references Course(Cno));
建立一个学生选课表
create table SC(
Sno char(9),
Cno char(4),
Grade smallint,
primary key(Sno,Cno),
foreign key(Sno) references Student(Sno),
foreign key(Cno) references Course(Cno));
单表查询
1.查询全体学生的姓名及其出生年份
select Sname,2020-Sage from Student;
2.查询全体学生的姓名、出生年份和所在的院系,要求用小写字母表示系名
select Sname,‘Year of Birth’,2020-Sage Birthday,Lower(Sdept) department from Student;
3.查询选修了课程的学生学号(去重)
select distinct Sno from SC;
4.查询年龄不在20~23岁之间的学生姓名、系别和年龄
select Sname,Sdept,Sage from Student where Sage not between 20 and 23;
5.查询既不是计算机科学系、数学系、也不是信息系的学生的姓名和性别
select Sname,Ssex from Student where Sdept not in(‘CS’,‘MA’,'IS);
6.查询所有姓“刘”的学生的所有信息(’%'任意长度)
select * from Student where Sname like ‘刘%’;
7.查询姓“欧阳”且全名为三个汉字的学生的姓名(’_’ 单个字符)
select Sname from Student where Sname like ‘欧阳_’;
8.查询名字中第二个字为“阳”的学生的姓名和学号
select Snam,Sno from Student where Sname like ‘_阳%’;
9.查询选修了3号课程的学生的学号及其成绩,查询结果按分数的降序排列
select Sno,Grade from SC where Cno=‘3’ order by Grade DESC;
聚集函数
COUNT(*)
COUNT([DISTINCT|ALL]<列名>)
SUM([DISTINCT|ALL]<列名>)
AVG([DISTINCT|ALL]<列名>)
MAX([DISTINCT|ALL]<列名>)
MIN([DISTINCT|ALL]<列名>)
10.查询选修了课程的学生人数(去重)
select count(distinct Sno) from SC;
11.求每个课程号及相应的选课人数
select Cno,count(Sno) from SC group by Cno;
12.查询选修了三门以上课程的学生学号
select Sno from SC group by Sno having count(*)>3;
13.查询平均成绩大于等于90分的学生学号和平均成绩
select Sno,AVG(Grade) from SC group by Sno having AVG(Grade)>=90;