MySQL数据库-表索引-唯一索引

所谓唯一索引,就是在创建索引时,限制索引的字段值必须是唯一的。通过该类型的索引可以比普通索引更快的查询某条记录。

创建表时定义索引

语法:

CREATE TABLE tablename(

        propName1 type1,

        propName2 type2,

        ...

        UNIQUE INDEX|KEY [indexname] (propName[(length)] [ASC|DESC]));

参数UNIQUE INDEX和UNIQUE KEY是用来指定字段为索引的,两者选择其中一个既可。参数indexname是索引名字,可省略。参数propName是索引对应的字段的名称,该字段必须为前面定义好的字段且必须定义为UNIQUE约束。参数length是可选参数,其指索引的长度,必须是字符串类型才可以使用。参数ASC和DESC都是可选参数,ASC表示升序排列,DESC表示降序排列,如果不指定,则为升序。

代码示例:

mysql> create table class(id int,name varchar(64),unique index name_index(name));    #创建表的同时创建唯一索引
mysql> show create table class;    #查看表的定义
mysql> insert into class values(1,'小红');    #插入数据
mysql> insert into class values(2,'小明');
mysql> select*from class where name='小红';    #根据name的值在唯一索引里查询
mysql> explain select*from class where name='小红';    #检测是否使用唯一索引

首先创建一个表同时创建唯一索引

MySQL数据库-表索引-唯一索引_第1张图片

 现在表class已经创建了唯一索引,索引名为name_index,默认为升序。

MySQL数据库-表索引-唯一索引_第2张图片

 为此表添加数据后,并用创建的唯一索引查询。

已存在的表上创建索引

方法一:

语法:

CREATE UNIQUE INDEX indexname ON tablename(propName[(length)] [ASC|DESC]);

代码示例:

mysql> create table class1(id int,name varchar(64));    #创建表class1
mysql> create unique index name_index1 on class1(name);    #对表class1追加唯一索引
mysql> insert into class1 values(1,'小红');    #添加数据
mysql> insert into class1 values(2,'小明');
mysql> select*from class1 where name like '小%';    #根据唯一索引模糊查询name所对应的值
mysql> explain select*from class where name like '小%';    #检测是否使用了唯一索引

MySQL数据库-表索引-唯一索引_第3张图片

MySQL数据库-表索引-唯一索引_第4张图片 

MySQL数据库-表索引-唯一索引_第5张图片创建好一个普通的表class1后,使用方法一对表class1追加唯一索引,然后添加数据,并用explain语句检测是否使用了唯一索引。

方法二:

ALTER TABLE tablename ADD UNIQUE INDEX|KEY indexname(propName[(length)] [ASC|DESC]);

代码示例:

mysql> create table class2(id int,name varchar(64));   
mysql> alter table class2 add unique index name_index2(name);
mysql> show create table class2;
mysql> insert into class2 values(2,'小明');
mysql> insert into class2 values(1,'小红');
mysql> explain select*from class2 where name like '小%';

MySQL数据库-表索引-唯一索引_第6张图片

MySQL数据库-表索引-唯一索引_第7张图片创建表class2后使用方法二追加唯一索引,此表唯一索引的名字为name_index2,并用explain语句查看到key检验是否使用了唯一索引。

你可能感兴趣的:(数据库)