6

I'm facing performance degradation and increasing storage usage as a result of frequent new and updated records causing index and storage fragmentation.

VACUUM doesn't help much.

Unfortunetely CLUSTER isn't an option as it causes downtime and pg_repack isn't available for AWS RDS.

I'm looking for hacky alternatives to CLUSTER. One that seems to work fine in my local tests is:

begin;

create temp table tmp_target as select * from target;

delete from target;
insert into target select * from tmp_target order by field1 asc, field2 desc;

drop table tmp_target;

commit;

The ordering of ctid looks correct with:

select ctid, field1, field2 from target order by ctid;

The question is: does this look fine? Is it going to lock the target table for SELECT queries causing downtime in apps? Is there a way to list the locks involved in the transaction?

Related to Cluster command locking read only queries on replica

brauliobo
  • 186
  • 1
  • 9

2 Answers2

9

If it's just about table bloat, VACUUM FULL is the tool to do it. (VACUUM only shrinks the physical file if it can opportunistically truncate it at the end.) However, VACUUM FULL also takes an exclusive lock on the table, just like CLUSTER.
There are community tools to do the same without exclusive lock:

Unfortunately, most hosted services like Amazon RDS do not allow these additional modules, currently.

Related:

Your current solution is no good, either way. You do the sort operation after deleting all rows (locking them), which will not shorten the downtime (the duration of the lock) for SELECT queries.

If you have no concurrent write access and no depending objects, this might be better:

BEGIN;

CREATE TEMP TABLE tmp_target AS TABLE target ORDER BY field1, field2 DESC;

TRUNCATE target; INSERT INTO target TABLE tmp_target;

-- DROP TABLE tmp_target; -- optional; dropped at end of session automatically

COMMIT;

  1. Sort in the background before taking the lock.
    Strictly speaking, INSERT without ORDER BY is free to write rows in any physical order. Practically, though, it will normally copy the current physical order of the temp table with a plain SELECT * FROM ... (TABLE ... for short). May fail for big tables that involve multiple parallel workers. Then you may need ORDER BY.

  2. For big tables, TRUNCATE is faster than DELETE. Be aware of some implications. Like: TRUNCATE does not work with FK constraints. Read the manual for full coverage.

You may want to drop existing indexes right before TRUNCATE and recreate after INSERT to make this faster.

Related:

Erwin Brandstetter
  • 185,527
  • 28
  • 463
  • 633
2

pg_repack is available on RDS now.

timetofly
  • 201
  • 4
  • 12