存储关系
entry之间如果有某种关系也要将关系存储下来。
一对一:不常使用,一般在做优化时使用。
一对多:最常用,将关系存储在“多”这边。
多对多:两边都要存储关系。
建立关系
1.alter
alter table scores add constraint stu_sco foreign key(stuid) references student(id);
2.创建表时建立关系
create table scores(
id int primary key auto_increment,
stuid int,
subid int,
score decimal(5,2),
foreign key(stuid) references students(id),
foreign key(subid) references subjects(id)
);
插入数据
参考上一节内容,需要注意的是外键约束,如果主表中没有从表要插入的数据,则会抛出异。
删除 / 修改 数据
直接删除从表中的数据,参考上一节内容。
删除主表中的数据时需要考虑级联
1.在从表中删除数据时,恰好主表中用到了这条数据,则会抛出异常。
2.推荐使用逻辑删除,可以解决这个问题
3.可以在创建表时指定级联操作,也可以在创建表之后再修改外键的级联操作
restrict:限制,默认值,抛异常。
cascade:级联,如果主表的记录删除掉,则从表中的相关纪录都将被删除。
set null:将外键置空。
no action:什么都不做。
create table scores(
id int primary key auto_increment,
stuid int,
subid int,
score decimal(5,2),
foreign key(stuid) references students(id),
foreign key(subid) references subjects(id)
on delete cascade
on update cascade
);
alter table scores add constraint stu_sco foreign key(stuid) references student(id) on delete cascade on update cascade;
查询
连接查询
select students.name,subjects.title,scores.score
from scores
inner join students on scores.stuid = students.id
inner join subjects on scores.subid = subjects.id;
当需要对有关系的多张表进行查询时,需要使用join。
关键字:
表1 inner join 表2:内连接,表1与表2匹配的行会出现在结果中。
表1 right join 表2:右连接,表1与表2匹配的行会出现在结果中,外加表2中独有的数据,为对应的数据使用null填充。
表1 left join 表2:左连接,表1与表2匹配的行会出现在结果中,外加表1中独有的数据,为对应的数据使用null填充。
语法:
select ...
from 表1
right | left | inner join 表2 on [表1与表2的关系]
right | left | inner join 表3 on [表1与表3的关系] | [表2与表3的关系];
所以也可以这样写查询语句
select students.name,subjects.title,scores.score
from students
inner join scores on scores.stuid = students.id
inner join subjects on scores.subid = subjects.id;
自关联
例:
分析表结构可知,这三张表的结构几乎一样,并且创建一张新表的1代价是十分大的,所以我们可以考虑将这三张表合并为一张,这时字段pid就会指向本表的id,即为自关联,以此来提高数据库的性能。
create table areas(
id int primary key auto_increment not null,
title varchar(30),
pid int,
foreign key(pid) references areas(id));
查询:
select p.title as province,c.title as city
from areas as p
inner join areas as c on c.pid = p.id
where p.title = '河南'; //查找河南省所有的市