insert into tb_test values(1,'Tom'),(3, 'Cat'),(3, 'Jerry')....
start transaction; insert into tb_test values(1,'Tom'),(3, 'Cat'),(3, 'Jerry'); insert into tb_test values(4,'Tom'),(5, 'Cat'),(6, 'Jerry'); insert into tb_test values(7,'Tom'),(8, 'Cat'),(9, 'Jerry'); commit;
如果一次性需要插入大批量数据,使用insert语句插入性能较低,此时可以使用MySQL数据库提供的load指令插入。
# 客户端连接服务端时,加上参数 --local-infile mysql --local-infile -u root -p
# 查看全局参数local_infile是否开启 select @@local_infile; # 设置全局参数local_infile为1,开启从本地加载文件导入数据的开关 set global local_infile = 1; # 执行load指令将准备好的数据,加载到表结构中 # 将sql100w.sql文件的数据加载到tb_user表中 # 用逗号分隔字段 load data local infile '/root/sql100w.sql' into table 'tb_user' fields terminated by ',' lines terminated by '\n';
数据组织方式:在InnoDB存储引擎中,表数据都是根据主键顺序组织存放的,这种存储方式的表称为索引组织表(Index organized table, IOT)
MERGE_THRESHOLD:合并页的阈值,可以自己设置,在创建表或创建索引时指定。
主键设计原则:
在MySQL中排序分为以下两种清空:
#创建索引,两个字段,全部降序或全部升序会走这个索引 create index idx_user_age_phone+aa on tb_user(age,phone); #创建索引,一个升,一个降 create index idx_user_age_phone_ad on tb_user(age asc, phone desc);
总结:
注: 在创建多列索引时,要根据业务需求,where子句中使用最频繁的一列放在最左边。
如索引为idx_user_pro_age_stat,则句式可以是select ... where profession order by age,这样也符合最左前缀法则。
常见的问题:limit 2000000,10,此时需要 MySQL 排序前2000000条记录,但仅仅返回2000000 - 2000010的记录,其他记录丢弃,查询排序的代价非常大。
优化方案:一般分页查询时,通过创建覆盖索引能够比较好地提高性能,可以通过覆盖索引加子查询形式进行优化。
例如:
# 此语句耗时很长 select * from tb_sku limit 9000000, 10; # 通过覆盖索引加快速度,直接通过主键索引进行排序及查询出id select id from tb_sku order by id limit 9000000, 10; # 通过子查询查出所有字段 select * from tb_sku as s, (select id from tb_sku order by id limit 9000000, 10) as a where s.id = a.id;
select count(*) from tb_user;
count的几种用法:
各种用法的性能:
按效率排序:count(字段) < count(主键) < count(1) < count(*),所以尽量使用 count(*)
InnoDB 的行锁是针对索引加的锁,不是针对记录加的锁,并且该索引不能失效,否则会从行锁升级为表锁。
例如:
update student set no = '1' where id = 1; 这句由于id有主键索引,所以只会锁这一行;
update student set no = '1' where name = 'zheng'; 这句由于name没有索引,所以会把整张表都锁住进行数据更新,解决方法是给name字段添加索引;