meteor_detection_system/meteor-web-backend/migrations/1766300000005_add-soft-delete.js
grabbit f557c06771 feat: complete database schema migration to UUID primary keys
## Database Migrations (18 new)
- Migrate all primary keys from SERIAL to UUID
- Add soft delete (deleted_at) to all 19 entities
- Add missing indexes for performance optimization
- Add CHECK constraints for data validation
- Add user audit fields (last_login_at, timezone, locale)
- Add weather station location fields (latitude, longitude, elevation)
- Add foreign key relationships (CameraDevice→Device, ValidatedEvent→WeatherStation)
- Prepare private key encryption fields

## Backend Entity Updates
- All entities updated with UUID primary keys
- Added @DeleteDateColumn for soft delete support
- Updated relations and foreign key types

## Backend Service/Controller Updates
- Changed ID parameters from number to string (UUID)
- Removed ParseIntPipe from controllers
- Updated TypeORM queries for string IDs

## Frontend Updates
- Updated all service interfaces to use string IDs
- Fixed CameraDevice.location as JSONB object
- Updated weather.ts with new fields (elevation, timezone)
- Added Supabase integration hooks and lib
- Fixed chart components for new data structure

## Cleanup
- Removed deprecated .claude/agents configuration files

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

Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com>
2025-12-21 03:33:26 +08:00

127 lines
3.2 KiB
JavaScript

/**
* Migration: Add soft delete mechanism to all tables
*
* Fixes: Most tables use CASCADE delete with no way to recover deleted data
*
* @type {import('node-pg-migrate').ColumnDefinitions | undefined}
*/
export const shorthands = undefined;
/**
* All tables that need soft delete support
*/
const TABLES_WITH_SOFT_DELETE = [
'user_profiles',
'user_identities',
'devices',
'inventory_devices',
'raw_events',
'validated_events',
'analysis_results',
'weather_stations',
'weather_observations',
'weather_forecasts',
'camera_devices',
'subscription_plans',
'user_subscriptions',
'subscription_history',
'payment_records',
'device_configurations',
'device_certificates',
'device_security_events',
'device_registrations',
];
/**
* @param pgm {import('node-pg-migrate').MigrationBuilder}
* @param run {() => void | undefined}
* @returns {Promise<void> | void}
*/
export const up = (pgm) => {
console.log('Adding soft delete columns to all tables...');
// Add deleted_at column to all tables
TABLES_WITH_SOFT_DELETE.forEach((table) => {
console.log(` Adding deleted_at to ${table}...`);
pgm.addColumn(table, {
deleted_at: {
type: 'timestamptz',
notNull: false,
comment: 'Soft delete timestamp. NULL = not deleted.',
},
});
// Create partial index for efficient filtering of non-deleted records
pgm.createIndex(table, 'deleted_at', {
name: `idx_${table}_deleted_at`,
where: 'deleted_at IS NULL',
});
});
// Create a helper function for soft delete operations
pgm.sql(`
-- Function to soft delete a record
CREATE OR REPLACE FUNCTION soft_delete()
RETURNS TRIGGER AS $$
BEGIN
NEW.deleted_at = CURRENT_TIMESTAMP;
RETURN NEW;
END;
$$ LANGUAGE plpgsql;
-- Function to check if record is deleted
CREATE OR REPLACE FUNCTION is_deleted(deleted_at TIMESTAMPTZ)
RETURNS BOOLEAN AS $$
BEGIN
RETURN deleted_at IS NOT NULL;
END;
$$ LANGUAGE plpgsql IMMUTABLE;
-- Function to restore a soft-deleted record
CREATE OR REPLACE FUNCTION restore_deleted()
RETURNS TRIGGER AS $$
BEGIN
NEW.deleted_at = NULL;
RETURN NEW;
END;
$$ LANGUAGE plpgsql;
`);
console.log('Soft delete columns added to all tables successfully.');
};
/**
* @param pgm {import('node-pg-migrate').MigrationBuilder}
* @param run {() => void | undefined}
* @returns {Promise<void> | void}
*/
export const down = (pgm) => {
console.log('Removing soft delete columns from all tables...');
// Drop helper functions
pgm.sql(`
DROP FUNCTION IF EXISTS soft_delete() CASCADE;
DROP FUNCTION IF EXISTS is_deleted(TIMESTAMPTZ) CASCADE;
DROP FUNCTION IF EXISTS restore_deleted() CASCADE;
`);
// Remove deleted_at from all tables in reverse order
[...TABLES_WITH_SOFT_DELETE].reverse().forEach((table) => {
console.log(` Removing deleted_at from ${table}...`);
// Drop index first
pgm.dropIndex(table, 'deleted_at', {
name: `idx_${table}_deleted_at`,
ifExists: true,
});
// Drop column
pgm.dropColumn(table, 'deleted_at', {
ifExists: true,
});
});
console.log('Soft delete columns removed from all tables.');
};