In this tutorial, I’ll walk you through how to:
psql
and pg_restore
Along the way, I’ll also answer some common questions developers have when dealing with PostgreSQL and Docker.
Docker is super convenient — that's why many developers install only Docker on their machines and run databases like PostgreSQL, MySQL, or MongoDB inside containers. These containers expose their ports to your host machine, so you can interact with them just like you would with a locally installed service.
Now imagine you want to debug a production database locally. You’d likely receive a backup file and need to restore it inside your Dockerized PostgreSQL instance. That’s exactly what we’ll cover here.
Make sure Docker is installed and running, then execute the following command:
bashdocker run -d \--name my-postgres \-e POSTGRES_USER=postgres \-e POSTGRES_PASSWORD=postgres \-v pgdata:/var/lib/postgresql/data \-p 5432:5432 \postgres:16
postgres
pgdata
so your data is persisted (important — otherwise, deleting the container means losing all data!)To check if your container is running:
bashdocker ps
The easiest way is via Docker Desktop:
bashdocker exec -it my-postgres bash
Once inside, confirm essential PostgreSQL tools are available:
bashwhich pg_dumpwhich pg_restorewhich psql
There are three main steps:
psql
(for .sql
) or pg_restore
(for .dump
)PostgreSQL supports two common backup formats:
.sql
) — human-readable and restored with psql
.dump
) — flexible and used with pg_restore
Example backup files:
Copy files into the container (replace CONTAINER_ID
with your actual container ID from docker ps
):
bashdocker cp ~/Downloads/periodic_table.sql CONTAINER_ID:/tmp/docker cp ~/Downloads/periodic_table.dump CONTAINER_ID:/tmp/
Inside the container:
bashcd /tmpls
You should see both files listed.
Let’s create two databases — one for each format.
bashcreatedb -U postgres periodic_table_sql_format_db && echo "Created SQL format DB"createdb -U postgres periodic_table_dump_format_db && echo "Created Dump format DB"
.sql
File with psql
bashpsql -U postgres -d periodic_table_sql_format_db -f /tmp/periodic_table.sql
.dump
File with pg_restore
bashpg_restore -U postgres -d periodic_table_dump_format_db /tmp/periodic_table.dump --verbose
You can use a GUI tool like DBeaver or TablePlus, or stick to the terminal:
bashpsql -U postgres -d periodic_table_dump_format_db
bash\dt
bashSELECT * FROM periodic_table LIMIT 10;
You’ve now learned how to:
.sql
and .dump
backups using psql
and pg_restore
This is especially useful for developers debugging production data, setting up test environments, or learning PostgreSQL locally without installing it on the host machine.
Feel free to bookmark this guide or share it with someone who’s just getting started with PostgreSQL and Docker!