约束的作用:为了保证数据的有效性和完整性
mysql中常用的约束:
主键约束(primary key)
自增长约束(auto_incrment)加在整数型的字段配合主键约束来使用
唯一约束(unique)
非空约束(not null)
外键约束(foreign key)
枚举类型 sex ENUM(‘男’,‘女’)
非负约束 UNSIGNED
例如:TINYINT 也能表示的范围 -128------127
添加了这个约束 TINYINT UNSIGNED
注意:一张表只能有一个主键,这个主键可以包含多个字段
方式一:建表的同时添加约束 格式:字段名 字段类型 primary key
方式二:建表的同时在约束区域添加约束
所有的字段声明完成之后,就是约束区域了
格式: primary key(字段1,字段2)
正确:
create table pk01(
id int,
username varchar(20),
primary key (id)
);
添加值
insert into pk01 values(1,'tom');-- 成功
insert into pk01 values(1,'tom');-- 失败 Duplicate entry '1' for key 'PRIMARY'
insert into pk01 values(null,'tom');-- 失败 Column 'id' cannot be null
错误:
create table pk01(
id int primary key,
username varchar(20),
primary key (id)
);-- 错误的 一张表只能有一个主键
方式三:建表之后通过修改表结构添加约束
建表之后
create table pk02(
id int,
username varchar(20)
);
添加主键
alter table pk02 add primary key(字段名1,字段名2..);
alter table pk02 add primary key(id,username);
添加值
insert into pk02 values(1,'tom');-- 成功
insert into pk02 values(1,'tomcat');-- 成功
insert into pk02 values(1,'tomcat');-- 失败
create table un(
id int unique,
username varchar(20) unique
);
insert into un value(10,'tom');-- 成功
insert into un value(10,'jack');-- 错误 Duplicate entry '10' for key 'id'
insert into un value(null,'jack');-- 成功
insert into un value(null,'rose');-- 成功
create table un01(
id int,
username varchar(20)
);
alter table un01 add unique(id,username);
insert into un01 values(1,'tom');-- 成功
insert into un01 values(1,'jack');-- 成功
insert into un01 values(1,'tom');-- 失败 Duplicate entry '1-tom' for key 'id'
create table nn(
id int not null,
username varchar(20) not null
);
insert into nn values(null,'tom');-- 错误的 Column 'id' cannot be null
deelte逐条删除,truncate 干掉表,重新创建一张空表
create table ai01(
id varchar(10) auto_increment
);-- 错误 Incorrect column specifier for column 'id'
create table ai01(
id int auto_increment
);-- 错误 Incorrect table definition; there can be only one auto column and it must be defined as a key