006-Archer@冯鹤楠的MySQL第三次打卡
时间:2019年4月4日
#学习内容#
编写一个 SQL 查询,列出所有超过或等于5名学生的课。
应该输出:
±--------+
| class |
±--------+
| Math |
±--------+
Note:
学生在每个课中不应被重复计算。
create table courses (student varchar(8) not null,class varchar(20) null);
insert into courses (student,class) values (‘A’,‘Math’),(‘B’,‘English’),…,(‘A’,‘Math’);
select class from courses group by class having count(distinct(student))>=5;
项目四:交换工资(难度:简单)
创建一个 salary表,如下所示,有m=男性 和 f=女性的值 。
例如:
id | name | sex | salary |
---|---|---|---|
1 | A | m | 2500 |
2 | B | f | 1500 |
3 | C | m | 5500 |
4 | D | f | 500 |
交换所有的 f 和 m 值(例如,将所有 f 值更改为 m,反之亦然)。要求使用一个更新查询,并且没有中间临时表。
运行你所编写的查询语句之后,将会得到以下表:
id | name | sex | salary |
---|---|---|---|
1 | A | f | 2500 |
2 | B | m | 1500 |
3 | C | f | 5500 |
4 | D | m | 500 |
create table salary (id int not null primary key,name varchar(10) not null,sex varchar(1) null,salary float(7,2) null);
insert into salary (id,name,sex,salary) values (1,‘A’,‘m’,2500),(),…();
update salary set sex=case sex when ‘m’ then ‘f’ else ‘m’ end;
2.2 MySQL 基础 (三)- 表联结
#学习内容#
MySQL别名
INNER JOIN
内连接,pk=fk的所有数据
LEFT JOIN
左连接 左表为基准 tb1 left join tb2 on tb1.pk=tb2.fk;
CROSS JOIN
笛卡尔乘积,两个表相乘 select * from tb1 cross join tb2
自连接
table自身与自身的连接
select * from tb as a,tb as b where …
UNION
合并两个及以上的select查询语句结果集
select * from tb where colname=‘a’
UNION
select * from tb where colname=‘b’;
UNION ALL 允许重复的值
#作业#
项目五:组合两张表 (难度:简单)
在数据库中创建表1和表2,并各插入三行数据(自己造)
表1: Person
±------------±--------+
| 列名 | 类型 |
±------------±--------+
| PersonId | int |
| FirstName | varchar |
| LastName | varchar |
±------------±--------+
PersonId 是上表主键
表2: Address
±------------±--------+
| 列名 | 类型 |
±------------±--------+
| AddressId | int |
| PersonId | int |
| City | varchar |
| State | varchar |
±------------±--------+
AddressId 是上表主键
编写一个 SQL 查询,满足条件:无论 person 是否有地址信息,都需要基于上述两表提供 person 的以下信息:FirstName, LastName, City, State
select p.FirstName,p.LastName,a.City,a.State from person as p left join address as a on p.PersonId=a.PersonId;
项目六:删除重复的邮箱(难度:简单)
编写一个 SQL 查询,来删除 email 表中所有重复的电子邮箱,重复的邮箱里只保留 Id 最小 的那个。
±—±--------+
| Id | Email |
±—±--------+
| 1 | [email protected] |
| 2 | [email protected] |
| 3 | [email protected] |
±—±--------+
Id 是这个表的主键。
例如,在运行你的查询语句之后,上面的 Person表应返回以下几行:
±—±-----------------+
| Id | Email |
±—±-----------------+
| 1 | [email protected] |
| 2 | [email protected] |
±—±-----------------+
select Id from email where Id in (select min(Id) from email group by Email);
delete e1 from email e1 inner join email e2 on e1.Email=e2.Email and e1.Id>e2.Id;