scripts/postgresql_backup/pg_backup.sh

68 lines
2 KiB
Bash

#!/bin/bash
# Load environment variables from .env file
if [ -f .env ]; then
export $(grep -v '^#' .env | xargs)
else
echo ".env file not found! Please create it with the necessary configuration."
exit 1
fi
# Ensure BACKUP_PATH is set
if [ -z "$BACKUP_PATH" ]; then
echo "BACKUP_PATH not set in .env file!"
exit 1
fi
# Extract unique database prefixes (DB1, DB2, ...)
DATABASE_PREFIXES=$(env | grep -o 'DB[0-9]*_' | sort -u)
# Loop through each database configuration prefix
for PREFIX in $DATABASE_PREFIXES; do
HOST_VAR="${PREFIX}HOST"
PORT_VAR="${PREFIX}PORT"
USER_VAR="${PREFIX}USER"
FORMAT_VAR="${PREFIX}DUMP_FORMAT"
HOST=${!HOST_VAR}
PORT=${!PORT_VAR}
USER=${!USER_VAR}
DUMP_FORMAT=${!FORMAT_VAR:-"custom"} # Default to "custom" if not set
if [ -z "$HOST" ] || [ -z "$PORT" ] || [ -z "$USER" ]; then
echo "Incomplete configuration for $PREFIX. Skipping..."
continue
fi
# Create a directory for each server using host and port
SERVER_DIR="$BACKUP_PATH/${HOST}_${PORT}"
mkdir -p "$SERVER_DIR"
# Get a list of all databases for this server, excluding template databases
DATABASES=$(psql -h "$HOST" -p "$PORT" -U "$USER" -d postgres -t -c "SELECT datname FROM pg_database WHERE datistemplate = false;")
# Loop over each database and create a backup
for DB_NAME in $DATABASES; do
# Set file extension based on DUMP_FORMAT
EXTENSION="dump"
if [[ "$DUMP_FORMAT" == "sql" ]]; then
EXTENSION="sql.gz"
fi
# Set backup file path within the server-specific directory
BACKUP_FILE="$SERVER_DIR/$DB_NAME.$EXTENSION"
# Perform the backup based on the specified format
if [[ "$DUMP_FORMAT" == "custom" ]]; then
pg_dump -h "$HOST" -p "$PORT" -U "$USER" -Fc "$DB_NAME" -f "$BACKUP_FILE"
elif [[ "$DUMP_FORMAT" == "sql" ]]; then
pg_dump -h "$HOST" -p "$PORT" -U "$USER" "$DB_NAME" | gzip > "$BACKUP_FILE"
else
echo "Invalid DUMP_FORMAT for $PREFIX: $DUMP_FORMAT. Skipping..."
continue
fi
echo "Backup for database '$DB_NAME' created at '$BACKUP_FILE'"
done
done