物理上(聚集索引&非聚集索引)/逻辑上
优点:提高查询效率
缺点:CPU负荷太重。磁盘I/O
普通索引/二级索引:数量不限。一张表的一次查询只能用一个索引
唯一性索引:UNIQUE,主键索引隶属于唯一性索引
主键索引:Primary Key自动创建索引(InnoDB如果用户没有设置索引,会自动添加。因为它数据和索引两个一起)
单列索引:在一个字段上创建索引
多列索引:在表的多个字段上创建索引(多列索引必须使用到第一个列,才能用到多列索引,否则索引用不到)
全文索引:使用FULLTEXT参数可以设置全文索引,只支持CHAR,VARCHAR和TEXT类型的字段上,常用于数据量较大的字符串类型上(可以用elasticsearch 简称es(Java) 这个搜索引擎替代 workflow(C++))
创建索引
在创建时创建
以下是联合索引 和 两个单独索引。没写索引名的话默认添加
mysql> CREATE TABLE index1(id INT,
-> name VARCHAR(20),
-> sex ENUM('M','W'),
-> INDEX(id, name)
-> );
Query OK, 0 rows affected (0.02 sec)
Create Table: CREATE TABLE `index1` (
`id` int(11) DEFAULT NULL,
`name` varchar(20) DEFAULT NULL,
`sex` enum('M','W') DEFAULT NULL,
KEY `id` (`id`,`name`)
) ENGINE=InnoDB DEFAULT CHARSET=latin1
1 row in set (0.00 sec)
mysql> CREATE TABLE index1(id INT,
-> name VARCHAR(20),
-> sex ENUM('M','W'),
-> INDEX(id),
-> INDEX(name)
-> );
Query OK, 0 rows affected (0.02 sec)
mysql> show create table index1\G
*************************** 1. row ***************************
Table: index1
Create Table: CREATE TABLE `index1` (
`id` int(11) DEFAULT NULL,
`name` varchar(20) DEFAULT NULL,
`sex` enum('M','W') DEFAULT NULL,
KEY `id` (`id`),
KEY `name` (`name`)
) ENGINE=InnoDB DEFAULT CHARSET=latin1
1 row in set (0.00 sec)
在已创建的表上
CREATE [UNIQUE] INDEX 索引名 ON 表名(属性名(length) [ASC | DESC]);
mysql> CREATE INDEX index_name on index1 (name);
Query OK, 0 rows affected (0.01 sec)
Records: 0 Duplicates: 0 Warnings: 0
mysql> show create table index1\G
*************************** 1. row ***************************
Table: index1
Create Table: CREATE TABLE `index1` (
`id` int(11) DEFAULT NULL,
`name` varchar(20) DEFAULT NULL,
`sex` enum('M','W') DEFAULT NULL,
KEY `index_name` (`name`)
) ENGINE=InnoDB DEFAULT CHARSET=latin1
1 row in set (0.00 sec)
删除索引
DROP INDEX 索引名 ON 表名;
mysql> drop INDEX index_name on index1;
Query OK, 0 rows affected (0.00 sec)
Records: 0 Duplicates: 0 Warnings: 0
mysql> show create table index1\G
*************************** 1. row ***************************
Table: index1
Create Table: CREATE TABLE `index1` (
`id` int(11) DEFAULT NULL,
`name` varchar(20) DEFAULT NULL,
`sex` enum('M','W') DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=latin1
1 row in set (0.00 sec)
相关优化
- 经常作为where条件过滤的字段考虑添加索引
- 字符串列创建索引时,尽量规定索引的长度,能保证识别就行了
- 索引字段涉及类型强转、mysql函数调用、表达式计算等,索引就用不上了。(where条件过滤字段时有类型转换或函数用不到索引)
一个例子。(第三小点)
mysql> CREATE INDEX idx ON t_user (password);
Query OK, 0 rows affected (2.39 sec)
Records: 0 Duplicates: 0 Warnings: 0
mysql> select * from t_user where password=1000000;
+---------+----------------+----------+
| id | email | password |
+---------+----------------+----------+
| 1000000 | 1000000@qq.com | 1000000 |
+---------+----------------+----------+
1 row in set (0.48 sec)
mysql> select * from t_user where password='1000000';
+---------+----------------+----------+
| id | email | password |
+---------+----------------+----------+
| 1000000 | 1000000@qq.com | 1000000 |
+---------+----------------+----------+
1 row in set (0.00 sec)