data:image/s3,"s3://crabby-images/5ae4c/5ae4cf0bb495d883ff5c651261423073bdefd2ec" alt="Calculating Table Size in MySQL"
Knowing how much disk space individual tables take up is important for DB maintenance and debugging, and it can be accomplished with a single query in MySQL.
First the query, then we'll explain parts of it:
SELECT table_schema
, table_name
, concat(round((data_length + index_length) / (1024 * 1024 * 1024)), ' GB') AS total_size
, concat(round(data_length / (1024 * 1024 * 1024)), ' GB') AS table_size
, concat(round(index_length / (1024 * 1024 * 1024)), ' GB') AS index_size
FROM information_schema.tables
WHERE table_type = 'BASE TABLE'
AND table_schema NOT IN ('information_schema', 'performance_schema', 'mysql');
Column explanations:
total_size
is the total disk space used by the table and its indexestable_size
is the disk space used by the tableindex_size
is the disk space used by the table's indexes
The information_schema.tables
table catalogs information about tables and views.
By default, InnoDB table stats have a cache of 24 hours, but they updated with the ANALYZE TABLE ...
statement.
See "Calculating Table Size in PostgreSQL" for the PostgreSQL version of this query.
data:image/s3,"s3://crabby-images/8d2e4/8d2e4269aa2caa074d0492a26ae5e67fdf4dc718" alt="Calculating Table Size in PostgreSQL"
Calculating Table Size in PostgreSQL
Nov 26, 2021 · 2 min read
Knowing how much disk space individual tables take up is important for DB maintenance and debugging, and it can be accomplished with a single query in PostgreSQL.
Finding the largest tables
It's fairly easy to modify the above query to order by the largest total size:
SELECT table_schema
, table_name
, concat(round((data_length + index_length) / (1024 * 1024 * 1024)), ' GB') AS total_size
, concat(round(data_length / (1024 * 1024 * 1024)), ' GB') AS table_size
, concat(round(index_length / (1024 * 1024 * 1024)), ' GB') AS index_size
FROM information_schema.tables
WHERE table_type = 'BASE TABLE'
AND table_schema NOT IN ('information_schema', 'performance_schema', 'mysql')
ORDER BY data_length + index_length DESC
LIMIT 10;
This could be used to help debug a DB running out of space, or similar administrative tasks.
Finding the largest schemas
If you aggregate by table_schema
you can find which schemas are the largest:
SELECT table_schema
, concat(round(sum((data_length + index_length) / (1024 * 1024 * 1024))), ' GB') AS total_size
, concat(round(sum(data_length / (1024 * 1024 * 1024))), ' GB') AS table_size
, concat(round(sum(index_length / (1024 * 1024 * 1024))), ' GB') AS index_size
FROM information_schema.tables
WHERE table_type = 'BASE TABLE'
AND table_schema NOT IN ('information_schema', 'performance_schema', 'mysql')
GROUP BY table_schema
ORDER BY sum(data_length + index_length) DESC
LIMIT 10;