您好,欢迎访问一九零五行业门户网

MySQL知识总结之SQL优化、索引优化、锁机制、主从复制

本篇文章给大家带来了关于mysql的相关知识,主要介绍了关于sql优化、索引优化、锁机制和主从复制的相关问题,希望对大家有帮助。
推荐学习:mysql学习教程
0 存储引擎介绍
myisam存储:如果表对事务要求不高,同时是以查询和添加为主的,我们考虑使用myisam存储引擎,比如bbs 中的发帖表,回复表
需要定时进行碎片整理(因为删除的数据还是存在):optimize table table_name;
innodb存储:对事务要求高,保存的数据都是重要数据,我们建议使用inn0db,比如订单表,账号表.
面试问myisam和innodb的区别:
1.事务安全2.查询和添加速度3.支持全文索引4.锁机制5.外键myisam不支持外键,innodb 支持外键.mermory存储:比如我们数据变化频繁,不需要入库,同时又频繁的查询和修改,我们考虑使用memory
查看mysql以提供什么存储引擎:show engines;
查看mysql当前默认的存储引擎:show variables like '%storage_engine%';
1 sql性能分析sql性能下降原因:
1、查询语句写的烂2、索引失效(数据变更)3、关联查询太多join(设计缺陷或不得已的需求)4、服务器调优及各个参数设置(缓冲、线程数等)通常sql调优过程:
观察,至少跑1天,看看生产的慢sql情况。开启慢查询日志,设置阙值,比如超过5秒钟的就是慢sql,并将它抓取出来。explain + 慢sql分析。show profile。运维经理 or dba,进行sql数据库服务器的参数调优。总结:
1、慢查询的开启并捕获2、explain + 慢sql分析3、show profile查询sql在mysql服务器里面的执行细节和生命周期情况4、sql数据库服务器的参数调优2 常见通用的join查询sql执行加载顺序手写顺序:
select distinct    <select_list>from    <left_table> <join_type>join <right_table> on <join_codition> //join_codition:比如员工的部门id和部门表的主键id相同where    <where_condition>group by    <group_by_list>having    <having_condition>order by    <order_by_condition>limit    <limit_number>
mysql机读顺序:
1 from <left_table>2 on <join_condition>3 <join_type> join <right_table>4 where <where_condition>5 group by <group_by_list>6 having <having_condition>7 select8 distinct <select_list>9 order by <order_by_condition>10 limit <limit_number>
总结:
运行顺序一上一下
七种join写法
创建表插入数据(左右主外键相连):
create table tbl_dept( id int(11) not null auto_increment, deptname varchar(30) default null, locadd varchar(40) default null, primary key(id))engine=innodb auto_increment=1 default charset=utf8;//设置存储引擎,主键自动增长和默认文本字符集create table tbl_emp ( id int(11) not null auto_increment, name varchar(20) default null, deptid int(11) default null, primary key (id), key fk_dept_id (deptid) #constraint 'fk_dept_id' foreign key ('deptid') references 'tbl_dept'('id'))engine=innodb auto_increment=1 default charset=utf8;insert into tbl_dept(deptname,locadd) values('rd',11);insert into tbl_dept(deptname,locadd) values('hr',12);insert into tbl_dept(deptname,locadd) values('mk',13);insert into tbl_dept(deptname,locadd) values('mis',14);insert into tbl_dept(deptname,locadd) values('fd',15);insert into tbl_emp(name,deptid) values('z3',1);insert into tbl_emp(name,deptid) values('z4',1);insert into tbl_emp(name,deptid) values('z5',1);insert into tbl_emp(name,deptid) values('w5',2);insert into tbl_emp(name,deptid) values('w6',2);insert into tbl_emp(name,deptid) values('s7',3);insert into tbl_emp(name,deptid) values('s8',4);insert into tbl_emp(name,deptid) values('s9',51);#查询执行后结果mysql> select * from tbl_dept;+----+----------+--------+| id | deptname | locadd |+----+----------+--------+|  1 | rd       | 11     ||  2 | hr       | 12     ||  3 | mk       | 13     ||  4 | mis      | 14     ||  5 | fd       | 15     |+----+----------+--------+5 rows in set (0.00 sec)mysql> select * from tbl_emp;+----+------+--------+| id | name | deptid |+----+------+--------+|  1 | z3   |      1 ||  2 | z4   |      1 ||  3 | z5   |      1 ||  4 | w5   |      2 ||  5 | w6   |      2 ||  6 | s7   |      3 ||  7 | s8   |      4 ||  8 | s9   |     51 |+----+------+--------+8 rows in set (0.00 sec)
1、inner join:只有 deptid 和 id 的共有部分
2、left join(全a):前七条共有数据;第八条a表独有数据,b表补null
3、right join(全b):前七条共有数据;第八条b表独有数据,a表补null
4、左join独a:表a独有部分
5、右join独b:表b独有部分
6、full join:mysql不支持full join,用全a+全b,union去重中间部分
union关键字可以合并去重
7、a、b各自独有集合
3 索引介绍3.1 索引是什么mysql官方对索引的定义为:索引(index)是帮助mysql高效获取数据的数据结构(索引的本质是数据结构,排序+查询两种功能)。
索引的目的在于提高查询效率,可以类比字典。
如果要查“mysql”这个单词,我们肯定需要定位到m字母,然后从下往下找到y字母,再找到剩下的sql。
如果没有索引,那么你可能需要逐个逐个寻找,如果我想找到java开头的单词呢?或者oracle开头的单词呢?
是不是觉得如果没有索引,这个事情根本无法完成?
索引可以理解为:排好序的快速查找数据结构
下图就是一种可能的索引方式示例:
假如:找4号这本书,扫码得到对应的编号为91,91比34大往右边找,91比89大往右边找,然后找到(比较三次后就可以找到,然后检索出对应的物理地址)
为了加快col2的查找,可以维护一个右边所示的二叉查找树,每个节点分别包含索引键值和一个指向对应数据记录物理地址的指针,这样就可以运用二叉查找在一定的复杂度内获取到相应数据,从而快速的检索出符合条件的记录
结论:在数据之外,数据库系统还维护着满足特定查找算法的数据结构,这些数据结构以某种方式引用(指向)数据,这样就可以在这些数据结构上实现高级查找算法。这种数据结构,就是索引
一般来说索引本身也很大,不可能全部存储在内存中,因此索引往往以索引文件的形式存储的磁盘上。
我们平常所说的索引,如果没有特别指明,都是指b树(多路搜索树,并不一定是二叉的)结构组织的索引。其中聚集索引,次要索引,覆盖索引,复合索引,前缀索引,唯一索引默认都是使用b+树索引,统称索引。当然,除了b+树这种类型的索引之外,还有哈稀索引(hash index)等
3.2 索引优劣势优势:
类似大学图书馆建书目索引,提高数据检索的效率,降低数据库的io成本。通过索引列对数据进行排序,降低数据排序的成本,降低了cpu的消耗。劣势:
实际上索引也是一张表,该表保存了主键与索引字段,并指向实体表的记录,所以索引列也是要占用空间的(占空间)虽然索引大大提高了查询速度,同时却会降低更新表的速度,如对表进行insert、update和delete。因为更新表时,mysql不仅要保存数据,还要保存一下索引文件每次更新添加了索引列的字段,都会调整因为更新所带来的键值变化后的索引信息。索引只是提高效率的一个因素,如果你的mysql有大数据量的表,就需要花时间研究建立最优秀的索引,或优化查询3.3 索引分类和建索引命令语句主键索引:索引值必须是唯一的,且不能为null
第一种:create table table_name(id int primary key aoto_increment,name varchar(10));第二种: alter table table_name add primary key (columnname);普通索引:索引值可出现多次
第一种:create index index_name on table_name(columnname);第二种:alter table table_name add index index_name (columnname);全文索引:主要是针对文本的检索,如:文章,全文索引只针对myisam引擎有效,并且只针对英文内容生效
建表时创建
#建表create table articles( id int unsigned atuo_increment not null primary key, title varchar(200), body text, fulltext(title,body))engine=myisam charset utf8; #指定引擎#使用select * from articles where match(title,body) against('英文内容'); #只针对英语内容生效#说明#1、在mysql中fultext索引只针对 myisam 生效#2、mysq1自己提供的flltext只针对英文生效->sphinx (coreseek)技术处理中文工#3、使用方法是match(字段名...) against(‘关键字')#4、全文索引一个叫停止词,因为在一个文本中创建索引是一个无穷大的数,因此对一些常用词和字符就不会创建,这些词称为停止词
alter table table_name add fulltext index_name (columnname);
唯一索引:索引列的值必须唯一,但允许有空值null,并可以有多个。
第一种: create unique index index_name on table_name(columnname);第二种:alter table table_name add unique index index_name on (columnname);单值索引:即一个索引只包含单个列,一个表可以有多个单列索引。
第一种: create index index_name on table_name(columnname);第二种:alter table table_name add index index_name on (columnname);select * from user where name='';//经常查name字段,为其建索引create index idx_user_name on user(name);
复合索引:即一个索引包含多个列
第一种: create index index_name on table_name(columnname1,columnname2...);第二种:alter table table_name add index index_name on (columnname1,columnname2...);select * from user where name='' and email='';//经常查name和email字段,为其建索引create index idx_user_name on user(name, email);
查询索引
第一种:show index from table_name;第二种:show keys from table_name;删除索引
第一种: drop index index_name on table_name;第二种:alter table table_name drop index index_name;删除主键索引:alter tbale table_name drop primary key;3.4 索引结构与检索原理mysql索引结构:
btree索引hash索引full-text全文索引r-tree索引
初始化介绍
一颗b+树,浅蓝色的块我们称之为一个磁盘块,可以看到每个磁盘块包含几个数据项(深蓝色所示)和指针(黄色所示),如磁盘块1包含数据项17和35,包含指针p1、p2、p3,
p1表示小于17的磁盘块,p2表示在17和35之间的磁盘块,p3表示大于35的磁盘块。
真实的数据存在于叶子节点:3、5、9、10、13、15、28、29、36、60、75、79、90、99。
非叶子节点只不存储真实的数据,只存储指引搜索方向的数据项,如17、35并不真实存在于数据表中。
查找过程
如果要查找数据项29,那么首先会把磁盘块1由磁盘加载到内存,此时发生一次io。在内存中用二分查找确定 29 在 17 和 35 之间,锁定磁盘块1的p2指针,内存时间因为非常短(相比磁盘的io)可以忽略不计,通过磁盘块1的p2指针的磁盘地址把磁盘块3由磁盘加载到内存,发生第二次io,29 在 26 和 30 之间,锁定磁盘块3的p2指针,通过指针加载磁盘块8到内存,发生第三次io,同时内存中做二分查找找到29,结束查询,总计三次io
真实的情况是,3层的b+树可以表示上百万的数据,如果上百万的数据查找只需要三次io,性能提高将是巨大的,如果没有索引,每个数据项都要发生一次io,那么总共需要百万次的io,显然成本非常非常高
3.5 哪些情况适合建索引主键自动建立唯一索引频繁作为查询条件的字段应该创建索引查询中与其它表关联的字段,外键关系建立索引单键/组合索引的选择问题,who?(在高并发下倾向创建组合索引)查询中排序的字段,排序字段若通过索引去访问将大大提高排序速度查询中统计或者分组字段3.6 哪些情况不适合建索引where条件里用不到的字段不创建索引表记录太少(300w以上建)经常增删改的表(提高了查询速度,同时却会降低更新表的速度,如对表进行insert、update和delete。因为更新表时,mysql不仅要保存数据,还要保存一下索引文件)数据重复且分布平均的表字段,因此应该只为最经常查询和最经常排序的数据列建立索引。注意,如果某个数据列包含许多重复的内容,为它建立索引就没有太大的实际效果。(比如:国籍、性别)假如一个表有10万行记录,有一个字段a只有t和f两种值,且每个值的分布概率天约为50%,那么对这种表a字段建索引一般不会提高数据库的查询速度。
索引的选择性是指索引列中不同值的数目与表中记录数的比。如果一个表中有2000条记录,表索引列有1980个不同的值,那么这个索引的选择性就是1980/2000=0.99。一个索引的选择性越接近于1,这个索引的效率就越高
4 性能分析4.1 性能分析前提知识mysql query optimizer(查询优化器)[ˈkwɪəri] [ˈɒptɪmaɪzə]
mysql中专门负责优化select语句的优化器模块,主要功能:通过计算分析系统中收集到的统计信息,为客户端请求的query提供他认为最优的执行计划(他认为最优的数据检索方式,但不见得是dba认为是最优的,这部分最耗费时间)
当客户端向mysql请求一条query,命令解析器模块完成请求分类,区别出是select并转发给mysql query optimizer时,mysql query optimizer首先会对整条query进行优化,处理掉一些常量表达式的预算直接换算成常量值。并对query中的查询条件进行简化和转换,如去掉一些无用或显而易见的条件、结构调整等。然后分析query 中的 hint信息(如果有),看显示hint信息是否可以完全确定该query的执行计划。如果没有hint 或hint信息还不足以完全确定执行计划,则会读取所涉及对象的统计信息,根据query进行写相应的计算分析,然后再得出最后的执行计划
mysql常见瓶颈:
cpu:cpu在饱和的时候一般发生在数据装入内存或从磁盘上读取数据时候io:磁盘i/o瓶颈发生在装入数据远大于内存容量的时候服务器硬件的性能瓶颈:top,free,iostat和vmstat来查看系统的性能状态4.2 explain使用简介使用explain关键字可以模拟优化器执行sql查询语句,从而知道mysql是如何处理你的sql语句的。分析你的查询语句或是表结构的性能瓶颈
官网地址
explain的作用:
表的读取顺序数据读取操作的操作类型哪些索引可以使用哪些索引被实际使用表之间的引用每张表有多少行被优化器查询使用explain:
explain + sql语句执行计划包含的信息(重点) :| id | select_type | table | partitions | type | possible_keys | key | key_len | ref | rows | filtered | extra |mysql> select * from tbl_emp;+----+------+--------+| id | name | deptid |+----+------+--------+|  1 | z3   |      1 ||  2 | z4   |      1 ||  3 | z5   |      1 ||  4 | w5   |      2 ||  5 | w6   |      2 ||  6 | s7   |      3 ||  7 | s8   |      4 ||  8 | s9   |     51 |+----+------+--------+8 rows in set (0.00 sec)mysql> explain select * from tbl_emp;+----+-------------+---------+------------+------+---------------+------+---------+------+------+----------+-------+| id | select_type | table   | partitions | type | possible_keys | key  | key_len | ref  | rows | filtered | extra |+----+-------------+---------+------------+------+---------------+------+---------+------+------+----------+-------+|  1 | simple      | tbl_emp | null       | all  | null          | null | null    | null |    8 |   100.00 | null  |+----+-------------+---------+------------+------+---------------+------+---------+------+------+----------+-------+1 row in set, 1 warning (0.00 sec)
4.3 执行计划包含的信息字段解释(重中之重)执行计划包含的信息(重点) :| id | select_type | table | partitions | type | possible_keys | key | key_len | ref | rows | filtered | extra |
面试重点:id、type、key、rows、extra
id(表的读取顺序)select查询的序列号,包含一组数字,表示查询中执行select子句或操作表的顺序
三种情况:
1、id相同,执行顺序由上至下(t1、t3、t2)
2、id不同,如果是子查询,id的序号会递增,id值越大优先级越高,越先被执行(t3、t1、t2)
3、id相同不同,同时存在。先走数字大的,数字相同的由上至下(t3、s1、t2)
select_type( 数据读取操作的操作类型)查询的类型,主要是用于区别普通查询、联合查询、子查询等的复杂查询。
simple [ˈsɪnpl] :简单的select查询,查询中不包含子查询或者unionprimary:查询中若包含任何复杂的子部分,最外层查询则被标记为(最后加载的那个)subquery [ˈkwɪəri] :在select或where列表中包含了子查询derived [dɪˈraɪvd]:在from列表中包含的子查询被标记为derived(衍生)mysql会递归执行这些子查询,把结果放在临时表里union [ˈjuːniən]:若第二个select出现在union之后,则被标记为union;若union包含在from子句的子查询中外层select将被标记为:derivedunion result [rɪˈzʌlt] :从union表获取结果的select(两个select语句用union合并)table(显示执行的表名)显示这一行的数据是关于哪张表的
type(访问类型排列)显示查询使用了何种类型
访问类型排列:system > const > eq_ref > ref > fulltext > ref_or_null > index_merge > unique_subquery > index_subquery > range > index >all
type常用八种类型:
结果值从最好到最坏依次是(重点)::system > const > eq_ref > ref > range > index > all
一般来说,得保证查询至少达到range级别,最好能达到ref
详细说明
system:表只有一行记录(等于系统表),这是const类型的特列,平时不会出现,这个也可以忽略不计。
const:表示通过索引一次就找到了,const用于比较primary key或者unique索引。因为只匹配一行数据,所以很快如将主键置于where列表中,mysql就能将该查询转换为一个常量。
eq_ref:唯一性索引扫描,对于每个索引键,表中只有一条记录与之匹配。常见于主键或唯一索引扫描。
ref:非唯一性索引扫描,返回匹配某个单独值的所有行,本质上也是一种索引访问,它返回所有匹配某个单独值的行,然而,它可能会找到多个符合条件的行,所以他应该属于查找和扫描的混合体
range:只检索给定范围的行,使用一个索引来选择行。key列显示使用了哪个索引一般就是在你的where语句中出现了between、<、>、in等的查询。这种范围扫描索引扫描比全表扫描要好,因为它只需要开始于索引的某一点,而结束语另一点,不用扫描全部索引
index:full index scan,index与all区别为index类型只遍历索引列。这通常比all快,因为索引文件通常比数据文件小(也就是说虽然all和index都是读全表,但index是从索引中读取的,而all是从硬盘中读的)
all:full table scan,将遍历全表以找到匹配的行
工作案例:经理这条sql我跑了一下explain分析,在系统上可能会有all全表扫描的情况,建议尝试一下优化。我把这条sql改了改,我优化后是这么写,这个效果已经从all变成了…
possible_keys(哪些索引可以使用)显示可能应用在这张表中的索引,一个或多个。查询涉及到的字段火若存在索引,则该索引将被列出,但不一定被查询实际使用(系统认为理论上会使用某些索引)
key(哪些索引被实际使用)实际使用的索引。如果为null,则没有使用索引(要么没建,要么建了失效)
查询中若使用了覆盖索引,则该索引仅出现在key列表中
覆盖索引:建的索引字段和查询的字段一致,如下图
key_len(消耗的字节数)表示索引中使用的字节数,可通过该列计算查询中使用的索引的长度。在不损失精确性的情况下,长度越短越好
key_len显示的值为索引字段的最大可能长度,并非实际使用长度,即key_len是根据表定义计算而得,不是通过表内检索出的
ref(表之间的引用)显示索引的哪一列被使用了,如果可能的话,是一个常数。哪些列或常量被用于查找索引列上的值。
rows(每张表有多少行被优化器查询)根据表统计信息及索引选用情况,大致估算出找到所需的记录所需要读取的行数(越小越好)
未建索引时:
建索引后:扫描行数减少
extra [ˈekstrə]包含不适合在其他列中显示但十分重要的额外信息
信息种类:using filesort 、using temporary 、using index 、using where 、using join buffer 、impossible where 、select tables optimized away 、distinct
using filesort(需要优化)
说明mysql会对数据使用一个外部的索引排序,而不是按照表内的索引顺序进行读取。mysql中无法利用索引完成的排序操作称为文件排序
using temporary(需要优化)
使了用临时表保存中间结果,mysql在对查询结果排序时使用临时表。常见于排序order by和分组查询group by
using index(good)
表示相应的select操作中使用了覆盖索引(covering index),避免访问了表的数据行,效率不错!
情况一:
情况二:
覆盖索引 / 索引覆盖(covering index)。
理解方式一:就是select的数据列只用从索引中就能够取得,不必读取数据行,mysql可以利用索引返回select列表中的字段,而不必根据索引再次读取数据文件,换句话说查询列要被所建的索引覆盖。
理解方式二:索引是高效找到行的一个方法,但是一般数据库也能使用索引找到一个列的数据,因此它不必读取整个行。毕竟索引叶子节点存储了它们索引的数据;当能通过读取索引就可以得到想要的数据,那就不需要读取行了。一个索引包含了(或覆盖了)满足查询结果的数据就叫做覆盖索引。注意:
如果要使用覆盖索引,一定要注意select列表中只取出需要的列,不可select*因为如果将所有字段一起做索引会导致索引文件过大,查询性能下降using where:表明使用了where过滤。
using join buffer:使用了连接缓存
impossible where:where子句的值总是false,不能用来获取任何元组
select tables optimized away
在没有groupby子句的情况下,基于索引优化min/max操作,或者对于myisam存储引擎优化count(*)操作,不必等到执行阶段再进行计算,查询执行计划生成的阶段即完成优化。
distinct
优化distinct操作,在找到第一匹配的元组后即停止找同样值的动作。
练习写出下图的表的执行顺序
第一行(执行顺序4):id列为1,表示是union里的第一个select,select_type列的primary表示该查询为外层查询,table列被标记为,表示查询结果来自一个衍生表,其中derived3中3代表该查询衍生自第三个select查询,即id为3的select。【select d1.name… 】
第二行(执行顺序2):id为3,是整个查询中第三个select的一部分。因查询包含在from中,所以为derived。【select id,namefrom t1 where other_column=’’】
第三行(执行顺序3):select列表中的子查询select_type为subquery,为整个查询中的第二个select。【select id from t3】
第四行(执行顺序1):select_type为union,说明第四个select是union里的第二个select,最先执行【select name,id from t2】
第五行(执行顺序5):代表从union的临时表中读取行的阶段,table列的<union1,4>表示用第一个和第四个select的结果进行union操作。【两个结果union操作】
5 索引优化5.1 索引单表优化案例建表:
create table if not exists article( id int(10) unsigned not null primary key auto_increment, author_id int(10) unsigned not null, category_id int(10) unsigned not null, views int(10) unsigned not null, comments int(10) unsigned not null, title varchar(255) not null, content text not null);insert into article(author_id,category_id,views,comments,title,content)values(1,1,1,1,'1','1'),(2,2,2,2,'2','2'),(1,1,3,3,'3','3');//查询mysql> select * from article;+----+-----------+-------------+-------+----------+-------+---------+| id | author_id | category_id | views | comments | title | content |+----+-----------+-------------+-------+----------+-------+---------+|  1 |         1 |           1 |     1 |        1 | 1     | 1       ||  2 |         2 |           2 |     2 |        2 | 2     | 2       ||  3 |         1 |           1 |     3 |        3 | 3     | 3       |+----+-----------+-------------+-------+----------+-------+---------+3 rows in set (0.00 sec)
案例
要求:查询 category_id 为 1 且 comments 大于1 的情况下,views 最多的 article_id
//功能实现mysql> select id, author_id from article where category_id = 1 and comments > 1 order by views desc limit 1;+----+-----------+| id | author_id |+----+-----------+|  3 |         1 |+----+-----------+1 row in set (0.00 sec)//explain分析mysql> explain select id, author_id from article where category_id = 1 and comments > 1 order by views desc limit 1;+----+-------------+---------+------------+------+---------------+------+---------+------+------+----------+-----------------------------+| id | select_type | table   | partitions | type | possible_keys | key  | key_len | ref  | rows | filtered | extra                       |+----+-------------+---------+------------+------+---------------+------+---------+------+------+----------+-----------------------------+|  1 | simple      | article | null       | all  | null          | null | null    | null |    3 |    33.33 | using where; using filesort |+----+-------------+---------+------------+------+---------------+------+---------+------+------+----------+-----------------------------+1 row in set, 1 warning (0.00 sec)
结论:很显然,type是all,即最坏的情况。extra里还出现了using filesort,也是最坏的情况。优化是必须的
开始优化
新建索引(给where语句后使用的字段添加索引)
创建方式:
create index idx_article_ccv on article(category_id,comments,views);alter table 'article' add index idx_article_ccv ( 'category_id , 'comments', 'views' );
索引用处不大,删除:drop index idx_article_ccv on article;
结论:
type变成了range,这是可以忍受的。但是extra里使用using filesort仍是无法接受的。
但是我们已经建立了索引,为啥没用呢?
这是因为按照btree索引的工作原理,先排序category_id,如果遇到相同的category_id则再排序comments,如果遇到相同的comments 则再排序views。
当comments字段在联合索引里处于中间位置时,因comments > 1条件是一个范围值(所谓range),mysql无法利用索引再对后面的views部分进行检索,即range类型查询字段后面的索引无效。
改进
上次创建索引相比,这次不为comments字段创建索引
结论:type变为了ref,ref 中是 const,extra 中的 using filesort也消失了,结果非常理想
5.2 索引两表优化案例建表:
create table if not exists class( id int(10) unsigned not null auto_increment, card int(10) unsigned not null, primary key(id));create table if not exists book( bookid int(10) unsigned not null auto_increment, card int(10) unsigned not null, primary key(bookid));insert into class(card) values(floor(1+(rand()*20)));insert into class(card) values(floor(1+(rand()*20)));insert into class(card) values(floor(1+(rand()*20)));insert into class(card) values(floor(1+(rand()*20)));insert into class(card) values(floor(1+(rand()*20)));insert into class(card) values(floor(1+(rand()*20)));insert into class(card) values(floor(1+(rand()*20)));insert into class(card) values(floor(1+(rand()*20)));insert into class(card) values(floor(1+(rand()*20)));insert into class(card) values(floor(1+(rand()*20)));insert into class(card) values(floor(1+(rand()*20)));insert into class(card) values(floor(1+(rand()*20)));insert into class(card) values(floor(1+(rand()*20)));insert into class(card) values(floor(1+(rand()*20)));insert into class(card) values(floor(1+(rand()*20)));insert into class(card) values(floor(1+(rand()*20)));insert into class(card) values(floor(1+(rand()*20)));insert into class(card) values(floor(1+(rand()*20)));insert into class(card) values(floor(1+(rand()*20)));insert into class(card) values(floor(1+(rand()*20)));insert into class(card) values(floor(1+(rand()*20)));insert into book(card) values(floor(1+(rand()*20)));insert into book(card) values(floor(1+(rand()*20)));insert into book(card) values(floor(1+(rand()*20)));insert into book(card) values(floor(1+(rand()*20)));insert into book(card) values(floor(1+(rand()*20)));insert into book(card) values(floor(1+(rand()*20)));insert into book(card) values(floor(1+(rand()*20)));insert into book(card) values(floor(1+(rand()*20)));insert into book(card) values(floor(1+(rand()*20)));insert into book(card) values(floor(1+(rand()*20)));insert into book(card) values(floor(1+(rand()*20)));insert into book(card) values(floor(1+(rand()*20)));insert into book(card) values(floor(1+(rand()*20)));insert into book(card) values(floor(1+(rand()*20)));insert into book(card) values(floor(1+(rand()*20)));insert into book(card) values(floor(1+(rand()*20)));insert into book(card) values(floor(1+(rand()*20)));insert into book(card) values(floor(1+(rand()*20)));insert into book(card) values(floor(1+(rand()*20)));insert into book(card) values(floor(1+(rand()*20)));//查询mysql> select * from class;+----+------+| id | card |+----+------+|  1 |   17 ||  2 |    2 ||  3 |   18 ||  4 |    4 ||  5 |    4 ||  6 |    8 ||  7 |    9 ||  8 |    1 ||  9 |   18 || 10 |    6 || 11 |   15 || 12 |   15 || 13 |   12 || 14 |   15 || 15 |   18 || 16 |    2 || 17 |   18 || 18 |    5 || 19 |    7 || 20 |    1 || 21 |    2 |+----+------+21 rows in set (0.00 sec)mysql> select * from book;+--------+------+| bookid | card |+--------+------+|      1 |    8 ||      2 |   14 ||      3 |    3 ||      4 |   16 ||      5 |    8 ||      6 |   12 ||      7 |   17 ||      8 |    8 ||      9 |   10 ||     10 |    3 ||     11 |    4 ||     12 |   12 ||     13 |    9 ||     14 |    7 ||     15 |    6 ||     16 |    8 ||     17 |    3 ||     18 |   11 ||     19 |    5 ||     20 |   11 |+--------+------+20 rows in set (0.00 sec)
开始explain分析:type都是all,需要优化(总有一个表来添加索引驱动)
左连接为左表加索引
删除索引:drop index y on class;
左连接为右表添加索引
删除索引:drop index y on book;
案例:如果别人建的索引位置不对,只需要自己查询时调整左右表的顺序即可
结论:
第二行的type变为了ref,rows也变少了,优化比较明显。这是由左连接特性决定的。left join条件用于确定如何从右表搜索行,左边一定都有,所以右边是我们的关键点,一定需要在右表建立索引(小表驱动大表)。左连接,右表加索引同理:右连接,左表加索引5.3 索引三表优化案例建表:
create table if not exists phone( phoneid int(10) unsigned not null auto_increment, card int(10) unsigned not null, primary key(phoneid))engine=innodb;insert into phone(card) values(floor(1+(rand()*20)));insert into phone(card) values(floor(1+(rand()*20)));insert into phone(card) values(floor(1+(rand()*20)));insert into phone(card) values(floor(1+(rand()*20)));insert into phone(card) values(floor(1+(rand()*20)));insert into phone(card) values(floor(1+(rand()*20)));insert into phone(card) values(floor(1+(rand()*20)));insert into phone(card) values(floor(1+(rand()*20)));insert into phone(card) values(floor(1+(rand()*20)));insert into phone(card) values(floor(1+(rand()*20)));insert into phone(card) values(floor(1+(rand()*20)));insert into phone(card) values(floor(1+(rand()*20)));insert into phone(card) values(floor(1+(rand()*20)));insert into phone(card) values(floor(1+(rand()*20)));insert into phone(card) values(floor(1+(rand()*20)));insert into phone(card) values(floor(1+(rand()*20)));insert into phone(card) values(floor(1+(rand()*20)));insert into phone(card) values(floor(1+(rand()*20)));insert into phone(card) values(floor(1+(rand()*20)));insert into phone(card) values(floor(1+(rand()*20)));//查询mysql> select * from phone;+---------+------+| phoneid | card |+---------+------+|       1 |   10 ||       2 |   13 ||       3 |   17 ||       4 |    5 ||       5 |   12 ||       6 |    7 ||       7 |   15 ||       8 |   17 ||       9 |   17 ||      10 |   14 ||      11 |   19 ||      12 |   13 ||      13 |    5 ||      14 |    8 ||      15 |    2 ||      16 |    8 ||      17 |   11 ||      18 |   14 ||      19 |   13 ||      20 |    5 |+---------+------+20 rows in set (0.00 sec)
用上一节两个表,删除他们的索引:
三表查询语句应为:select * from class left join book on class.card = book.card left join phone on book.card = phone.card;
创建索引:
应该为第一个lfet join 的右表 book 建索引
alter table `book` add index y(`card`);
应该为第二个lfet join 的右表 phone 建索引
alter table `phone` add index z(`card`);
explain分析:
后2行的 type 都是ref且总 rows优化很好,效果不错。因此索引最好设置在需要经常查询的字段中
结论:
join语句的优化尽可能减少join语句中的nestedloop的循环总次数:“永远用小结果集驱动大的结果集(比如:书的类型表驱动书的名称表)”。优先优化nestedloop的内层循环,保证join语句中被驱动表上join条件字段已经被索引。当无法保证被驱动表的join条件字段被索引且内存资源充足的前提下,不要太吝惜joinbuffer的设置5.4 索引失效建表:
create table staffs( id int primary key auto_increment, `name` varchar(24) not null default'' comment'姓名', `age` int not null default 0 comment'年龄', `pos` varchar(20) not null default'' comment'职位', `add_time` timestamp not null default current_timestamp comment'入职时间')charset utf8 comment'员工记录表';insert into staffs(`name`,`age`,`pos`,`add_time`) values('z3',22,'manager',now());insert into staffs(`name`,`age`,`pos`,`add_time`) values('july',23,'dev',now());insert into staffs(`name`,`age`,`pos`,`add_time`) values('2000',23,'dev',now());alter table staffs add index index_staffs_nameagepos(`name`,`age`,`pos`);
索引失效案例:
1、全值匹配我最爱
2、最佳左前缀法则(重要!):如果索引了多列,要遵守最左前缀法则。指的是查询从索引的最左前列开始并且不跳过复合索引中间列。
中间列不能断:
3、不在索引列上做任何操作(计算、函数、(自动or手动)类型转换),会导致索引失效而转向全表扫描。
4、存储引擎不能使用索引中范围条件右边的列(范围之后全失效,范围列并不是做的查询而是排序)。
5、尽量使用覆盖索引(只访问索引的查询(索引列和查询列一致)),减少select *。
6、mysql在使用不等于(!=或者<>)的时候无法使用索引会导致全表扫描。
7、is null, is not null 也无法使用索引。
8、like以通配符开头(’%abc…’),mysql索引失效会变成全表扫描的操作(%写在最右边索引不会失效,或覆盖索引)。
问题:解决like '%字符串%'时索引不被使用的方法? 采用覆盖索引的方法!
建表:
create table `tbl_user`( `id` int(11) not null auto_increment, `name` varchar(20) default null, `age`int(11) default null, `email` varchar(20) default null, primary key(`id`))engine=innodb auto_increment=1 default charset=utf8;insert into tbl_user(`name`,`age`,`email`)values('1aa1',21,'a@163.com');insert into tbl_user(`name`,`age`,`email`)values('2bb2',23,'b@163.com');insert into tbl_user(`name`,`age`,`email`)values('3cc3',24,'c@163.com');insert into tbl_user(`name`,`age`,`email`)values('4dd4',26,'d@163.com');//查询mysql> select * from tbl_user;+----+------+------+-----------+| id | name | age  | email     |+----+------+------+-----------+|  1 | 1aa1 |   21 | a@163.com ||  2 | 2bb2 |   23 | b@163.com ||  3 | 3cc3 |   24 | c@163.com ||  4 | 4dd4 |   26 | d@163.com |+----+------+------+-----------+4 rows in set (0.00 sec)
创建索引:
create index idx_user_nameage on tbl_user(name,age);
索引成功使用:
索引失效:
总结:%写在最右边,如果非要写在最左边,就使用覆盖索引
9、字符串不加单引号索引失效。
explain分析:
10、少用or,用它来连接时会索引失效
5.5 索引面试题分析建表:
create table test03(    id int primary key not null auto_increment,    c1 char(10),    c2 char(10),    c3 char(10),    c4 char(10),    c5 char(10));insert into test03(c1,c2,c3,c4,c5) values ('a1','a2','a3','a4','a5');insert into test03(c1,c2,c3,c4,c5) values ('b1','b2','b3','b4','b5');insert into test03(c1,c2,c3,c4,c5) values ('c1','c2','c3','c4','c5');insert into test03(c1,c2,c3,c4,c5) values ('d1','d2','d3','d4','d5');insert into test03(c1,c2,c3,c4,c5) values ('e1','e2','e3','e4','e5');//查看表结构mysql> select * from test03;+----+------+------+------+------+------+| id | c1   | c2   | c3   | c4   | c5   |+----+------+------+------+------+------+|  1 | a1   | a2   | a3   | a4   | a5   ||  2 | b1   | b2   | b3   | b4   | b5   ||  3 | c1   | c2   | c3   | c4   | c5   ||  4 | d1   | d2   | d3   | d4   | d5   ||  5 | e1   | e2   | e3   | e4   | e5   |+----+------+------+------+------+------+5 rows in set (0.00 sec)
建索引:
create index idx_test03_c1234 on test03(c1,c2,c3,c4);//查看索引mysql> show index from test03;+--------+------------+------------------+--------------+-------------+-----------+-------------+----------+--------+------+------------+---------+---------------+| table  | non_unique | key_name         | seq_in_index | column_name | collation | cardinality | sub_part | packed | null | index_type | comment | index_comment |+--------+------------+------------------+--------------+-------------+-----------+-------------+----------+--------+------+------------+---------+---------------+| test03 |          0 | primary          |            1 | id          | a         |           2 |     null | null   |      | btree      |         |               || test03 |          1 | idx_test03_c1234 |            1 | c1          | a         |           5 |     null | null   | yes  | btree      |         |               || test03 |          1 | idx_test03_c1234 |            2 | c2          | a         |           5 |     null | null   | yes  | btree      |         |               || test03 |          1 | idx_test03_c1234 |            3 | c3          | a         |           5 |     null | null   | yes  | btree      |         |               || test03 |          1 | idx_test03_c1234 |            4 | c4          | a         |           5 |     null | null   | yes  | btree      |         |               |+--------+------------+------------------+--------------+-------------+-----------+-------------+----------+--------+------+------------+---------+---------------+5 rows in set (0.00 sec)
1)逐一增加列
2)交换条件顺序不影响索引,但最好按照建索引顺序来写sql
3) 限定范围
4)order by
5)group by
定值、范围还是排序,一般order by是给个范围
group by基本上都需要进行排序,会有临时表产生
建议:
对于单值索引,尽量选择针对当前query过滤性更好的索引。在选择组合索引的时候,当前query中过滤性最好的字段在索引字段顺序中,位置越靠左越好。在选择组合索引的时候,尽量选择可以能够包含当前query中的where字句中更多字段的索引。尽可能通过分析统计信息和调整query的写法来达到选择合适索引的目的。5.6 总结
优化总结口诀
全值匹配我最爱, 最左前缀要遵守;
带头大哥不能死, 中间兄弟不能断;
索引列上少计算, 范围之后全失效;
like 百分写最右, 覆盖索引不写 *;
不等空值还有or, 索引影响要注意;
var 引号不可丢, sql 优化有诀窍。
6 查询截取分析6.1 小表驱动大表
exists [ɪɡˈzɪsts]语法:select ...from table where exists (subquery)
该语法可以理解为:将主查询的数据,放到子查询中做条件验证,根据验证结果(true或false)来决定主查询的数据结果是否得以保留
提示:
exsts(subquey) 只返回true或false,因此子查询中的select * 也可以是 select 1 或select ‘x’,官方说法是实际执行时会忽略select清单,因此没有区别。exists子查询的实际执行过程可能经过了优化而不是我们理解上的逐条对比,如果担忧效率问题,可进行实际检验以确定是否有效率问题。exists子查询往往也可以用条件表达式,其他子查询或者join来替代,何种最优需要具体问题具体分析in和exists用法:
6.2 order by 关键字排序优化1、order by之后子句,尽量使用index方式排序,避免使用filesort方式排序
建表:
create table tbla(    #id int primary key not null auto_increment,    age int,    birth timestamp not null);insert into tbla(age, birth) values(22, now());insert into tbla(age, birth) values(23, now());insert into tbla(age, birth) values(24, now());create index idx_a_agebirth on tbla(age, birth);//查询mysql> select * from tbla;+------+---------------------+| age  | birth               |+------+---------------------+|   22 | 2021-04-04 19:31:45 ||   23 | 2021-04-04 19:31:45 ||   24 | 2021-04-04 19:31:45 |+------+---------------------+3 rows in set (0.00 sec)mysql> show index from tbla;+-------+------------+----------------+--------------+-------------+-----------+-------------+----------+--------+------+------------+---------+---------------+| table | non_unique | key_name       | seq_in_index | column_name | collation | cardinality | sub_part | packed | null | index_type | comment | index_comment |+-------+------------+----------------+--------------+-------------+-----------+-------------+----------+--------+------+------------+---------+---------------+| tbla  |          1 | idx_a_agebirth |            1 | age         | a         |           3 |     null | null   | yes  | btree      |         |               || tbla  |          1 | idx_a_agebirth |            2 | birth       | a         |           3 |     null | null   |      | btree      |         |               |+-------+------------+----------------+--------------+-------------+-----------+-------------+----------+--------+------+------------+---------+---------------+2 rows in set (0.00 sec)
关注点:是order by之后会不会产生using filesort
mysql支持二种方式的排序,filesort和lindex,index效率高,它指mysql扫描索引本身完成排序。filesort方式效率较低。
order by满足两情况,会使用index方式排序:
order by语句使用索引最左前列。使用where子句与order by子句条件列组合满足索引最左前列。2、尽可能在索引上完成排序操作,遵照建索引的最佳左前缀
3、如果不在索引列上,mysql的filesort有两种算法(自动启动)
双路排序
mysql4.1之前是使用双路排序,字面意思就是两次扫描磁盘,最终得到数据,读取行指针和orderby列,对他们进行排序,然后扫描已经排序好的列表,按照列表中的值重新从列表中读对应的数据输出。
从磁盘取排序字段,在buffer进行排序,再从磁盘取其他字段。
取一批数据,要对磁盘进行了两次扫描,众所周知,i\o是很耗时的,所以在mysql4.1之后,出现了第二种改进的算法,就是单路排序
单路排序
从磁盘读取查询需要的所有列,按照order by列在buffer对它们进行排序,然后扫描排序压的列表进行输出,它的效率更快一些,避免了第二次读取数据。并且把随机io变成了顺序io,但是它会使用更多的空间,因为它把每一行都保存在内存中了
结论及引申出的问题
由于单路是后出的,总体而言好过双路
但是用单路有问题,在sort_buffer中,方法b比方法a要多占用很多空间,因为方法b是把所有字段都取出,所以有可能取出的数据的总大小超出了sort_buffer的容量,导致每次只能取sort_buffer容量大小的数据,进行排序(创建tmp文件,多路合并),排完再取取
sort_buffer容量大小,再排……从而多次i/o。
本来想省一次i/o操作,反而导致了大量的i/o操作,反而得不偿失
4、优化策略
增大sort_buffer_size参数的设置增大max_length_for_sort_data参数的设置why?
5、小总结:
6.3 group by 优化group by实质是先排序后进行分组,遵照索引建的最佳左前缀。
当无法使用索引列,增大max_length_for_sort_data参数的设置 + 增大sort_buffer_size参数的设置。
where高于having,能写在where限定的条件就不要去having限定了
6.4 慢查询日志(重点)介绍:
mysql的慢查询日志是mysql提供的一种日志记录,它用来记录在mysql中响应时间超过阀值的语句,具体指运行时间超过long_query_time值的sql,则会被记录到慢查询日志中。具体指运行时间超过long_query_time值的sql,则会被记录到慢查询日志中。long_query_time的默认值为10,意思是运行10秒以上的语句。由他来查看哪些sql超出了我们的最大忍耐时间值,比如一条sql执行超过5秒钟,我们就算慢sql,希望能收集超过5秒的sql,结合之前explain进行全面分析操作说明:
默认情况下,mysql数据库没有开启慢查询日速,需要我们手动来设置这个参数。
当然,如果不是调优需要的话,一般不建议启动该参数,因为开启慢查询日志会或多或少带来一定的性能影响。慢查询日志支持将日志记录写入文件。
查看是否开启及如何开启:
默认: show variables like '%slow_query_log%'; [ˈveəriəbls]开启:set global slow_query_log=1;,只对当前数据库生效,如果mysql重启后则会失效
如果要永久生效,就必须修改配置文件my.cnf(其它系统变量也是如此)
修改my.cnf文件,[mysqld] 下增加或修改参数slow_query_log和slow_query_log_file后,然后重启mysql服务器。也即将如下两行配置进my.cnf文件
slow_query_log =1slow_query_log_file=/var/lib/mysqatguigu-slow.log
关于慢查询的参数slow_query_log_file,它指定慢查询日志文件的存放路径,系统默认会给一个缺省的文件host_name-slow.log(如果没有指定参数slow_query_log_file的话)
开启了慢查询日志后,什么样的sql才会记录到慢查询日志里面呢?
这个是由参数long_query_time控制,默认情况下long_query_time的值为10秒,命令:show variables like 'long_query_time%';
可以使用命令修改,也可以在my.cnf参数里面修改。
假如运行时间正好等于long_query_time的情况,并不会被记录下来。也就是说,在mysql源码里是判断大于long_query_time,而非大于等于。
命名修改慢sql阈值时间:set global long_query_time=3; [ˈɡləʊbl]
看不到修改情况的话,重开连接,或者换一个语句:show global variables like 'long_query_time';
记录慢sql并后续分析:
假设我们成功设置慢sql阈值时间为3秒(set global long_query_time=3;)。
模拟超时sql:select sleep(4);
查询当前系统中有多少条慢查询记录:show global status like '%slow_queries%'; [ˈsteɪtəs]
在配置文件中设置慢sql阈值时间(永久生效):
#[mysqld]下配置:slow_query_log=1;slow_query_log_file=/var/lib/mysql/atguigu-slow.loglong_query_time=3;log_output=file;
日志分析工具mysqldumpslow
在生产环境中,如果要手工分析日志,查找、分析sql,显然是个体力活,mysql提供了日志分析工具mysqldumpslow。
查看mysqldumpslow的帮助信息,mysqldumpslow --help。
常用mysqldumpslow帮助信息:
s:是表示按照何种方式排序c:访问次数l:锁定时间r:返回记录t:查询时间al:平均锁定时间ar:平均返回记录数at:平均查询时间t:即为返回前面多少条的数据g:后边搭配一个正则匹配模式,大小写不敏感的工作常用参考:
得到返回记录集最多的10个sql:mysqldumpslow -s r -t 10 /var/lib/mysql/atguigu-slow.log得到访问次数最多的10个sql:mysqldumpslow -s c -t 10 /var/lib/mysql/atguigu-slow.log得到按照时间排序的前10条里面含有左连接的查询语句:mysqldumpslow -s t -t 10 -g left join /var/lib/mysql/atguigu-slow.log另外建议在使用这些命令时结合│和more 使用,否则有可能出现爆屏情况:`mysqldumpslow -s r-t 10 /ar/lib/mysql/atguigu-slow.log | more6.5 批量插入数据脚本1、建表:
create database bigdata;use bigdata;//部门表create table dept( id int unsigned primary key auto_increment, deptno mediumint unsigned not null default 0, dname varchar(20)not null default , loc varchar(13) not null default )engine=innodb default charset=utf8;//员工表create table emp(    id int unsigned primary key auto_increment,    empno mediumint unsigned not null default 0, //编号    ename varchar(20) not null default , //名字    job varchar(9) not null default , //工作    mgr mediumint unsigned not null default 0, //上级编号    hiredate date not null, //入职时间    sal decimal(7,2) not null, //薪水    comm decimal(7,2) not null, //红利    deptno mediumint unsigned not null default 0 //部门编号)engine=innodb default charset=utf8;
2、设置参数log_bin_trust_function_creators
创建函数,假如报错:this function has none of deterministic…
由于开启过慢查询日志,因为我们开启了bin-log,我们就必须为我们的function指定一个参数
show variables like 'log_bin_trust_function_creators';set global log_bin_trust_function_creators=1;
这样添加了参数以后,如果mysqld重启,上述参数又会消失,永久方法:
windows下:my.ini[mysqld] 加上 log_bin_trust_function_creators=1linux下:/etc/my.cnf 下my.cnf[mysqld] 加上 log_bin_trust_function_creators=13、创建函数,保证每条数据都不同
随机产生字符串delimiter $$ #为了存储过程能正常运行,修改命令结束符,两个 $$ 表示结束create function rand_string(n int) returns varchar(255)begin    declare chars_str varchar(100) default 'abcdefghijklmnopqrstuvwxyz';    declare return_str varchar(255) default '';    declare i int default 0;    while i < n do set return_str = concat(return_str,substring(chars_str,floor(1+rand()*52),1)); set i=i+1; end while; return return_str;end $$
随机产生部门编号delimiter $$create function rand_num() returns int(5)begin declare i int default 0; set i=floor(100+rand()*10); return i;end $$
4、创建存储过程
创建往emp表中插入数据的存储过程
delimiter $$create procedure insert_emp(in start int(10),in max_num int(10)) #max_num:表示插入多少条数据begin declare i int default 0; set autocommit = 0; #关闭自动提交,避免写一个insert提交一次,50w条一次性提交 repeat set i = i+1; insert into emp(empno,ename,job,mgr,hiredate,sal,comm,deptno) values((start+i),rand_string(6),'salesman',0001,curdate(),2000,400,rand_num()); until i=max_num end repeat; commit;end $$
创建往dept表中插入数据的存储过程
delimiter $$create procedure insert_dept(in start int(10),in max_num int(10))begin declare i int default 0; set autocommit = 0; repeat set i = i+1; insert into dept(deptno,dname,loc) values((start+i),rand_string(10),rand_string(8)); until i=max_num end repeat; commit;end $$
5、调用存储过程
往dept表中插入数据
mysql> delimiter ; # 修改默认结束符号为(;),之前改成了##mysql> call insert_dept(100, 10);query ok, 0 rows affected (0.01 sec)
往emp表中插入50万数据
mysql> delimiter ;mysql> call insert_emp(100001, 500000);query ok, 0 rows affected (27.00 sec)
查看运行结果
mysql> select * from dept;+----+--------+---------+--------+| id | deptno | dname   | loc    |+----+--------+---------+--------+|  1 |    101 | mqgfy   | ck     ||  2 |    102 | wgighsr | kbq    ||  3 |    103 | gjgdyj  | brb    ||  4 |    104 | gzfug   | p      ||  5 |    105 | keitu   | cib    ||  6 |    106 | nndvuv  | csue   ||  7 |    107 | cdudl   | tw     ||  8 |    108 | aafyea  | aqq    ||  9 |    109 | zuqezjx | dpqoyo || 10 |    110 | pam     | cses   |+----+--------+---------+--------+10 rows in set (0.00 sec)mysql> select * from emp limit 10; #查看前10条数据(50w太多了)+----+--------+-------+----------+-----+------------+---------+--------+--------+| id | empno  | ename | job      | mgr | hiredate   | sal     | comm   | deptno |+----+--------+-------+----------+-----+------------+---------+--------+--------+|  1 | 100002 | xmbva | salesman |   1 | 2021-04-05 | 2000.00 | 400.00 |    108 ||  2 | 100003 | aeq   | salesman |   1 | 2021-04-05 | 2000.00 | 400.00 |    109 ||  3 | 100004 | cnjfz | salesman |   1 | 2021-04-05 | 2000.00 | 400.00 |    105 ||  4 | 100005 | wwhd  | salesman |   1 | 2021-04-05 | 2000.00 | 400.00 |    100 ||  5 | 100006 | e     | salesman |   1 | 2021-04-05 | 2000.00 | 400.00 |    107 ||  6 | 100007 | yjfr  | salesman |   1 | 2021-04-05 | 2000.00 | 400.00 |    108 ||  7 | 100008 | xlp   | salesman |   1 | 2021-04-05 | 2000.00 | 400.00 |    102 ||  8 | 100009 | mp    | salesman |   1 | 2021-04-05 | 2000.00 | 400.00 |    102 ||  9 | 100010 | tcdl  | salesman |   1 | 2021-04-05 | 2000.00 | 400.00 |    107 || 10 | 100011 | akw   | salesman |   1 | 2021-04-05 | 2000.00 | 400.00 |    106 |+----+--------+-------+----------+-----+------------+---------+--------+--------+10 rows in set (0.00 sec)
6.6 show profile进行sql分析(重中之重)show profile是mysql提供可以用来分析当前会话中语句执行的资源消耗情况。可以用于sql的调优的测量
官网文档
默认情况下,参数处于关闭状态,并保存最近15次的运行结果
分析步骤:
1、是否支持,看看当前的mysql版本是否支持:show variables like 'profiling';
默认是关闭,使用前需要开启
2、开启功能,默认是关闭,使用前需要开启:set profiling=on;
3、运行sql(随便运行用来测试)
mysql> select * from emp group by id%10 limit 150000;mysql> select * from emp group by id%20 order by 5;
4、查看结果:show profiles;
mysql> show profiles;+----------+------------+-----------------------------------------------+| query_id | duration   | query                                         |+----------+------------+-----------------------------------------------+|        1 | 0.00204000 | show variables like 'profiling'               ||        2 | 0.55134250 | select * from emp group by id%10 limit 150000 ||        3 | 0.56902000 | select * from emp group by id%20 order by 5   |+----------+------------+-----------------------------------------------+3 rows in set, 1 warning (0.00 sec)
5、诊断sql,show profile cpu,block io for query id号;(id号为第4步query_id列中数字)
mysql> show profile cpu,block io for query 3;+----------------------+----------+----------+------------+--------------+---------------+| status               | duration | cpu_user | cpu_system | block_ops_in | block_ops_out |+----------------------+----------+----------+------------+--------------+---------------+| starting             | 0.000049 | 0.000000 |   0.000000 |         null |          null || checking permissions | 0.000005 | 0.000000 |   0.000000 |         null |          null || opening tables       | 0.000012 | 0.000000 |   0.000000 |         null |          null || init                 | 0.000021 | 0.000000 |   0.000000 |         null |          null || system lock          | 0.000009 | 0.000000 |   0.000000 |         null |          null || optimizing           | 0.000003 | 0.000000 |   0.000000 |         null |          null || statistics           | 0.000017 | 0.000000 |   0.000000 |         null |          null || preparing            | 0.000008 | 0.000000 |   0.000000 |         null |          null || creating tmp table   | 0.000045 | 0.000000 |   0.000000 |         null |          null || sorting result       | 0.000004 | 0.000000 |   0.000000 |         null |          null || executing            | 0.000002 | 0.000000 |   0.000000 |         null |          null || sending data         | 0.568704 | 0.546875 |   0.046875 |         null |          null || creating sort index  | 0.000048 | 0.000000 |   0.000000 |         null |          null || end                  | 0.000003 | 0.000000 |   0.000000 |         null |          null || query end            | 0.000005 | 0.000000 |   0.000000 |         null |          null || removing tmp table   | 0.000006 | 0.000000 |   0.000000 |         null |          null || query end            | 0.000003 | 0.000000 |   0.000000 |         null |          null || closing tables       | 0.000004 | 0.000000 |   0.000000 |         null |          null || freeing items        | 0.000061 | 0.000000 |   0.000000 |         null |          null || cleaning up          | 0.000015 | 0.000000 |   0.000000 |         null |          null |+----------------------+----------+----------+------------+--------------+---------------+20 rows in set, 1 warning (0.00 sec)
参数备注(写在代码中):show profile cpu,block io for query 3;(如此代码中的cpu,block)
all:显示所有的开销信息。block io:显示块lo相关开销。context switches :上下文切换相关开销。cpu:显示cpu相关开销信息。ipc:显示发送和接收相关开销信息。memory:显示内存相关开销信息。page faults:显示页面错误相关开销信息。source:显示和source_function,source_file,source_line相关的开销信息。swaps:显示交换次数相关开销的信息。6、日常开发需要注意的结论(status列中的出现此四个问题严重)
converting heap to myisam:查询结果太大,内存都不够用了往磁盘上搬了。creating tmp table:创建临时表,拷贝数据到临时表,用完再删除copying to tmp table on disk:把内存中临时表复制到磁盘,危险!locked:锁了6.7 全局查询日志永远不要在生产环境开启这个功能,只能在测试环境使用!
第一种:配置文件启用。在mysq l的 my.cnf 中,设置如下:
#开启general_log=1#记录日志文件的路径general_log_file=/path/logfile#输出格式log_output=file
第二种:编码启用。命令如下:
set global general_log=1;set global log_output='table';
此后,你所编写的sql语句,将会记录到mysql库里的geneial_log表,可以用下面的命令查看:
mysql> select * from mysql.general_log;+----------------------------+------------------------------+-----------+-----------+--------------+---------------------------------+| event_time                 | user_host                    | thread_id | server_id | command_type | argument                        |+----------------------------+------------------------------+-----------+-----------+--------------+---------------------------------+| 2021-04-05 19:57:28.182473 | root[root] @ localhost [::1] |         5 |         1 | query        | select * from mysql.general_log |+----------------------------+------------------------------+-----------+-----------+--------------+---------------------------------+1 row in set (0.00 sec)
7 mysql锁机制7.1 概述定义:
锁是计算机协调多个进程或线程并发访问某一资源的机制。
在数据库中,除传统的计算资源(如cpu、ram、i/o等)的争用以外,数据也是一种供许多用户共享的资源。如何保证数据并发访问的一致性、有效性是所有数据库必须解决的一个问题,锁冲突也是影响数据库并发访问性能的一个重要因素。从这个角度来说,锁对数据库而言显得尤其重要,也更加复杂
例子:京东购物
打个比方,我们到京东上买一件商品,商品只有一件库存,这个时候如果还有另一个人买,那么如何解决是你买到还是另一个人买到的问题?
这里肯定要用到事务,我们先从库存表中取出物品数量,然后插入订单,付款后插入付款表信息,然后更新商品数量。在这个过程中,使用锁可以对有限的资源进行保护,解决隔离和并发的矛盾
锁的分类:
从对数据操作的类型(读\写)分
读锁(共享锁):针对同一份数据,多个读操作可以同时进行而不会互相影响。写锁(排它锁):当前写操作没有完成前,它会阻断其他写锁和读锁。从对数据操作的粒度分
表锁行锁7.2 表锁(偏读)特点:偏向myisam存储引擎,开销小,加锁快;无死锁;锁定粒度大,发生锁冲突的概率最高,并发度最低。
读锁案例讲解1案例分析
建表表
create table mylock (    id int not null primary key auto_increment,    name varchar(20) default '') engine myisam;insert into mylock(name) values('a');insert into mylock(name) values('b');insert into mylock(name) values('c');insert into mylock(name) values('d');insert into mylock(name) values('e');#查询mysql> select * from mylock;+----+------+| id | name |+----+------+|  1 | a    ||  2 | b    ||  3 | c    ||  4 | d    ||  5 | e    |+----+------+5 rows in set (0.00 sec)
手动增加表锁:lock table 表名字 read(write), 表名字2 read(write), 其他;
mysql> lock table mylock read;query ok, 0 rows affected (0.00 sec)
查看表上加过的锁:show open tables;
mysql> show open tables;+--------------------+------------------------------------------------------+--------+-------------+| database           | table                                                | in_use | name_locked |+--------------------+------------------------------------------------------+--------+-------------+| performance_schema | events_waits_summary_by_user_by_event_name           |      0 |           0 || performance_schema | events_waits_summary_global_by_event_name            |      0 |           0 || performance_schema | events_transactions_summary_global_by_event_name     |      0 |           0 || performance_schema | replication_connection_status                        |      0 |           0 || mysql              | time_zone_leap_second                                |      0 |           0 || mysql              | columns_priv                                         |      0 |           0 || my                 | test03                                               |      0 |           0 || bigdata            | mylock                                               |      1 |           0 |# in_use为1时表示已上锁
释放锁:unlock tables;
mysql> unlock tables;query ok, 0 rows affected (0.00 sec)# 再次查看mysql> show open tables;+--------------------+------------------------------------------------------+--------+-------------+| database           | table                                                | in_use | name_locked |+--------------------+------------------------------------------------------+--------+-------------+| performance_schema | events_waits_summary_by_user_by_event_name           |      0 |           0 || performance_schema | events_waits_summary_global_by_event_name            |      0 |           0 || performance_schema | events_transactions_summary_global_by_event_name     |      0 |           0 || performance_schema | replication_connection_status                        |      0 |           0 || mysql              | time_zone_leap_second                                |      0 |           0 || mysql              | columns_priv                                         |      0 |           0 || my                 | test03                                               |      0 |           0 || bigdata            | mylock                                               |      0 |           0 |
加读锁——为mylock表加read锁(读阻塞写例子)
读锁案例讲解2为mylock表加write锁(mylsam存储引擎的写阻塞读例子)
myisam在执行查询语句(select)前,会自动给涉及的所有表加读锁,在执行增删改操作前,会自动给涉及的表加写锁。
mysql的表级锁有两种模式:
表共享读锁(table read lock)表独占写锁(table write lock)
结合上表,所以对myisam表进行操作,会有以下情况:
对myisam表的读操作(加读锁),不会阻塞其他进程对同一表的读请求,但会阻塞对同一表的写请求。只有当读锁释放后,才会执行其它进程的写操作。
对myisam表的写操作〈加写锁),会阻塞其他进程对同一表的读和写操作,只有当写锁释放后,才会执行其它进程的读写操作。
重点!:简而言之,就是读锁会阻塞写,但是不会堵塞读。而写锁则会把读和写都堵塞
表锁总结看看哪些表被加锁了:show open tables;
如何分析表锁定
可以通过检查table_locks_waited和table_locks_immediate状态变量来分析系统上的表锁定
mysql>  show status like 'table_locks%';+-----------------------+-------+| variable_name         | value |+-----------------------+-------+| table_locks_immediate | 170   || table_locks_waited    | 0     |+-----------------------+-------+2 rows in set (0.00 sec)
这里有两个状态变量记录mysql内部表级锁定的情况,两个变量说明如下:
table_locks_immediate:产生表级锁定的次数,表示可以立即获取锁的查询次数,每立即获取锁值加1 ;table_locks_waited(重点):出现表级锁定争用而发生等待的次数(不能立即获取锁的次数,每等待一次锁值加1),此值高则说明存在着较严重的表级锁争用情况;此外,myisam的读写锁调度是写优先,这也是myisam不适合做写为主表的引擎。因为写锁后,其他线程不能做任何操作,大量的更新会使查询很难得到锁,从而造成永远阻塞
7.3 行锁(偏写)偏向innodb存储引擎,开销大,加锁慢;会出现死锁;锁定粒度最小,发生锁冲突的概率最低,并发度也最高。
innodb与myisam的最大不同有两点:一是支持事务(transaction);二是采用了行级锁
由于行锁支持事务,复习老知识:
事务(transaction)及其acid属性并发事务处理带来的问题事务隔离级别1)事务是由一组sql语句组成的逻辑处理单元,事务具有以下4个属性,通常简称为事务的acid属性:
原子性(atomicity):事务是一个原子操作单元,其对数据的修改,要么全都执行,要么全都不执行。一致性(consistent):在事务开始和完成时,数据都必须保持一致状态。这意味着所有相关的数据规则都必须应用于事务的修改,以保持数据的完整性;事务结束时,所有的内部数据结构〈如b树索引或双向链表)也都必须是正确的。隔离性(lsolation):数据库系统提供一定的隔离机制,保证事务在不受外部并发操作影响的“独立”环境执行。这意味着事务处理过程中的中间状态对外部是不可见的,反之亦然。持久性(durable):事务完成之后,它对于数据的修改是永久性的,即使出现系统故障也能够保持。2)并发事务处理带来的问题
更新丢失(lost update)
当两个或多个事务选择同一行,然后基于最初选定的值更新该行时,由于每个事务都不知道其他事务的存在,就会发生丢失更新问题――最后的更新覆盖了由其他事务所做的更新。
例如,两个程序员修改同一java文件。每程序员独立地更改其副本,然后保存更改后的副本,这样就覆盖了原始文档。最后保存其更改副本的编辑人员覆盖前一个程序员所做的更改。
如果在一个程序员完成并提交事务之前,另一个程序员不能访问同一文件,则可避免此问题。
脏读(dirty reads)
一个事务正在对一条记录做修改,在这个事务完成并提交前,这条记录的数据就处于不一致状态;这时,另一个事务也来读取同一条记录,如果不加控制,第二个事务读取了这些“脏”数据,并据此做进一步的处理,就会产生未提交的数据依赖关系。这种现象被形象地叫做”脏读”。
一句话:事务a读取到了事务b已修改但尚未提交的的数据,还在这个数据基础上做了操作。此时,如果b事务回滚,a读取的数据无效,不符合一致性要求
不可重复读(non-repeatable reads)
一个事务在读取某些数据后的某个时间,再次读取以前读过的数据,却发现其读出的数据已经发生了改变、或某些记录已经被删除了,这种现象就叫做“不可重复读”。
一句话:事务a读取到了事务b已经提交的修改数据,不符合隔离性。
幻读(phantom reads)
一个事务接相同的查询条件重新读取以前检索过的数据,却发现其他事务插入了满足其查询条件的新数据,这种现象就称为“幻读“。
一句话:事务a读取到了事务b体提交的新增数据,不符合隔离性
多说一句:幻读和脏读有点类似。脏读是事务b里面修改了数据;幻读是事务b里面新增了数据。
3)事务隔离级别
”脏读”、“不可重复读”和“幻读”,其实都是数据库读一致性问题,必须由数据库提供一定的事务隔离机制来解决
数据库的事务隔离越严格,并发副作用越小,但付出的代价也就越大,因为事务隔离实质上就是使事务在一定程度上“串行化”进行,这显然与“并发”是矛盾的。同时,不同的应用对读一致性和事务隔离程度的要求也是不同的,比如许多应用对“不可重复读”和“幻读”并不敏感,可能更关心数据并发访问的能力。
常看当前数据库的事务隔离级别:show variables like 'tx_isolation';
mysql> show variables like 'tx_isolation';+---------------+-----------------+| variable_name | value           |+---------------+-----------------+| tx_isolation  | repeatable-read |+---------------+-----------------+1 row in set, 1 warning (0.00 sec)# 默认情况下:mysql避免了脏读和不可重复读
行锁案例讲解建表:
create table test_innodb_lock (a int(11),b varchar(16))engine=innodb;insert into test_innodb_lock values(1,'b2');insert into test_innodb_lock values(3,'3');insert into test_innodb_lock values(4, '4000');insert into test_innodb_lock values(5,'5000');insert into test_innodb_lock values(6, '6000');insert into test_innodb_lock values(7,'7000');insert into test_innodb_lock values(8, '8000');insert into test_innodb_lock values(9,'9000');insert into test_innodb_lock values(1,'b1');create index test_innodb_a_ind on test_innodb_lock(a);create index test_innodb_lock_b_ind on test_innodb_lock(b);//查看mysql> select * from test_innodb_lock;+------+------+| a    | b    |+------+------+|    1 | b2   ||    3 | 3    ||    4 | 4000 ||    5 | 5000 ||    6 | 6000 ||    7 | 7000 ||    8 | 8000 ||    9 | 9000 ||    1 | b1   |+------+------+9 rows in set (0.00 sec)mysql> show index from test_innodb_lock;+------------------+------------+------------------------+--------------+-------------+-----------+-------------+----------+--------+------+------------+---------+---------------+| table            | non_unique | key_name               | seq_in_index | column_name | collation | cardinality | sub_part | packed | null | index_type | comment | index_comment |+------------------+------------+------------------------+--------------+-------------+-----------+-------------+----------+--------+------+------------+---------+---------------+| test_innodb_lock |          1 | test_innodb_a_ind      |            1 | a           | a         |           8 |     null | null   | yes  | btree      |         |               || test_innodb_lock |          1 | test_innodb_lock_b_ind |            1 | b           | a         |           9 |     null | null   | yes  | btree      |         |               |+------------------+------------+------------------------+--------------+-------------+-----------+-------------+----------+--------+------+------------+---------+---------------+
行锁定基本演示(两个客户端更新同一行记录)
疑惑解答为什么两个都要commint
索引失效行锁变表锁无索引行锁升级为表锁
间隙锁
什么是间隙锁
当我们用范围条件而不是相等条件检索数据,并请求共享或排他锁时,innodb会给符合条件的已有数据记录的索引项加锁,对于键值在条件范围内但并不存在的记录,叫做“间隙(gap)”。
innodb也会对这个“间隙”加锁,这种锁机制就是所谓的间隙锁(next-key锁)。
危害
因为query执行过程中通过过范围查找的话,他会锁定整个范围内所有的索引键值,即使这个键值并不存在。
间隙锁有一个比较致命的弱点,就是当锁定一个范围键值之后,即使某些不存在的键值也会被无辜的锁定,而造成在锁定的时候无法插入锁定键值范围内的任何数据。在某些场景下这可能会对性能造成很大的危害
面试题:如何锁定一行begin(中间写自己的操作)commit
行锁总结总结:
innodb存储引擎由于实现了行级锁定,虽然在锁定机制的实现方面所带来的性能损耗可能比表级锁定会要更高一些,但是在整体并发处理能力方面要远远优于myisam的表级锁定的。当系统并发量较高的时候,innodb的整体性能和mylisam相比就会有比较明显的优势了。
但是,innodb的行级锁定同样也有其脆弱的一面,当我们使用不当的时候,可能会让innodb的整体性能表现不仅不能比myisam高,甚至可能会更差
如何分析行锁定?
通过检查lnnodb_row_lock状态变量来分析系统上的行锁的争夺情况:show status like 'innodb_row_lock%';
mysql> show status like 'innodb_row_lock%';+-------------------------------+-------+| variable_name                 | value |+-------------------------------+-------+| innodb_row_lock_current_waits | 0     || innodb_row_lock_time          | 0     || innodb_row_lock_time_avg      | 0     || innodb_row_lock_time_max      | 0     || innodb_row_lock_waits         | 0     |+-------------------------------+-------+5 rows in set (0.00 sec)
对各个状态量的说明如下:
innodb_row_lock_current_waits:当前正在等待锁定的数量;innodb_row_lock_time:从系统启动到现在锁定总时间长度;innodb_row_lock_time_avg:每次等待所花平均时间;innodb_row_lock_time_max:从系统启动到现在等待最常的一次所花的时间;innodb_row_lock_waits:系统启动后到现在总共等待的次数;对于这5个状态变量,比较重要的主要是:
lnnodb_row_lock_time(等待总时长)innodb_row_lock_time_avg(等待平均时长)lnnodb_row_lock_waits(等待总次数)尤其是当等待次数很高,而且每次等待时长也不小的时候,我们就需要分析(show profile)系统中为什么会有如此多的等待,然后根据分析结果着手指定优化计划。
优化建议
尽可能让所有数据检索都通过索引来完成,避免无索引行锁升级为表锁。合理设计索引,尽量缩小锁的范围尽可能较少检索条件,避免间隙锁尽量控制事务大小,减少锁定资源量和时间长度尽可能低级别事务隔离页锁
开销和加锁时间界于表锁和行锁之间;会出现死锁;锁定粒度界于表锁和行锁之间,并发度一般。(了解一下即可)
8 主从复制8.1 复制的基本原理slave会从master读取binlog来进行数据同步
原理图:
mysql复制过程分成三步:
1、master将改变记录到二进制日志(binary log)。这些记录过程叫做二进制日志事件,binary log events;2、slave将master的binary log events拷贝到它的中继日志(relay log) ;3、slave重做中继日志中的事件,将改变应用到自己的数据库中。mysql复制是异步的且串行化的8.2 复制的基本原则每个slave只有一个master每个slave只能有一个唯一的服务器id每个master可以有多个salve复制的最大问题是延迟。
8.3 一主一从常见配置一、mysql版本一致且后台以服务运行
二、主从都配置在[mysqld]结点下,都是小写
主机修改my.ini配置文件:
1、[必须]主服务器唯一id:server-id=1
2、[必须]启用二进制日志
log-bin=自己本地的路径/mysqlbinlog-bin=d:/devsoft/mysqlserver5.5/data/mysqlbin3、[可选]启用错误日志
log-err=自己本地的路径/mysqlerrlog-err=d:/devsoft/mysqlserver5.5/data/mysqlerr4、[可选]根目录
basedir=“自己本地路径”basedir=“d:/devsoft/mysqlserver5.5/”5、[可选]临时目录
tmpdir=“自己本地路径”tmpdir=“d:/devsoft/mysqlserver5.5/”6、[可选]数据目录
datadir=“自己本地路径/data/”datadir=“d:/devsoft/mysqlserver5.5/data/”7、主机,读写都可以
read-only=o8、[可选]设置不要复制的数据库
binlog-ignore-db=mysql9、[可选]设置需要复制的数据库
binlog-do-db=需要复制的主数据库名字从机修改my.cnf配置文件:
1、[必须]从服务器唯一id:vim etc/my.cnf(进入修改配置文件)
...#server-id=1 //注释吊...server-id=1 //开启...
2、[可选]启用二进制日志
三、配置文件,请主机+从机都重启后台mysql服务
主机:手动重启
linux从机命名:
service mysql stopservice mysql start四、主机从机都关闭防火墙
windows手动关闭
关闭虚拟机linux防火墙: service iptables stop
五、在windows主机上建立帐户并授权slave
grant replication slave on . to ‘zhangsan’@‘从机器数据库ip’ identified by ‘123456’;刷新:flush privileges;查询master的状态show master status;记录下file和position的值
执行完此步骤后不要再操作主服务器mysql,防止主服务器状态值变化六、在linux从机上配置需要复制的主机
change master to master_host=’主机ip’,
master_user=‘zhangsan’,
master_password=’123456’,
master_log_file='file名字’,
master_log_pos=position数字;
启动从服务器复制功能:start slave;
show slave status\g(下面两个参数都是yes,则说明主从配置成功!)
slave_io_running:yesslave_sql_running:yes
七、主机新建库、新建表、insert记录,从机复制
主机操作
从机(自动同步)
八、如何停止从服务复制功能:stop slave;
如果有一段数据暂时不要?
从机:
主机(需要重新查刻度):
9 mysql从入门到精通ppt大全下载
下载地址:mysql从入门到精通ppt大全(13份).rar
推荐学习:mysql教程
以上就是mysql知识总结之sql优化、索引优化、锁机制、主从复制的详细内容。
其它类似信息

推荐信息