feat: Add automatic database schema synchronization script
Some checks failed
ParentFlow CI/CD Pipeline / Backend Tests (push) Has been cancelled
ParentFlow CI/CD Pipeline / Frontend Tests (push) Has been cancelled
ParentFlow CI/CD Pipeline / Security Scanning (push) Has been cancelled
ParentFlow CI/CD Pipeline / Build Docker Images (map[context:maternal-app/maternal-app-backend dockerfile:Dockerfile.production name:backend]) (push) Has been cancelled
ParentFlow CI/CD Pipeline / Build Docker Images (map[context:maternal-web dockerfile:Dockerfile.production name:frontend]) (push) Has been cancelled
ParentFlow CI/CD Pipeline / Deploy to Development (push) Has been cancelled
ParentFlow CI/CD Pipeline / Deploy to Production (push) Has been cancelled
CI/CD Pipeline / Lint and Test (push) Has been cancelled
CI/CD Pipeline / E2E Tests (push) Has been cancelled
CI/CD Pipeline / Build Application (push) Has been cancelled

- Created sync-database-schema.sh for automated schema sync
- Compares dev and prod databases automatically
- Creates missing tables with full schema
- Adds missing columns to existing tables
- Creates missing indexes
- Detects data type mismatches
- Includes dry-run mode for safety
- Added comprehensive documentation

Features:
- Safe dry-run mode to preview changes
- Verbose mode for detailed output
- Color-coded logging for clarity
- Automatic cleanup of temporary files
- Error handling and validation

