什么是索引?
索引用于快速找出在某个列中有一特定值的行,不使用索引,MySQL必须从第一条记录开始读完整个表,直到找出相关的行,表越大,查询数据所花费的时间就越多,如果表中查询的列有一个索引,MySQL能够快速到达一个位置去搜索数据文件,而不必查看所有数据,那么将会节省很大一部分时间。
MySQL中索引的优缺点和使用原则
所有的MySql字段都可以用作索引
大大加快数据的查询速度
对经常用于查询的字段应该创建索引,
数据量小的表最好不要使用索引,索引就可能不会产生优化效果。
普通索引: MySQL中基本索引类型,没有什么限制,允许在定义索引的列中插入重复值和空值,纯粹为了查询数据更快一点。
唯一索引(唯一键): 索引列中的值必须是唯一的,但是允许为空值,
主键索引:是一种特殊的唯一索引,不允许有空值。
具体可以参考文档
create table test1(
id int,
name varchar(20),
index idx_name(name) #创建索引
create table test2(
id int,
name varchar(20),
create index idx_name on test2(name); #创建索引
create table test3(
id int,
name varchar(20),
alter table test3 add index idx_name(name);
create table test4(
id int,
name varchar(20),
unique index idx_name(name) #创建索引
create table test5(
id int,
name varchar(20),
create unique index idx_name on test5(name); #创建索引
create table test6(
id int,
name varchar(20),
alter table test6 add unique index idx_name(name);
4.删除索引
drop index idx_name on test6
数据完整性
实体完整性(行的完整性)
一行数据是否完整, 如果多条数据相同, 无法区分, 我们称之为实体不完整
name score
lnj 100
lnj 100
解决方案:
- 添加主键约束
id name score
1 lnj 100
2 lnj 100
- 添加唯一键约束
name score
lnj 100
zq 100
- 自动增长列
id name score
1 lnj 100
2 lnj 100
域完整性(列完整性)
某一列数据是否完整, 如果出现null, 不匹配的数据 都表示不完整
id name score
1 lnj 100
2 zq null
2 zq tyt
- 数据类型约束
id name score
1 lnj 100
2 zq null
2 zq 0
解决方案:
- 非空约束
id name score
1 lnj 100
2 zq 0
2 zq 0
- 默认值约束
id name score
1 lnj 100
2 zq 59.5
2 zq 0
引用完整性
默认情况下多张表之间是没有任何关系的, 所以给A表可以随意插入数据, 给B表也可以随意插入数据
例如有一张学生表和一张成绩表, 要求成绩表中保存的必须是学生表中每个学生的成绩
+ 学生表
+ id name
+ 1 lnj
+ 2 zq
+ 成绩表
+ id stuid score
+ 1 1 100
+ 2 3 99
+ 3 2 86
可以通过外键约束添加表与表之间的关系,告诉MySQL在插入数据的时候, 检查是否存在依赖的数据, 存在才可以插入.
例如: 成绩表中的stuid引用了学生表中的id, 那么stuid我们就称之为外键
注意点: 成绩表中的stuid引用了学生表中的id, 那么成绩表我们称之为"从表", 学生表称之为主表
create table stugrade2(
id int auto_increment primary key,
stuid int,
score float,
#告诉MySQL将stuid作为外键, 值是引用stuinfo中的id
foreign key(stuid) references stuinfo(id)
insert into stugrade2 values(null, 3, 100); #报错, 因为sutinfo中没有id为3的人
insert into stuinfo values(null, 'lnj');
insert into stugrade2 values(null, 3, 100); #报错, 因为sutinfo中没有id为3的人
insert into stugrade2 values(null, 1, 100);
delete from stuinfo where id=1; #报错, 因为有其它表引用这这条数据
外键的特点
主表中没有对应的数据, 从表不能插入, 因为插入之后数据也不完整
从表引用这主表的数据, 主表不能删除该数据, 因为删除之后数据也不完整
show create table stugrade3\G;
alter table stugrade3 drop foreign key stugrade3_ibfk_1;
外键相关的操作
- 严格模式(默认)
+ 主表不存在对应的数据, 从表不允许插入
+ 从表引用着主表的数据, 主表不能删除
+ 从表引用着主表的数据, 主表不能修改
- 置空操作
+ 如果主表中的数据被删除了, 从表中对应的字段变为null, 我们就称之为置空操作
+ 流入: 主表中id为1的人被删除了, 那么从表中的stuid变为null
- 级联操作
+ 如果主表发生了变化, 从表也跟着变化, 我们就称之为级联操作
+ 例如: 主表中'lnj'的id从1变为3, 那么从表中的stuid也从1变为3
- 格式:
foreign key(字段) references 主表名(主表主键)[主表删除的动作][主表更新的动作]
create table stugrade(
id int auto_increment primary key,
stuid int,
score float,
#注意点: 一般在企业开发中都是删除就清空, 更新就随着更新
foreign key(stuid) references stuinfo(id) on delete set null on update cascade