在Linux最大打开文件数限制下 MySQL 对参数的调整
起因
非root用户运行MySQL,当MySQL配置比较高时,MySQL运行中生效的参数值与配置的值不一样。 这篇文章的目的是为了说明在系统资源不够的情况下,MySQL 是怎么调整以下三个参数的: open_files_limit
、 max_connections
、 table_open_cache
。
说明
此文涉及到三个参数open_files_limit
、 max_connections
、 table_open_cache
。与这三个参数相关的系统资源是打开文件数限制,即文件描述符(fd
)限制。
系统参数与文件描述符的关系
– max_connection
和 fd
: 每一个MySQL connection都需要一个文件描述符fd
– table_open_cache
和 fd
: 打开一张表至少需要一个文件描述符,如打开MyISAM需要两个fd
– 系统的打开文件数限制: 可以通过 ulimit -n
查看
MySQL调整参数的方式
根据配置(三个参数的配置值或默认值)计算
request_open_files(需要的文件描述符)
获取有效的系统的限制值
effective_open_files
根据
effective_open_files
调整request_open_files
根据调整后的
request_open_files
,计算实际生效的参数值(show variables
可查看参数值)
计算 request_open_files
根据配置值计算request_open_file
s
request_open_files
有三个计算条件
// 最大连接数+同时打开的表的最大数量+其他(各种日志等等) limit_1= max_connections + table_cache_size * 2 + 10; //假设平均每个连接打开的表的数量(2-4) //源码中是这么写的: //We are trying to allocate no less than // max_connections*5 file handles limit_2= max_connections * 5; //mysql 默认的默认是5000 limit_3= open_files_limit ? open_files_limit : 5000; 所以open_files_limit期待的最低 request_open_files= max(limit_1, limit_2,limit_3);
计算effective_open_files
MySQL 的思路: 在有限值的的范围内MySQL 尽量将effective_open_files
的值设大
修正 request_open_files
requested_open_files
= min(effective_open_files
, request_open_files
);
计算出生效的参数值
修正 open_files_limit
open_files_limit
= effective_open_files
修正 max_connections
max_connections
根据 request_open_files
来做修正。
limit = requested_open_files - 10 - TABLE_OPEN_CACHE_MIN * 2;
如果配置的
max_connections
值大于limit,则将max_connections
的值修正为limit其他情况下
max_connections
保留配置值
修正table_cache_size
table_cache_size
会根据 request_open_files
来做修正
// mysql table_cache_size 最小值,400 limit1 = TABLE_OPEN_CACHE_MIN // 根据 requested_open_files 计算 limit2 = (requested_open_files - 10 - max_connections) / 2 limit = max(limit1,limt2);
如果配置的
table_cache_size
值大于limit,则将table_cache_size
的值修正为limit其他情况下
table_cache_size
保留配置值
举例
以下用例在非 root 用户下运行
参数设置: //mysql max_connections = 500 table_open_cache = 999 //ulimit -n 1500 生效的值: open_files_limit = 1500 max_connections = min[(1500 - 10 - 800),500] = 500 table_open_cache = ( 1500 - 10 - 500) / 2 = 495
原文地址: (爱可生)