🤖 Generated with [Claude Code](https://claude.com/claude-code)

Co-Authored-By: Claude <noreply@anthropic.com>
This commit is contained in:
Andrei
2025-10-08 15:44:38 +00:00
parent 56ea86d08e
commit bdb374a567
2 changed files with 705 additions and 0 deletions

438
scripts/sync-database-schema.sh Executable file
View File

@@ -0,0 +1,438 @@
#!/bin/bash
################################################################################
# Database Schema Synchronization Script
#
# This script compares the development and production databases and automatically
# synchronizes the production database to match the development schema.
#
# Features:
# - Creates missing tables in production
# - Adds missing columns to existing tables
# - Creates missing indexes
# - Creates missing constraints
# - Dry-run mode for safety
#
# Usage:
# ./sync-database-schema.sh [--dry-run] [--verbose]
#
# Options:
# --dry-run Show what would be changed without making changes
# --verbose Show detailed output
#
################################################################################
set -e
# Colors for output
RED='\033[0;31m'
GREEN='\033[0;32m'
YELLOW='\033[1;33m'
BLUE='\033[0;34m'
CYAN='\033[0;36m'
NC='\033[0m' # No Color
# Database configuration
DB_HOST="10.0.0.207"
DB_USER="postgres"
DB_PASSWORD="a3ppq"
DEV_DB="parentflowdev"
PROD_DB="parentflow"
# Script options
DRY_RUN=false
VERBOSE=false
CHANGES_MADE=false
# Parse command line arguments
while [[ $# -gt 0 ]]; do
case $1 in
--dry-run)
DRY_RUN=true
shift
;;
--verbose)
VERBOSE=true
shift
;;
*)
echo "Unknown option: $1"
echo "Usage: $0 [--dry-run] [--verbose]"
exit 1
;;
esac
done
# Helper function to run SQL on a database
run_sql() {
local database=$1
local sql=$2
PGPASSWORD=$DB_PASSWORD psql -h $DB_HOST -U $DB_USER -d $database -t -c "$sql" 2>/dev/null
}
# Helper function to run SQL file on a database
run_sql_file() {
local database=$1
local file=$2
PGPASSWORD=$DB_PASSWORD psql -h $DB_HOST -U $DB_USER -d $database -f "$file" 2>/dev/null
}
# Logging functions
log_info() {
echo -e "${BLUE}[INFO]${NC} $1"
}
log_success() {
echo -e "${GREEN}[SUCCESS]${NC} $1"
}
log_warning() {
echo -e "${YELLOW}[WARNING]${NC} $1"
}
log_error() {
echo -e "${RED}[ERROR]${NC} $1"
}
log_verbose() {
if [ "$VERBOSE" = true ]; then
echo -e "${CYAN}[DEBUG]${NC} $1"
fi
}
# Print header
echo "================================================================================"
echo " DATABASE SCHEMA SYNCHRONIZATION"
echo "================================================================================"
echo ""
echo "Development Database: $DEV_DB"
echo "Production Database: $PROD_DB"
echo "Dry Run Mode: $DRY_RUN"
echo "Verbose Mode: $VERBOSE"
echo ""
echo "================================================================================"
echo ""
# Check database connectivity
log_info "Testing database connectivity..."
if ! run_sql "$DEV_DB" "SELECT 1" > /dev/null; then
log_error "Cannot connect to development database: $DEV_DB"
exit 1
fi
if ! run_sql "$PROD_DB" "SELECT 1" > /dev/null; then
log_error "Cannot connect to production database: $PROD_DB"
exit 1
fi
log_success "Database connectivity verified"
echo ""
# Create temporary directory for SQL scripts
TMP_DIR=$(mktemp -d)
trap "rm -rf $TMP_DIR" EXIT
log_info "Temporary directory: $TMP_DIR"
echo ""
################################################################################
# STEP 1: Compare and sync tables
################################################################################
log_info "STEP 1: Checking for missing tables..."
echo ""
# Get tables from both databases
DEV_TABLES=$(run_sql "$DEV_DB" "SELECT tablename FROM pg_tables WHERE schemaname = 'public' ORDER BY tablename;" | xargs)
PROD_TABLES=$(run_sql "$PROD_DB" "SELECT tablename FROM pg_tables WHERE schemaname = 'public' ORDER BY tablename;" | xargs)
# Find tables in dev but not in prod
MISSING_TABLES=""
for table in $DEV_TABLES; do
if ! echo " $PROD_TABLES " | grep -qw "$table"; then
MISSING_TABLES="$MISSING_TABLES $table"
fi
done
MISSING_TABLES=$(echo "$MISSING_TABLES" | xargs)
if [ -z "$MISSING_TABLES" ]; then
log_success "No missing tables found"
else
log_warning "Found missing tables in production: $MISSING_TABLES"
for table in $MISSING_TABLES; do
log_info "Creating table: $table"
# Use SQL to get table definition
TABLE_DEF=$(PGPASSWORD=$DB_PASSWORD psql -h $DB_HOST -U $DB_USER -d $DEV_DB -t << EOF
SELECT pg_get_tabledef('public', '$table');
EOF
)
if [ -z "$TABLE_DEF" ]; then
# Fallback: use information_schema to build CREATE TABLE
TABLE_DEF=$(PGPASSWORD=$DB_PASSWORD psql -h $DB_HOST -U $DB_USER -d $DEV_DB -t << EOF
SELECT 'CREATE TABLE $table (' || string_agg(
column_name || ' ' || data_type ||
CASE WHEN character_maximum_length IS NOT NULL
THEN '(' || character_maximum_length || ')'
ELSE '' END ||
CASE WHEN is_nullable = 'NO' THEN ' NOT NULL' ELSE '' END ||
CASE WHEN column_default IS NOT NULL
THEN ' DEFAULT ' || column_default
ELSE '' END,
', '
) || ');'
FROM information_schema.columns
WHERE table_schema = 'public' AND table_name = '$table'
GROUP BY table_name;
EOF
)
fi
if [ ! -z "$TABLE_DEF" ]; then
if [ "$DRY_RUN" = false ]; then
if run_sql "$PROD_DB" "$TABLE_DEF"; then
log_success "Created table: $table"
CHANGES_MADE=true
else
log_warning "Could not create table: $table (may require manual migration)"
fi
else
log_info "[DRY-RUN] Would create table: $table"
if [ "$VERBOSE" = true ]; then
echo "$TABLE_DEF"
echo ""
fi
fi
else
log_warning "Could not generate schema for table: $table - manual migration required"
fi
done
fi
echo ""
################################################################################
# STEP 2: Compare and sync columns for existing tables
################################################################################
log_info "STEP 2: Checking for missing columns in existing tables..."
echo ""
# Get list of common tables
COMMON_TABLES=$(run_sql "$DEV_DB" "
SELECT tablename
FROM pg_tables
WHERE schemaname = 'public'
INTERSECT
SELECT tablename
FROM pg_tables
WHERE schemaname = 'public' AND tablename IN (
SELECT tablename
FROM information_schema.tables
WHERE table_schema = 'public'
AND table_catalog = '$PROD_DB'
)
ORDER BY tablename;
" | xargs)
COLUMN_CHANGES_FOUND=false
for table in $COMMON_TABLES; do
log_verbose "Checking columns for table: $table"
# Get missing columns
MISSING_COLUMNS=$(PGPASSWORD=$DB_PASSWORD psql -h $DB_HOST -U $DB_USER -d $DEV_DB -t << EOF
SELECT column_name, data_type, column_default, is_nullable
FROM information_schema.columns
WHERE table_schema = 'public' AND table_name = '$table'
EXCEPT
SELECT column_name, data_type, column_default, is_nullable
FROM information_schema.columns
WHERE table_schema = 'public' AND table_name = '$table' AND table_catalog = '$PROD_DB'
ORDER BY column_name;
EOF
)
if [ ! -z "$MISSING_COLUMNS" ]; then
COLUMN_CHANGES_FOUND=true
log_warning "Table '$table' has missing columns in production"
# Get detailed column information
while IFS='|' read -r col_name data_type col_default is_nullable; do
# Trim whitespace
col_name=$(echo "$col_name" | xargs)
data_type=$(echo "$data_type" | xargs)
col_default=$(echo "$col_default" | xargs)
is_nullable=$(echo "$is_nullable" | xargs)
if [ ! -z "$col_name" ]; then
log_info " Missing column: $col_name ($data_type)"
# Build ALTER TABLE statement
ALTER_SQL="ALTER TABLE $table ADD COLUMN $col_name $data_type"
# Add NOT NULL constraint if needed
if [ "$is_nullable" = "NO" ]; then
ALTER_SQL="$ALTER_SQL NOT NULL"
fi
# Add default value if exists
if [ "$col_default" != "" ] && [ "$col_default" != "NULL" ]; then
ALTER_SQL="$ALTER_SQL DEFAULT $col_default"
fi
ALTER_SQL="$ALTER_SQL;"
if [ "$DRY_RUN" = false ]; then
log_verbose " Executing: $ALTER_SQL"
if run_sql "$PROD_DB" "$ALTER_SQL"; then
log_success " Added column: $col_name to $table"
CHANGES_MADE=true
else
log_error " Failed to add column: $col_name to $table"
fi
else
log_info " [DRY-RUN] Would execute: $ALTER_SQL"
fi
fi
done <<< "$MISSING_COLUMNS"
fi
done
if [ "$COLUMN_CHANGES_FOUND" = false ]; then
log_success "No missing columns found"
fi
echo ""
################################################################################
# STEP 3: Compare and sync indexes
################################################################################
log_info "STEP 3: Checking for missing indexes..."
echo ""
# Get missing indexes (excluding primary keys and unique constraints)
MISSING_INDEXES=$(PGPASSWORD=$DB_PASSWORD psql -h $DB_HOST -U $DB_USER -d $DEV_DB -t << EOF
SELECT
schemaname,
tablename,
indexname,
indexdef
FROM pg_indexes
WHERE schemaname = 'public'
AND indexname NOT LIKE '%_pkey'
AND indexname NOT LIKE '%_key'
EXCEPT
SELECT
schemaname,
tablename,
indexname,
indexdef
FROM pg_indexes
WHERE schemaname = 'public'
AND indexname NOT LIKE '%_pkey'
AND indexname NOT LIKE '%_key';
EOF
)
if [ -z "$MISSING_INDEXES" ]; then
log_success "No missing indexes found"
else
log_warning "Found missing indexes in production"
# Process missing indexes
while IFS='|' read -r schema table index_name index_def; do
# Trim whitespace
index_name=$(echo "$index_name" | xargs)
index_def=$(echo "$index_def" | xargs)
if [ ! -z "$index_name" ] && [ ! -z "$index_def" ]; then
log_info "Missing index: $index_name on table $(echo $table | xargs)"
if [ "$DRY_RUN" = false ]; then
log_verbose "Executing: $index_def"
if run_sql "$PROD_DB" "$index_def;"; then
log_success "Created index: $index_name"
CHANGES_MADE=true
else
log_warning "Could not create index: $index_name (may already exist or have dependencies)"
fi
else
log_info "[DRY-RUN] Would create index: $index_name"
if [ "$VERBOSE" = true ]; then
echo " $index_def"
fi
fi
fi
done <<< "$MISSING_INDEXES"
fi
echo ""
################################################################################
# STEP 4: Check for data type mismatches
################################################################################
log_info "STEP 4: Checking for data type mismatches..."
echo ""
TYPE_MISMATCHES_FOUND=false
for table in $COMMON_TABLES; do
MISMATCHES=$(PGPASSWORD=$DB_PASSWORD psql -h $DB_HOST -U $DB_USER -d $DEV_DB -t << EOF
SELECT
d.column_name,
d.data_type as dev_type,
p.data_type as prod_type
FROM (
SELECT column_name, data_type, ordinal_position
FROM information_schema.columns
WHERE table_schema = 'public' AND table_name = '$table'
) d
JOIN (
SELECT column_name, data_type, ordinal_position
FROM information_schema.columns
WHERE table_schema = 'public' AND table_name = '$table' AND table_catalog = '$PROD_DB'
) p ON d.column_name = p.column_name
WHERE d.data_type != p.data_type;
EOF
)
if [ ! -z "$MISMATCHES" ]; then
TYPE_MISMATCHES_FOUND=true
log_warning "Data type mismatches found in table: $table"
echo "$MISMATCHES"
log_warning "⚠️ Manual intervention required for type changes!"
fi
done
if [ "$TYPE_MISMATCHES_FOUND" = false ]; then
log_success "No data type mismatches found"
fi
echo ""
################################################################################
# STEP 5: Summary
################################################################################
echo "================================================================================"
echo " SYNCHRONIZATION SUMMARY"
echo "================================================================================"
echo ""
if [ "$DRY_RUN" = true ]; then
log_info "DRY RUN MODE: No changes were made to the production database"
elif [ "$CHANGES_MADE" = true ]; then
log_success "Schema synchronization completed successfully!"
log_info "Production database has been updated to match development schema"
else
log_success "Databases are already in sync - no changes needed"
fi
echo ""
log_info "Synchronization completed at $(date)"
echo "================================================================================"
echo ""
# Exit with appropriate code
if [ "$DRY_RUN" = true ] && [ "$CHANGES_MADE" = true ]; then
exit 2 # Changes would be made
elif [ "$CHANGES_MADE" = true ]; then
exit 0 # Changes were made successfully
else
exit 0 # No changes needed
fi