Skip to content

Commit 4b4bcd2

Browse files
authored
feat: schema diff sql tools (#17116)
1 parent 3fde5a8 commit 4b4bcd2

File tree

132 files changed

+5837
-1246
lines changed

Some content is hidden

Large Commits have some content hidden by default. Use the searchbox below for content that may be hidden.

132 files changed

+5837
-1246
lines changed

.github/workflows/test.yml

+2-2
Original file line numberDiff line numberDiff line change
@@ -525,7 +525,7 @@ jobs:
525525

526526
- name: Generate new migrations
527527
continue-on-error: true
528-
run: npm run typeorm:migrations:generate ./src/migrations/TestMigration
528+
run: npm run migrations:generate TestMigration
529529

530530
- name: Find file changes
531531
uses: tj-actions/verify-changed-files@a1c6acee9df209257a246f2cc6ae8cb6581c1edf # v20
@@ -538,7 +538,7 @@ jobs:
538538
run: |
539539
echo "ERROR: Generated migration files not up to date!"
540540
echo "Changed files: ${{ steps.verify-changed-files.outputs.changed_files }}"
541-
cat ./src/migrations/*-TestMigration.ts
541+
cat ./src/*-TestMigration.ts
542542
exit 1
543543
544544
- name: Run SQL generation

server/eslint.config.mjs

+8
Original file line numberDiff line numberDiff line change
@@ -77,6 +77,14 @@ export default [
7777
],
7878
},
7979
],
80+
81+
'@typescript-eslint/no-unused-vars': [
82+
'warn',
83+
{
84+
argsIgnorePattern: '^_',
85+
varsIgnorePattern: '^_',
86+
},
87+
],
8088
},
8189
},
8290
];

server/package.json

+2-2
Original file line numberDiff line numberDiff line change
@@ -23,8 +23,8 @@
2323
"test:medium": "vitest --config test/vitest.config.medium.mjs",
2424
"typeorm": "typeorm",
2525
"lifecycle": "node ./dist/utils/lifecycle.js",
26-
"typeorm:migrations:create": "typeorm migration:create",
27-
"typeorm:migrations:generate": "typeorm migration:generate -d ./dist/bin/database.js",
26+
"migrations:generate": "node ./dist/bin/migrations.js generate",
27+
"migrations:create": "node ./dist/bin/migrations.js create",
2828
"typeorm:migrations:run": "typeorm migration:run -d ./dist/bin/database.js",
2929
"typeorm:migrations:revert": "typeorm migration:revert -d ./dist/bin/database.js",
3030
"typeorm:schema:drop": "typeorm query -d ./dist/bin/database.js 'DROP schema public cascade; CREATE schema public;'",

server/src/bin/migrations.ts

+112
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,112 @@
1+
#!/usr/bin/env node
2+
process.env.DB_URL = 'postgres://postgres:postgres@localhost:5432/immich';
3+
4+
import { writeFileSync } from 'node:fs';
5+
import postgres from 'postgres';
6+
import { ConfigRepository } from 'src/repositories/config.repository';
7+
import { DatabaseTable, schemaDiff, schemaFromDatabase, schemaFromDecorators } from 'src/sql-tools';
8+
import 'src/tables';
9+
10+
const main = async () => {
11+
const command = process.argv[2];
12+
const name = process.argv[3] || 'Migration';
13+
14+
switch (command) {
15+
case 'debug': {
16+
await debug();
17+
return;
18+
}
19+
20+
case 'create': {
21+
create(name, [], []);
22+
return;
23+
}
24+
25+
case 'generate': {
26+
await generate(name);
27+
return;
28+
}
29+
30+
default: {
31+
console.log(`Usage:
32+
node dist/bin/migrations.js create <name>
33+
node dist/bin/migrations.js generate <name>
34+
`);
35+
}
36+
}
37+
};
38+
39+
const debug = async () => {
40+
const { up, down } = await compare();
41+
const upSql = '-- UP\n' + up.asSql({ comments: true }).join('\n');
42+
const downSql = '-- DOWN\n' + down.asSql({ comments: true }).join('\n');
43+
writeFileSync('./migrations.sql', upSql + '\n\n' + downSql);
44+
console.log('Wrote migrations.sql');
45+
};
46+
47+
const generate = async (name: string) => {
48+
const { up, down } = await compare();
49+
if (up.items.length === 0) {
50+
console.log('No changes detected');
51+
return;
52+
}
53+
create(name, up.asSql(), down.asSql());
54+
};
55+
56+
const create = (name: string, up: string[], down: string[]) => {
57+
const { filename, code } = asMigration(name, up, down);
58+
const fullPath = `./src/${filename}`;
59+
writeFileSync(fullPath, code);
60+
console.log(`Wrote ${fullPath}`);
61+
};
62+
63+
const compare = async () => {
64+
const configRepository = new ConfigRepository();
65+
const { database } = configRepository.getEnv();
66+
const db = postgres(database.config.kysely);
67+
68+
const source = schemaFromDecorators();
69+
const target = await schemaFromDatabase(db, {});
70+
71+
console.log(source.warnings.join('\n'));
72+
73+
const isIncluded = (table: DatabaseTable) => source.tables.some(({ name }) => table.name === name);
74+
target.tables = target.tables.filter((table) => isIncluded(table));
75+
76+
const up = schemaDiff(source, target, { ignoreExtraTables: true });
77+
const down = schemaDiff(target, source, { ignoreExtraTables: false });
78+
79+
return { up, down };
80+
};
81+
82+
const asMigration = (name: string, up: string[], down: string[]) => {
83+
const timestamp = Date.now();
84+
85+
const upSql = up.map((sql) => ` await queryRunner.query(\`${sql}\`);`).join('\n');
86+
const downSql = down.map((sql) => ` await queryRunner.query(\`${sql}\`);`).join('\n');
87+
return {
88+
filename: `${timestamp}-${name}.ts`,
89+
code: `import { MigrationInterface, QueryRunner } from 'typeorm';
90+
91+
export class ${name}${timestamp} implements MigrationInterface {
92+
public async up(queryRunner: QueryRunner): Promise<void> {
93+
${upSql}
94+
}
95+
96+
public async down(queryRunner: QueryRunner): Promise<void> {
97+
${downSql}
98+
}
99+
}
100+
`,
101+
};
102+
};
103+
104+
main()
105+
.then(() => {
106+
process.exit(0);
107+
})
108+
.catch((error) => {
109+
console.error(error);
110+
console.log('Something went wrong');
111+
process.exit(1);
112+
});

server/src/db.d.ts

+3-22
Original file line numberDiff line numberDiff line change
@@ -4,8 +4,9 @@
44
*/
55

66
import type { ColumnType } from 'kysely';
7-
import { OnThisDayData } from 'src/entities/memory.entity';
87
import { AssetType, MemoryType, Permission, SyncEntityType } from 'src/enum';
8+
import { UserTable } from 'src/tables/user.table';
9+
import { OnThisDayData } from 'src/types';
910

1011
export type ArrayType<T> = ArrayTypeImpl<T> extends (infer U)[] ? U[] : ArrayTypeImpl<T>;
1112

@@ -410,26 +411,6 @@ export interface UserMetadata {
410411
value: Json;
411412
}
412413

413-
export interface Users {
414-
createdAt: Generated<Timestamp>;
415-
deletedAt: Timestamp | null;
416-
email: string;
417-
id: Generated<string>;
418-
isAdmin: Generated<boolean>;
419-
name: Generated<string>;
420-
oauthId: Generated<string>;
421-
password: Generated<string>;
422-
profileChangedAt: Generated<Timestamp>;
423-
profileImagePath: Generated<string>;
424-
quotaSizeInBytes: Int8 | null;
425-
quotaUsageInBytes: Generated<Int8>;
426-
shouldChangePassword: Generated<boolean>;
427-
status: Generated<string>;
428-
storageLabel: string | null;
429-
updatedAt: Generated<Timestamp>;
430-
updateId: Generated<string>;
431-
}
432-
433414
export interface UsersAudit {
434415
id: Generated<string>;
435416
userId: string;
@@ -495,7 +476,7 @@ export interface DB {
495476
tags_closure: TagsClosure;
496477
typeorm_metadata: TypeormMetadata;
497478
user_metadata: UserMetadata;
498-
users: Users;
479+
users: UserTable;
499480
users_audit: UsersAudit;
500481
'vectors.pg_vector_index_stat': VectorsPgVectorIndexStat;
501482
version_history: VersionHistory;

server/src/entities/activity.entity.ts

-55
This file was deleted.
-16
Original file line numberDiff line numberDiff line change
@@ -1,27 +1,11 @@
11
import { AlbumEntity } from 'src/entities/album.entity';
22
import { UserEntity } from 'src/entities/user.entity';
33
import { AlbumUserRole } from 'src/enum';
4-
import { Column, Entity, Index, JoinColumn, ManyToOne, PrimaryColumn } from 'typeorm';
54

6-
@Entity('albums_shared_users_users')
7-
// Pre-existing indices from original album <--> user ManyToMany mapping
8-
@Index('IDX_427c350ad49bd3935a50baab73', ['album'])
9-
@Index('IDX_f48513bf9bccefd6ff3ad30bd0', ['user'])
105
export class AlbumUserEntity {
11-
@PrimaryColumn({ type: 'uuid', name: 'albumsId' })
126
albumId!: string;
13-
14-
@PrimaryColumn({ type: 'uuid', name: 'usersId' })
157
userId!: string;
16-
17-
@JoinColumn({ name: 'albumsId' })
18-
@ManyToOne(() => AlbumEntity, { onDelete: 'CASCADE', onUpdate: 'CASCADE', nullable: false })
198
album!: AlbumEntity;
20-
21-
@JoinColumn({ name: 'usersId' })
22-
@ManyToOne(() => UserEntity, { onDelete: 'CASCADE', onUpdate: 'CASCADE', nullable: false })
239
user!: UserEntity;
24-
25-
@Column({ type: 'varchar', default: AlbumUserRole.EDITOR })
2610
role!: AlbumUserRole;
2711
}

server/src/entities/album.entity.ts

-47
Original file line numberDiff line numberDiff line change
@@ -3,69 +3,22 @@ import { AssetEntity } from 'src/entities/asset.entity';
33
import { SharedLinkEntity } from 'src/entities/shared-link.entity';
44
import { UserEntity } from 'src/entities/user.entity';
55
import { AssetOrder } from 'src/enum';
6-
import {
7-
Column,
8-
CreateDateColumn,
9-
DeleteDateColumn,
10-
Entity,
11-
Index,
12-
JoinTable,
13-
ManyToMany,
14-
ManyToOne,
15-
OneToMany,
16-
PrimaryGeneratedColumn,
17-
UpdateDateColumn,
18-
} from 'typeorm';
196

20-
@Entity('albums')
217
export class AlbumEntity {
22-
@PrimaryGeneratedColumn('uuid')
238
id!: string;
24-
25-
@ManyToOne(() => UserEntity, { onDelete: 'CASCADE', onUpdate: 'CASCADE', nullable: false })
269
owner!: UserEntity;
27-
28-
@Column()
2910
ownerId!: string;
30-
31-
@Column({ default: 'Untitled Album' })
3211
albumName!: string;
33-
34-
@Column({ type: 'text', default: '' })
3512
description!: string;
36-
37-
@CreateDateColumn({ type: 'timestamptz' })
3813
createdAt!: Date;
39-
40-
@UpdateDateColumn({ type: 'timestamptz' })
4114
updatedAt!: Date;
42-
43-
@Index('IDX_albums_update_id')
44-
@Column({ type: 'uuid', nullable: false, default: () => 'immich_uuid_v7()' })
4515
updateId?: string;
46-
47-
@DeleteDateColumn({ type: 'timestamptz' })
4816
deletedAt!: Date | null;
49-
50-
@ManyToOne(() => AssetEntity, { nullable: true, onDelete: 'SET NULL', onUpdate: 'CASCADE' })
5117
albumThumbnailAsset!: AssetEntity | null;
52-
53-
@Column({ comment: 'Asset ID to be used as thumbnail', nullable: true })
5418
albumThumbnailAssetId!: string | null;
55-
56-
@OneToMany(() => AlbumUserEntity, ({ album }) => album, { cascade: true, onDelete: 'CASCADE' })
5719
albumUsers!: AlbumUserEntity[];
58-
59-
@ManyToMany(() => AssetEntity, (asset) => asset.albums)
60-
@JoinTable({ synchronize: false })
6120
assets!: AssetEntity[];
62-
63-
@OneToMany(() => SharedLinkEntity, (link) => link.album)
6421
sharedLinks!: SharedLinkEntity[];
65-
66-
@Column({ default: true })
6722
isActivityEnabled!: boolean;
68-
69-
@Column({ type: 'varchar', default: AssetOrder.DESC })
7023
order!: AssetOrder;
7124
}

server/src/entities/api-key.entity.ts

-34
This file was deleted.

0 commit comments

Comments
 (0)