Database Partition Manager
Overview
Implement and manage table partitioning for PostgreSQL and MySQL to improve query performance and simplify data lifecycle management on large tables. This skill covers range partitioning (by date or ID), list partitioning (by category or region), hash partitioning (for even distribution), and composite partitioning.
Prerequisites
- PostgreSQL 10+ (declarative partitioning) or MySQL 5.7+ (native partitioning)
- Database admin credentials with CREATE TABLE and ALTER TABLE permissions
psql or mysql CLI for executing partition DDL
- Table size metrics:
SELECT pgsizepretty(pgtotalrelationsize('tablename')) or SELECT datalength FROM informationschema.TABLES
- Query patterns on the target table (especially WHERE clause columns used for filtering)
- Maintenance window availability for initial partition migration on existing tables
Instructions
- Identify partitioning candidates by finding tables that exceed 10GB or 100M rows, have time-based query patterns, or require periodic data purging. Query
pgstatuser_tables to find tables with high sequential scan counts on large row sets.
- Select the partition key based on the most common query filter column. For time-series data, use the timestamp column. For multi-tenant data, use tenant_id. The partition key must appear in most WHERE clauses to enable partition pruning.
- Choose the partitioning strategy:
- Range: Best for time-series data. Create monthly or daily partitions. Queries filtering by date range scan only relevant partitions.
- List: Best for categorical data. Create one partition per category, region, or status value.
- Hash: Best for even distribution when no natural range exists. Distribute rows across N partitions using hash of the partition key.
- Composite: Combine range + list for multi-dimensional partitioning (e.g., range by date, then list by region).
- For PostgreSQL, create the partitioned parent table:
CREATE TABLE orders (id bigint, createdat timestamptz, ...) PARTITION BY RANGE (createdat). Then create child partitions: CREATE TABLE orders202401 PARTITION OF orders FOR VALUES FROM ('2024-01-01') TO ('2024-02-01').
- For MySQL, define partitions inline:
ALTER TABLE orders PARTITION BY RANGE (YEAR(createdat) * 100 + MONTH(createdat)) (PARTITION p202401 VALUES LESS THAN (202402), ...).
- Migrate data from an existing unpartitioned table to a partitioned table:
- Create the new partitioned table with identical schema
- Copy data in batches:
INSERT INTO