mysql 索引
程序员文章站
2022-03-30 18:28:52
一、索引是什么 索引 就是目录 二、索引有什么用 索引的用处就是查东西的时候不用一页一页的翻找 你根据索引就能直接跳到精准的那一页 三、设计原则 1. 条件做索引 可以这么说,最适合做索引的字段是出现在where条件中的字段,或表连接子句中的字段。 2. 尽量唯一字段做索引 如果有某个字段重复量很少 ......
自己在mysql 上体验一下索引
登录
mysql -u root -p 123;
// root 为账号,123是密码。这是我的,你们自己输自己的。
创建一个数据库,用于测试
create database test_index;
// 创建了一个名为 test_index的数据库;
然后创建一张表
create table book(
id mediumint primary key not null,
price tinyint,
author varchar(1),
publisher varchar(1)
);
// 查看一下表是不是按我们预期定义
desc book;
然后往数据库中插入数据。
- 通过自己造了100W条数据。时间有点久,好像要一个多小时才能全部插入数据库。
import pymysql
import random
# 连接数据库 这里的用户名,密码和数据库要改成自己电脑的。
connect=pymysql.connect(
host='localhost',
port=3306,
user='root',
password='123',
db='test_index',
charset='utf8'
)
cursor=connect.cursor()
for i in range(1000000):
price=random.uniform(0,100)
author=(chr)(random.randint(0,25)+ord('A'))
publisher=(chr)(random.randint(0,25)+ord('a'))
# print(price,author,publisher)
order="insert into book(id,price,author,publisher) values(%d,%.3f,'%s','%s')"%(i,price,author,publisher)
# print(order)
try:
cursor.execute(order)
connect.commit()
except Exception:
print("发生异常",Exception,"错误命令",order)
connect.rollback()
cursor.close()
connect.close()
然后就是开始干正事了,试试索引。
先看看没加索引查询
// 查询单价在[30,50]的书有几本
select count(*) from book where price >=30 and price <= 50;
// 查看作者为A 的书有几本
select count(*) from book where author = 'A';
两次查询基本都是要0.3秒。
普通索引
// 为price列创建普通索引
create index index_price on book(price);
select count(*) from book where price >=30 and price <= 50;
// 为author列创建普通索引
create index index_author on book(author);
select count(*) from book where author = 'A';
可以发现建立索引后时间的确是变短了。
查看表当前有哪些索引
// 这两个都可以查看指定表的定义的索引。
show index from book;
show keys from book;
删除索引
// 删除之前插入的索引
drop index index_price on book;
drop index index_author on book;
- 可以看到,在100w的数据量下,有无索引就可以差数十倍。如果上亿条的话差距会更明晰。但是,创建索引也会消耗一定的空间和时间的。
本文地址:https://blog.csdn.net/weixin_42241455/article/details/107664828