diff --git a/.github/workflows/publish-release.yml b/.github/workflows/publish-release.yml index 0f10a888..d6a6ed0b 100644 --- a/.github/workflows/publish-release.yml +++ b/.github/workflows/publish-release.yml @@ -78,4 +78,3 @@ jobs: ${{ steps.changelog.outputs.changelog }} draft: true - prerelease: true diff --git a/packages/cli/package.json b/packages/cli/package.json index 1f095ebc..e386e23c 100644 --- a/packages/cli/package.json +++ b/packages/cli/package.json @@ -28,9 +28,9 @@ "pack": "pnpm pack" }, "dependencies": { + "@zenstackhq/common-helpers": "workspace:*", "@zenstackhq/language": "workspace:*", "@zenstackhq/sdk": "workspace:*", - "@zenstackhq/common-helpers": "workspace:*", "colors": "1.4.0", "commander": "^8.3.0", "langium": "catalog:", @@ -43,10 +43,12 @@ }, "devDependencies": { "@types/better-sqlite3": "^7.6.13", + "@types/tmp": "^0.2.6", "@zenstackhq/eslint-config": "workspace:*", "@zenstackhq/runtime": "workspace:*", "@zenstackhq/testtools": "workspace:*", "@zenstackhq/typescript-config": "workspace:*", - "better-sqlite3": "^11.8.1" + "better-sqlite3": "^11.8.1", + "tmp": "^0.2.3" } } diff --git a/packages/cli/src/actions/action-utils.ts b/packages/cli/src/actions/action-utils.ts index 2c736e50..9f36d53c 100644 --- a/packages/cli/src/actions/action-utils.ts +++ b/packages/cli/src/actions/action-utils.ts @@ -1,7 +1,9 @@ -import fs from 'node:fs'; -import { CliError } from '../cli-error'; import { loadDocument } from '@zenstackhq/language'; +import { PrismaSchemaGenerator } from '@zenstackhq/sdk'; import colors from 'colors'; +import fs from 'node:fs'; +import path from 'node:path'; +import { CliError } from '../cli-error'; export function getSchemaFile(file?: string) { if (file) { @@ -41,3 +43,11 @@ export function handleSubProcessError(err: unknown) { process.exit(1); } } + +export async function generateTempPrismaSchema(zmodelPath: string) { + const model = await loadSchemaDocument(zmodelPath); + const prismaSchema = await new PrismaSchemaGenerator(model).generate(); + const prismaSchemaFile = path.resolve(path.dirname(zmodelPath), '~schema.prisma'); + fs.writeFileSync(prismaSchemaFile, prismaSchema); + return prismaSchemaFile; +} diff --git a/packages/cli/src/actions/db.ts b/packages/cli/src/actions/db.ts index cde7342e..e588e8c2 100644 --- a/packages/cli/src/actions/db.ts +++ b/packages/cli/src/actions/db.ts @@ -1,43 +1,44 @@ -import path from 'node:path'; +import fs from 'node:fs'; import { execPackage } from '../utils/exec-utils'; -import { getSchemaFile, handleSubProcessError } from './action-utils'; -import { run as runGenerate } from './generate'; +import { generateTempPrismaSchema, getSchemaFile, handleSubProcessError } from './action-utils'; -type CommonOptions = { +type Options = { schema?: string; - name?: string; + acceptDataLoss?: boolean; + forceReset?: boolean; }; /** * CLI action for db related commands */ -export async function run(command: string, options: CommonOptions) { - const schemaFile = getSchemaFile(options.schema); - - // run generate first - await runGenerate({ - schema: schemaFile, - silent: true, - }); - - const prismaSchemaFile = path.join(path.dirname(schemaFile), 'schema.prisma'); - +export async function run(command: string, options: Options) { switch (command) { case 'push': - await runPush(prismaSchemaFile, options); + await runPush(options); break; } } -async function runPush(prismaSchemaFile: string, options: any) { - const cmd = `prisma db push --schema "${prismaSchemaFile}"${ - options.acceptDataLoss ? ' --accept-data-loss' : '' - }${options.forceReset ? ' --force-reset' : ''} --skip-generate`; +async function runPush(options: Options) { + // generate a temp prisma schema file + const schemaFile = getSchemaFile(options.schema); + const prismaSchemaFile = await generateTempPrismaSchema(schemaFile); + try { - await execPackage(cmd, { - stdio: 'inherit', - }); - } catch (err) { - handleSubProcessError(err); + // run prisma db push + const cmd = `prisma db push --schema "${prismaSchemaFile}"${ + options.acceptDataLoss ? ' --accept-data-loss' : '' + }${options.forceReset ? ' --force-reset' : ''} --skip-generate`; + try { + await execPackage(cmd, { + stdio: 'inherit', + }); + } catch (err) { + handleSubProcessError(err); + } + } finally { + if (fs.existsSync(prismaSchemaFile)) { + fs.unlinkSync(prismaSchemaFile); + } } } diff --git a/packages/cli/src/actions/generate.ts b/packages/cli/src/actions/generate.ts index a78d9b03..269f837a 100644 --- a/packages/cli/src/actions/generate.ts +++ b/packages/cli/src/actions/generate.ts @@ -10,6 +10,7 @@ type Options = { schema?: string; output?: string; silent?: boolean; + savePrismaSchema?: string | boolean; }; /** @@ -28,8 +29,15 @@ export async function run(options: Options) { await runPlugins(model, outputPath, tsSchemaFile); // generate Prisma schema - const prismaSchema = await new PrismaSchemaGenerator(model).generate(); - fs.writeFileSync(path.join(outputPath, 'schema.prisma'), prismaSchema); + if (options.savePrismaSchema) { + const prismaSchema = await new PrismaSchemaGenerator(model).generate(); + let prismaSchemaFile = path.join(outputPath, 'schema.prisma'); + if (typeof options.savePrismaSchema === 'string') { + prismaSchemaFile = path.resolve(outputPath, options.savePrismaSchema); + fs.mkdirSync(path.dirname(prismaSchemaFile), { recursive: true }); + } + fs.writeFileSync(prismaSchemaFile, prismaSchema); + } if (!options.silent) { console.log(colors.green('Generation completed successfully.')); diff --git a/packages/cli/src/actions/migrate.ts b/packages/cli/src/actions/migrate.ts index fd0150c9..d2bda8bb 100644 --- a/packages/cli/src/actions/migrate.ts +++ b/packages/cli/src/actions/migrate.ts @@ -1,57 +1,70 @@ -import path from 'node:path'; +import fs from 'node:fs'; import { execPackage } from '../utils/exec-utils'; -import { getSchemaFile } from './action-utils'; -import { run as runGenerate } from './generate'; +import { generateTempPrismaSchema, getSchemaFile } from './action-utils'; type CommonOptions = { schema?: string; +}; + +type DevOptions = CommonOptions & { name?: string; + createOnly?: boolean; +}; + +type ResetOptions = CommonOptions & { + force?: boolean; }; +type DeployOptions = CommonOptions; + +type StatusOptions = CommonOptions; + /** * CLI action for migration-related commands */ export async function run(command: string, options: CommonOptions) { const schemaFile = getSchemaFile(options.schema); + const prismaSchemaFile = await generateTempPrismaSchema(schemaFile); - // run generate first - await runGenerate({ - schema: schemaFile, - silent: true, - }); - - const prismaSchemaFile = path.join(path.dirname(schemaFile), 'schema.prisma'); - - switch (command) { - case 'dev': - await runDev(prismaSchemaFile, options); - break; + try { + switch (command) { + case 'dev': + await runDev(prismaSchemaFile, options as DevOptions); + break; - case 'reset': - await runReset(prismaSchemaFile, options as any); - break; + case 'reset': + await runReset(prismaSchemaFile, options as ResetOptions); + break; - case 'deploy': - await runDeploy(prismaSchemaFile, options); - break; + case 'deploy': + await runDeploy(prismaSchemaFile, options as DeployOptions); + break; - case 'status': - await runStatus(prismaSchemaFile, options); - break; + case 'status': + await runStatus(prismaSchemaFile, options as StatusOptions); + break; + } + } finally { + if (fs.existsSync(prismaSchemaFile)) { + fs.unlinkSync(prismaSchemaFile); + } } } -async function runDev(prismaSchemaFile: string, _options: unknown) { +async function runDev(prismaSchemaFile: string, options: DevOptions) { try { - await execPackage(`prisma migrate dev --schema "${prismaSchemaFile}" --skip-generate`, { - stdio: 'inherit', - }); + await execPackage( + `prisma migrate dev --schema "${prismaSchemaFile}" --skip-generate${options.name ? ` --name ${options.name}` : ''}${options.createOnly ? ' --create-only' : ''}`, + { + stdio: 'inherit', + }, + ); } catch (err) { handleSubProcessError(err); } } -async function runReset(prismaSchemaFile: string, options: { force: boolean }) { +async function runReset(prismaSchemaFile: string, options: ResetOptions) { try { await execPackage(`prisma migrate reset --schema "${prismaSchemaFile}"${options.force ? ' --force' : ''}`, { stdio: 'inherit', @@ -61,7 +74,7 @@ async function runReset(prismaSchemaFile: string, options: { force: boolean }) { } } -async function runDeploy(prismaSchemaFile: string, _options: unknown) { +async function runDeploy(prismaSchemaFile: string, _options: DeployOptions) { try { await execPackage(`prisma migrate deploy --schema "${prismaSchemaFile}"`, { stdio: 'inherit', @@ -71,7 +84,7 @@ async function runDeploy(prismaSchemaFile: string, _options: unknown) { } } -async function runStatus(prismaSchemaFile: string, _options: unknown) { +async function runStatus(prismaSchemaFile: string, _options: StatusOptions) { try { await execPackage(`prisma migrate status --schema "${prismaSchemaFile}"`, { stdio: 'inherit', diff --git a/packages/cli/src/index.ts b/packages/cli/src/index.ts index 24c64b8b..61013bfe 100644 --- a/packages/cli/src/index.ts +++ b/packages/cli/src/index.ts @@ -49,6 +49,13 @@ export function createProgram() { .command('generate') .description('Run code generation.') .addOption(schemaOption) + .addOption(new Option('--silent', 'do not print any output')) + .addOption( + new Option( + '--save-prisma-schema [path]', + 'save a Prisma schema file, by default into the output directory', + ), + ) .addOption(new Option('-o, --output ', 'default output directory for core plugins')) .action(generateAction); diff --git a/packages/cli/test/db.test.ts b/packages/cli/test/db.test.ts new file mode 100644 index 00000000..9657489c --- /dev/null +++ b/packages/cli/test/db.test.ts @@ -0,0 +1,19 @@ +import { execSync } from 'node:child_process'; +import fs from 'node:fs'; +import path from 'node:path'; +import { describe, expect, it } from 'vitest'; +import { createProject } from './utils'; + +const model = ` +model User { + id String @id @default(cuid()) +} +`; + +describe('CLI db commands test', () => { + it('should generate a database with db push', () => { + const workDir = createProject(model); + execSync('node node_modules/@zenstackhq/cli/bin/cli db push'); + expect(fs.existsSync(path.join(workDir, 'zenstack/dev.db'))).toBe(true); + }); +}); diff --git a/packages/cli/test/generate.test.ts b/packages/cli/test/generate.test.ts new file mode 100644 index 00000000..a204383a --- /dev/null +++ b/packages/cli/test/generate.test.ts @@ -0,0 +1,45 @@ +import { execSync } from 'node:child_process'; +import fs from 'node:fs'; +import path from 'node:path'; +import { describe, expect, it } from 'vitest'; +import { createProject } from './utils'; + +const model = ` +model User { + id String @id @default(cuid()) +} +`; + +describe('CLI generate command test', () => { + it('should generate a TypeScript schema', () => { + const workDir = createProject(model); + execSync('node node_modules/@zenstackhq/cli/bin/cli generate'); + expect(fs.existsSync(path.join(workDir, 'zenstack/schema.ts'))).toBe(true); + expect(fs.existsSync(path.join(workDir, 'zenstack/schema.prisma'))).toBe(false); + }); + + it('should respect custom output directory', () => { + const workDir = createProject(model); + execSync('node node_modules/@zenstackhq/cli/bin/cli generate --output ./zen'); + expect(fs.existsSync(path.join(workDir, 'zen/schema.ts'))).toBe(true); + }); + + it('should respect custom schema location', () => { + const workDir = createProject(model); + fs.renameSync(path.join(workDir, 'zenstack/schema.zmodel'), path.join(workDir, 'zenstack/foo.zmodel')); + execSync('node node_modules/@zenstackhq/cli/bin/cli generate --schema ./zenstack/foo.zmodel'); + expect(fs.existsSync(path.join(workDir, 'zenstack/schema.ts'))).toBe(true); + }); + + it('should respect save prisma schema option', () => { + const workDir = createProject(model); + execSync('node node_modules/@zenstackhq/cli/bin/cli generate --save-prisma-schema'); + expect(fs.existsSync(path.join(workDir, 'zenstack/schema.prisma'))).toBe(true); + }); + + it('should respect save prisma schema custom path option', () => { + const workDir = createProject(model); + execSync('node node_modules/@zenstackhq/cli/bin/cli generate --save-prisma-schema "../prisma/schema.prisma"'); + expect(fs.existsSync(path.join(workDir, 'prisma/schema.prisma'))).toBe(true); + }); +}); diff --git a/packages/cli/test/init.test.ts b/packages/cli/test/init.test.ts new file mode 100644 index 00000000..c1406c00 --- /dev/null +++ b/packages/cli/test/init.test.ts @@ -0,0 +1,16 @@ +import { execSync } from 'node:child_process'; +import fs from 'node:fs'; +import path from 'node:path'; +import tmp from 'tmp'; +import { describe, expect, it } from 'vitest'; + +describe('Cli init command tests', () => { + it('should create a new project', () => { + const { name: workDir } = tmp.dirSync({ unsafeCleanup: true }); + process.chdir(workDir); + execSync('npm init -y'); + const cli = path.join(__dirname, '../dist/index.js'); + execSync(`node ${cli} init`); + expect(fs.existsSync('zenstack/schema.zmodel')).toBe(true); + }); +}); diff --git a/packages/cli/test/migrate.test.ts b/packages/cli/test/migrate.test.ts new file mode 100644 index 00000000..be260074 --- /dev/null +++ b/packages/cli/test/migrate.test.ts @@ -0,0 +1,42 @@ +import { execSync } from 'node:child_process'; +import fs from 'node:fs'; +import path from 'node:path'; +import { describe, expect, it } from 'vitest'; +import { createProject } from './utils'; + +const model = ` +model User { + id String @id @default(cuid()) +} +`; + +describe('CLI migrate commands test', () => { + it('should generate a database with migrate dev', () => { + const workDir = createProject(model); + execSync('node node_modules/@zenstackhq/cli/bin/cli migrate dev --name init'); + expect(fs.existsSync(path.join(workDir, 'zenstack/dev.db'))).toBe(true); + expect(fs.existsSync(path.join(workDir, 'zenstack/migrations'))).toBe(true); + }); + + it('should reset the database with migrate reset', () => { + const workDir = createProject(model); + execSync('node node_modules/@zenstackhq/cli/bin/cli db push'); + expect(fs.existsSync(path.join(workDir, 'zenstack/dev.db'))).toBe(true); + execSync('node node_modules/@zenstackhq/cli/bin/cli migrate reset --force'); + expect(fs.existsSync(path.join(workDir, 'zenstack/dev.db'))).toBe(true); + }); + + it('should reset the database with migrate deploy', () => { + const workDir = createProject(model); + execSync('node node_modules/@zenstackhq/cli/bin/cli migrate dev --name init'); + fs.rmSync(path.join(workDir, 'zenstack/dev.db')); + execSync('node node_modules/@zenstackhq/cli/bin/cli migrate deploy'); + expect(fs.existsSync(path.join(workDir, 'zenstack/dev.db'))).toBe(true); + }); + + it('supports migrate status', () => { + createProject(model); + execSync('node node_modules/@zenstackhq/cli/bin/cli migrate dev --name init'); + execSync('node node_modules/@zenstackhq/cli/bin/cli migrate status'); + }); +}); diff --git a/packages/cli/test/utils.ts b/packages/cli/test/utils.ts new file mode 100644 index 00000000..88d7d73e --- /dev/null +++ b/packages/cli/test/utils.ts @@ -0,0 +1,18 @@ +import { createTestProject } from '@zenstackhq/testtools'; +import fs from 'node:fs'; +import path from 'node:path'; + +const ZMODEL_PRELUDE = `datasource db { + provider = "sqlite" + url = "file:./dev.db" +} +`; + +export function createProject(zmodel: string, addPrelude = true) { + const workDir = createTestProject(); + fs.mkdirSync(path.join(workDir, 'zenstack'), { recursive: true }); + const schemaPath = path.join(workDir, 'zenstack/schema.zmodel'); + fs.writeFileSync(schemaPath, addPrelude ? `${ZMODEL_PRELUDE}\n\n${zmodel}` : zmodel); + process.chdir(workDir); + return workDir; +} diff --git a/packages/testtools/src/index.ts b/packages/testtools/src/index.ts index e27a6e2f..dd917ab1 100644 --- a/packages/testtools/src/index.ts +++ b/packages/testtools/src/index.ts @@ -1 +1,2 @@ +export * from './project'; export * from './schema'; diff --git a/packages/testtools/src/project.ts b/packages/testtools/src/project.ts new file mode 100644 index 00000000..c3753cfb --- /dev/null +++ b/packages/testtools/src/project.ts @@ -0,0 +1,67 @@ +import fs from 'node:fs'; +import path from 'node:path'; +import tmp from 'tmp'; + +export function createTestProject() { + const { name: workDir } = tmp.dirSync({ unsafeCleanup: true }); + + fs.mkdirSync(path.join(workDir, 'node_modules')); + + // symlink all entries from "node_modules" + const nodeModules = fs.readdirSync(path.join(__dirname, '../node_modules')); + for (const entry of nodeModules) { + if (entry.startsWith('@zenstackhq')) { + continue; + } + fs.symlinkSync( + path.join(__dirname, '../node_modules', entry), + path.join(workDir, 'node_modules', entry), + 'dir', + ); + } + + // in addition, symlink zenstack packages + const zenstackPackages = ['language', 'sdk', 'runtime', 'cli']; + fs.mkdirSync(path.join(workDir, 'node_modules/@zenstackhq')); + for (const pkg of zenstackPackages) { + fs.symlinkSync( + path.join(__dirname, `../../${pkg}`), + path.join(workDir, `node_modules/@zenstackhq/${pkg}`), + 'dir', + ); + } + + fs.writeFileSync( + path.join(workDir, 'package.json'), + JSON.stringify( + { + name: 'test', + version: '1.0.0', + type: 'module', + }, + null, + 4, + ), + ); + + fs.writeFileSync( + path.join(workDir, 'tsconfig.json'), + JSON.stringify( + { + compilerOptions: { + module: 'ESNext', + target: 'ESNext', + moduleResolution: 'Bundler', + esModuleInterop: true, + skipLibCheck: true, + strict: true, + }, + include: ['**/*.ts'], + }, + null, + 4, + ), + ); + + return workDir; +} diff --git a/packages/testtools/src/schema.ts b/packages/testtools/src/schema.ts index 37b328bf..46b733ea 100644 --- a/packages/testtools/src/schema.ts +++ b/packages/testtools/src/schema.ts @@ -4,8 +4,8 @@ import { glob } from 'glob'; import { execSync } from 'node:child_process'; import fs from 'node:fs'; import path from 'node:path'; -import tmp from 'tmp'; import { match } from 'ts-pattern'; +import { createTestProject } from './project'; function makePrelude(provider: 'sqlite' | 'postgresql', dbName?: string) { return match(provider) @@ -34,7 +34,7 @@ export async function generateTsSchema( dbName?: string, extraSourceFiles?: Record, ) { - const { name: workDir } = tmp.dirSync({ unsafeCleanup: true }); + const workDir = createTestProject(); console.log(`Working directory: ${workDir}`); const zmodelPath = path.join(workDir, 'schema.zmodel'); @@ -47,56 +47,6 @@ export async function generateTsSchema( const tsPath = path.join(workDir, 'schema.ts'); await generator.generate(zmodelPath, pluginModelFiles, tsPath); - fs.mkdirSync(path.join(workDir, 'node_modules')); - - // symlink all entries from "node_modules" - const nodeModules = fs.readdirSync(path.join(__dirname, '../node_modules')); - for (const entry of nodeModules) { - if (entry.startsWith('@zenstackhq')) { - continue; - } - fs.symlinkSync( - path.join(__dirname, '../node_modules', entry), - path.join(workDir, 'node_modules', entry), - 'dir', - ); - } - - // in addition, symlink zenstack packages - const zenstackPackages = ['language', 'sdk', 'runtime']; - fs.mkdirSync(path.join(workDir, 'node_modules/@zenstackhq')); - for (const pkg of zenstackPackages) { - fs.symlinkSync( - path.join(__dirname, `../../${pkg}/dist`), - path.join(workDir, `node_modules/@zenstackhq/${pkg}`), - 'dir', - ); - } - - fs.writeFileSync( - path.join(workDir, 'package.json'), - JSON.stringify({ - name: 'test', - version: '1.0.0', - type: 'module', - }), - ); - - fs.writeFileSync( - path.join(workDir, 'tsconfig.json'), - JSON.stringify({ - compilerOptions: { - module: 'ESNext', - target: 'ESNext', - moduleResolution: 'Bundler', - esModuleInterop: true, - skipLibCheck: true, - strict: true, - }, - include: ['**/*.ts'], - }), - ); - if (extraSourceFiles) { for (const [fileName, content] of Object.entries(extraSourceFiles)) { const filePath = path.resolve(workDir, `${fileName}.ts`); diff --git a/pnpm-lock.yaml b/pnpm-lock.yaml index b817b6f5..a0be9341 100644 --- a/pnpm-lock.yaml +++ b/pnpm-lock.yaml @@ -105,6 +105,9 @@ importers: '@types/better-sqlite3': specifier: ^7.6.13 version: 7.6.13 + '@types/tmp': + specifier: ^0.2.6 + version: 0.2.6 '@zenstackhq/eslint-config': specifier: workspace:* version: link:../eslint-config @@ -120,6 +123,18 @@ importers: better-sqlite3: specifier: ^11.8.1 version: 11.8.1 + tmp: + specifier: ^0.2.3 + version: 0.2.3 + + packages/cli/test: + devDependencies: + '@types/tmp': + specifier: ^0.2.6 + version: 0.2.6 + tmp: + specifier: ^0.2.3 + version: 0.2.3 packages/common-helpers: devDependencies: @@ -392,8 +407,14 @@ importers: specifier: workspace:* version: link:../../packages/typescript-config prisma: - specifier: ^6.0.0 - version: 6.5.0(typescript@5.8.3) + specifier: 'catalog:' + version: 6.9.0(typescript@5.8.3) + + tests/e2e: + dependencies: + '@zenstackhq/testtools': + specifier: workspace:* + version: link:../../packages/testtools packages: @@ -813,39 +834,21 @@ packages: resolution: {integrity: sha512-+1VkjdD0QBLPodGrJUeqarH8VAIvQODIbwh9XpP5Syisf7YoQgsJKPNFoqqLQlu+VQ/tVSshMR6loPMn8U+dPg==} engines: {node: '>=14'} - '@prisma/config@6.5.0': - resolution: {integrity: sha512-sOH/2Go9Zer67DNFLZk6pYOHj+rumSb0VILgltkoxOjYnlLqUpHPAN826vnx8HigqnOCxj9LRhT6U7uLiIIWgw==} - '@prisma/config@6.9.0': resolution: {integrity: sha512-Wcfk8/lN3WRJd5w4jmNQkUwhUw0eksaU/+BlAJwPQKW10k0h0LC9PD/6TQFmqKVbHQL0vG2z266r0S1MPzzhbA==} - '@prisma/debug@6.5.0': - resolution: {integrity: sha512-fc/nusYBlJMzDmDepdUtH9aBsJrda2JNErP9AzuHbgUEQY0/9zQYZdNlXmKoIWENtio+qarPNe/+DQtrX5kMcQ==} - '@prisma/debug@6.9.0': resolution: {integrity: sha512-bFeur/qi/Q+Mqk4JdQ3R38upSYPebv5aOyD1RKywVD+rAMLtRkmTFn28ZuTtVOnZHEdtxnNOCH+bPIeSGz1+Fg==} - '@prisma/engines-version@6.5.0-73.173f8d54f8d52e692c7e27e72a88314ec7aeff60': - resolution: {integrity: sha512-iK3EmiVGFDCmXjSpdsKGNqy9hOdLnvYBrJB61far/oP03hlIxrb04OWmDjNTwtmZ3UZdA5MCvI+f+3k2jPTflQ==} - '@prisma/engines-version@6.9.0-10.81e4af48011447c3cc503a190e86995b66d2a28e': resolution: {integrity: sha512-Qp9gMoBHgqhKlrvumZWujmuD7q4DV/gooEyPCLtbkc13EZdSz2RsGUJ5mHb3RJgAbk+dm6XenqG7obJEhXcJ6Q==} - '@prisma/engines@6.5.0': - resolution: {integrity: sha512-FVPQYHgOllJklN9DUyujXvh3hFJCY0NX86sDmBErLvoZjy2OXGiZ5FNf3J/C4/RZZmCypZBYpBKEhx7b7rEsdw==} - '@prisma/engines@6.9.0': resolution: {integrity: sha512-im0X0bwDLA0244CDf8fuvnLuCQcBBdAGgr+ByvGfQY9wWl6EA+kRGwVk8ZIpG65rnlOwtaWIr/ZcEU5pNVvq9g==} - '@prisma/fetch-engine@6.5.0': - resolution: {integrity: sha512-3LhYA+FXP6pqY8FLHCjewyE8pGXXJ7BxZw2rhPq+CZAhvflVzq4K8Qly3OrmOkn6wGlz79nyLQdknyCG2HBTuA==} - '@prisma/fetch-engine@6.9.0': resolution: {integrity: sha512-PMKhJdl4fOdeE3J3NkcWZ+tf3W6rx3ht/rLU8w4SXFRcLhd5+3VcqY4Kslpdm8osca4ej3gTfB3+cSk5pGxgFg==} - '@prisma/get-platform@6.5.0': - resolution: {integrity: sha512-xYcvyJwNMg2eDptBYFqFLUCfgi+wZLcj6HDMsj0Qw0irvauG4IKmkbywnqwok0B+k+W+p+jThM2DKTSmoPCkzw==} - '@prisma/get-platform@6.9.0': resolution: {integrity: sha512-/B4n+5V1LI/1JQcHp+sUpyRT1bBgZVPHbsC4lt4/19Xp4jvNIVcq5KYNtQDk5e/ukTSjo9PZVAxxy9ieFtlpTQ==} @@ -1398,11 +1401,6 @@ packages: resolution: {integrity: sha512-FGgH2h8zKNim9ljj7dankFPcICIK9Cp5bm+c2gQSYePhpaG5+esrLODihIorn+Pe6FGJzWhXQotPv73jTaldXA==} engines: {node: '>= 0.4'} - esbuild-register@3.6.0: - resolution: {integrity: sha512-H2/S7Pm8a9CL1uhp9OvjwrBh5Pvx0H8qVOxNu8Wed9Y7qv56MPtq+GGM8RJpq6glYJn9Wspr8uw7l55uyinNeg==} - peerDependencies: - esbuild: '>=0.12 <1' - esbuild@0.23.1: resolution: {integrity: sha512-VVNz/9Sa0bs5SELtn3f7qhJCDPCF5oMEl5cO9/SSinpE9hbPVvxbd572HH5AKiP7WD8INO53GgfDDhRjkylHEg==} engines: {node: '>=18'} @@ -2043,16 +2041,6 @@ packages: engines: {node: '>=14'} hasBin: true - prisma@6.5.0: - resolution: {integrity: sha512-yUGXmWqv5F4PByMSNbYFxke/WbnyTLjnJ5bKr8fLkcnY7U5rU9rUTh/+Fja+gOrRxEgtCbCtca94IeITj4j/pg==} - engines: {node: '>=18.18'} - hasBin: true - peerDependencies: - typescript: '>=5.1.0' - peerDependenciesMeta: - typescript: - optional: true - prisma@6.9.0: resolution: {integrity: sha512-resJAwMyZREC/I40LF6FZ6rZTnlrlrYrb63oW37Gq+U+9xHwbyMSPJjKtM7VZf3gTO86t/Oyz+YeSXr3CmAY1Q==} engines: {node: '>=18.18'} @@ -2807,32 +2795,14 @@ snapshots: '@pkgjs/parseargs@0.11.0': optional: true - '@prisma/config@6.5.0': - dependencies: - esbuild: 0.25.5 - esbuild-register: 3.6.0(esbuild@0.25.5) - transitivePeerDependencies: - - supports-color - '@prisma/config@6.9.0': dependencies: jiti: 2.4.2 - '@prisma/debug@6.5.0': {} - '@prisma/debug@6.9.0': {} - '@prisma/engines-version@6.5.0-73.173f8d54f8d52e692c7e27e72a88314ec7aeff60': {} - '@prisma/engines-version@6.9.0-10.81e4af48011447c3cc503a190e86995b66d2a28e': {} - '@prisma/engines@6.5.0': - dependencies: - '@prisma/debug': 6.5.0 - '@prisma/engines-version': 6.5.0-73.173f8d54f8d52e692c7e27e72a88314ec7aeff60 - '@prisma/fetch-engine': 6.5.0 - '@prisma/get-platform': 6.5.0 - '@prisma/engines@6.9.0': dependencies: '@prisma/debug': 6.9.0 @@ -2840,22 +2810,12 @@ snapshots: '@prisma/fetch-engine': 6.9.0 '@prisma/get-platform': 6.9.0 - '@prisma/fetch-engine@6.5.0': - dependencies: - '@prisma/debug': 6.5.0 - '@prisma/engines-version': 6.5.0-73.173f8d54f8d52e692c7e27e72a88314ec7aeff60 - '@prisma/get-platform': 6.5.0 - '@prisma/fetch-engine@6.9.0': dependencies: '@prisma/debug': 6.9.0 '@prisma/engines-version': 6.9.0-10.81e4af48011447c3cc503a190e86995b66d2a28e '@prisma/get-platform': 6.9.0 - '@prisma/get-platform@6.5.0': - dependencies: - '@prisma/debug': 6.5.0 - '@prisma/get-platform@6.9.0': dependencies: '@prisma/debug': 6.9.0 @@ -3371,13 +3331,6 @@ snapshots: dependencies: es-errors: 1.3.0 - esbuild-register@3.6.0(esbuild@0.25.5): - dependencies: - debug: 4.4.1 - esbuild: 0.25.5 - transitivePeerDependencies: - - supports-color - esbuild@0.23.1: optionalDependencies: '@esbuild/aix-ppc64': 0.23.1 @@ -4050,16 +4003,6 @@ snapshots: prettier@3.5.3: {} - prisma@6.5.0(typescript@5.8.3): - dependencies: - '@prisma/config': 6.5.0 - '@prisma/engines': 6.5.0 - optionalDependencies: - fsevents: 2.3.3 - typescript: 5.8.3 - transitivePeerDependencies: - - supports-color - prisma@6.9.0(typescript@5.8.3): dependencies: '@prisma/config': 6.9.0 diff --git a/pnpm-workspace.yaml b/pnpm-workspace.yaml index 46f0618c..50ebbc00 100644 --- a/pnpm-workspace.yaml +++ b/pnpm-workspace.yaml @@ -2,6 +2,7 @@ packages: - packages/** - packages/ide/** - samples/** + - tests/** catalog: kysely: ^0.27.6 zod: ^3.25.67 diff --git a/samples/blog/package.json b/samples/blog/package.json index a840303f..2ad2ed09 100644 --- a/samples/blog/package.json +++ b/samples/blog/package.json @@ -18,7 +18,7 @@ }, "devDependencies": { "@types/better-sqlite3": "^7.6.12", - "prisma": "^6.0.0", + "prisma": "catalog:", "@zenstackhq/cli": "workspace:*", "@zenstackhq/typescript-config": "workspace:*" } diff --git a/tests/e2e/cal.com/cal-com.test.ts b/tests/e2e/cal.com/cal-com.test.ts new file mode 100644 index 00000000..46a07ca6 --- /dev/null +++ b/tests/e2e/cal.com/cal-com.test.ts @@ -0,0 +1,15 @@ +import { generateTsSchema } from '@zenstackhq/testtools'; +import { describe, it } from 'vitest'; +import fs from 'node:fs'; +import path from 'node:path'; + +describe('Cal.com e2e tests', () => { + it('has a working schema', async () => { + const generated = await generateTsSchema( + fs.readFileSync(path.join(__dirname, 'schema.zmodel'), 'utf8'), + 'postgresql', + 'cal-com', + ); + console.log(generated); + }); +}); diff --git a/tests/e2e/cal.com/schema.zmodel b/tests/e2e/cal.com/schema.zmodel new file mode 100644 index 00000000..833ea37a --- /dev/null +++ b/tests/e2e/cal.com/schema.zmodel @@ -0,0 +1,2365 @@ +datasource db { + provider = "postgresql" + url = env("DATABASE_URL") + directUrl = env("DATABASE_DIRECT_URL") +} + +enum SchedulingType { + ROUND_ROBIN @map("roundRobin") + COLLECTIVE @map("collective") + MANAGED @map("managed") +} + +enum PeriodType { + UNLIMITED @map("unlimited") + ROLLING @map("rolling") + ROLLING_WINDOW @map("rolling_window") + RANGE @map("range") +} + +enum CreationSource { + API_V1 @map("api_v1") + API_V2 @map("api_v2") + WEBAPP @map("webapp") +} + +model Host { + user User @relation(fields: [userId], references: [id], onDelete: Cascade) + userId Int + eventType EventType @relation(fields: [eventTypeId], references: [id], onDelete: Cascade) + eventTypeId Int + isFixed Boolean @default(false) + priority Int? + weight Int? + // weightAdjustment is deprecated. We not calculate the calibratino value on the spot. Plan to drop this column. + weightAdjustment Int? + schedule Schedule? @relation(fields: [scheduleId], references: [id]) + scheduleId Int? + createdAt DateTime @default(now()) + + @@id([userId, eventTypeId]) + @@index([userId]) + @@index([eventTypeId]) + @@index([scheduleId]) +} + +model CalVideoSettings { + eventTypeId Int @id + eventType EventType @relation(fields: [eventTypeId], references: [id], onDelete: Cascade) + + disableRecordingForOrganizer Boolean @default(false) + disableRecordingForGuests Boolean @default(false) + enableAutomaticTranscription Boolean @default(false) + redirectUrlOnExit String? + disableTranscriptionForGuests Boolean @default(false) + disableTranscriptionForOrganizer Boolean @default(false) + + createdAt DateTime @default(now()) + updatedAt DateTime @updatedAt +} + +model EventType { + id Int @id @default(autoincrement()) + /// @zod.min(1) + title String + /// @zod.custom(imports.eventTypeSlug) + slug String + description String? + interfaceLanguage String? + position Int @default(0) + /// @zod.custom(imports.eventTypeLocations) + locations Json? + /// @zod.min(1) + length Int + offsetStart Int @default(0) + hidden Boolean @default(false) + hosts Host[] + users User[] @relation("user_eventtype") + owner User? @relation("owner", fields: [userId], references: [id], onDelete: Cascade) + userId Int? + + profileId Int? + profile Profile? @relation(fields: [profileId], references: [id]) + + team Team? @relation(fields: [teamId], references: [id], onDelete: Cascade) + teamId Int? + hashedLink HashedLink[] + bookings Booking[] + availability Availability[] + webhooks Webhook[] + destinationCalendar DestinationCalendar? + useEventLevelSelectedCalendars Boolean @default(false) + eventName String? + customInputs EventTypeCustomInput[] + parentId Int? + parent EventType? @relation("managed_eventtype", fields: [parentId], references: [id], onDelete: Cascade) + children EventType[] @relation("managed_eventtype") + /// @zod.custom(imports.eventTypeBookingFields) + bookingFields Json? + timeZone String? + periodType PeriodType @default(UNLIMITED) + /// @zod.custom(imports.coerceToDate) + periodStartDate DateTime? + /// @zod.custom(imports.coerceToDate) + periodEndDate DateTime? + periodDays Int? + periodCountCalendarDays Boolean? + lockTimeZoneToggleOnBookingPage Boolean @default(false) + requiresConfirmation Boolean @default(false) + requiresConfirmationWillBlockSlot Boolean @default(false) + requiresConfirmationForFreeEmail Boolean @default(false) + requiresBookerEmailVerification Boolean @default(false) + canSendCalVideoTranscriptionEmails Boolean @default(true) + + autoTranslateDescriptionEnabled Boolean @default(false) + /// @zod.custom(imports.recurringEventType) + recurringEvent Json? + disableGuests Boolean @default(false) + hideCalendarNotes Boolean @default(false) + hideCalendarEventDetails Boolean @default(false) + /// @zod.min(0) + minimumBookingNotice Int @default(120) + beforeEventBuffer Int @default(0) + afterEventBuffer Int @default(0) + seatsPerTimeSlot Int? + onlyShowFirstAvailableSlot Boolean @default(false) + disableCancelling Boolean? @default(false) + disableRescheduling Boolean? @default(false) + seatsShowAttendees Boolean? @default(false) + seatsShowAvailabilityCount Boolean? @default(true) + schedulingType SchedulingType? + schedule Schedule? @relation(fields: [scheduleId], references: [id]) + scheduleId Int? + allowReschedulingCancelledBookings Boolean? @default(false) + // price is deprecated. It has now moved to metadata.apps.stripe.price. Plan to drop this column. + price Int @default(0) + // currency is deprecated. It has now moved to metadata.apps.stripe.currency. Plan to drop this column. + currency String @default("usd") + slotInterval Int? + /// @zod.custom(imports.EventTypeMetaDataSchema) + metadata Json? + /// @zod.custom(imports.successRedirectUrl) + successRedirectUrl String? + forwardParamsSuccessRedirect Boolean? @default(true) + workflows WorkflowsOnEventTypes[] + /// @zod.custom(imports.intervalLimitsType) + bookingLimits Json? + /// @zod.custom(imports.intervalLimitsType) + durationLimits Json? + isInstantEvent Boolean @default(false) + instantMeetingExpiryTimeOffsetInSeconds Int @default(90) + instantMeetingScheduleId Int? + instantMeetingSchedule Schedule? @relation("InstantMeetingSchedule", fields: [instantMeetingScheduleId], references: [id]) + instantMeetingParameters String[] + assignAllTeamMembers Boolean @default(false) + // It is applicable only when assignAllTeamMembers is true and it filters out all the team members using rrSegmentQueryValue + assignRRMembersUsingSegment Boolean @default(false) + /// @zod.custom(imports.rrSegmentQueryValueSchema) + rrSegmentQueryValue Json? + useEventTypeDestinationCalendarEmail Boolean @default(false) + aiPhoneCallConfig AIPhoneCallConfiguration? + isRRWeightsEnabled Boolean @default(false) + fieldTranslations EventTypeTranslation[] + maxLeadThreshold Int? + includeNoShowInRRCalculation Boolean @default(false) + selectedCalendars SelectedCalendar[] + allowReschedulingPastBookings Boolean @default(false) + hideOrganizerEmail Boolean @default(false) + maxActiveBookingsPerBooker Int? + maxActiveBookingPerBookerOfferReschedule Boolean @default(false) + /// @zod.custom(imports.emailSchema) + customReplyToEmail String? + calVideoSettings CalVideoSettings? + + /// @zod.custom(imports.eventTypeColor) + eventTypeColor Json? + rescheduleWithSameRoundRobinHost Boolean @default(false) + + secondaryEmailId Int? + secondaryEmail SecondaryEmail? @relation(fields: [secondaryEmailId], references: [id], onDelete: Cascade) + + useBookerTimezone Boolean @default(false) + restrictionScheduleId Int? + restrictionSchedule Schedule? @relation("restrictionSchedule", fields: [restrictionScheduleId], references: [id]) + + @@unique([userId, slug]) + @@unique([teamId, slug]) + @@unique([userId, parentId]) + @@index([userId]) + @@index([teamId]) + @@index([profileId]) + @@index([scheduleId]) + @@index([secondaryEmailId]) + @@index([parentId]) + @@index([restrictionScheduleId]) +} + +model Credential { + id Int @id @default(autoincrement()) + // @@type is deprecated + type String + key Json + user User? @relation(fields: [userId], references: [id], onDelete: Cascade) + userId Int? + team Team? @relation(fields: [teamId], references: [id], onDelete: Cascade) + teamId Int? + app App? @relation(fields: [appId], references: [slug], onDelete: Cascade) + // How to make it a required column? + appId String? + + // paid apps + subscriptionId String? + paymentStatus String? + billingCycleStart Int? + + destinationCalendars DestinationCalendar[] + selectedCalendars SelectedCalendar[] + invalid Boolean? @default(false) + CalendarCache CalendarCache[] + references BookingReference[] + delegationCredentialId String? + delegationCredential DelegationCredential? @relation(fields: [delegationCredentialId], references: [id], onDelete: Cascade) + + @@index([appId]) + @@index([subscriptionId]) + @@index([invalid]) + @@index([userId, delegationCredentialId]) +} + +enum IdentityProvider { + CAL + GOOGLE + SAML +} + +model DestinationCalendar { + id Int @id @default(autoincrement()) + integration String + externalId String + /// @zod.custom(imports.emailSchema) + primaryEmail String? + user User? @relation(fields: [userId], references: [id], onDelete: Cascade) + userId Int? @unique + booking Booking[] + eventType EventType? @relation(fields: [eventTypeId], references: [id], onDelete: Cascade) + eventTypeId Int? @unique + credentialId Int? + credential Credential? @relation(fields: [credentialId], references: [id], onDelete: Cascade) + delegationCredential DelegationCredential? @relation(fields: [delegationCredentialId], references: [id], onDelete: Cascade) + delegationCredentialId String? + domainWideDelegation DomainWideDelegation? @relation(fields: [domainWideDelegationCredentialId], references: [id], onDelete: Cascade) + domainWideDelegationCredentialId String? + + @@index([userId]) + @@index([eventTypeId]) + @@index([credentialId]) +} + +enum UserPermissionRole { + USER + ADMIN +} + +// It holds the password of a User, separate from the User model to avoid leaking the password hash +model UserPassword { + hash String + userId Int @unique + user User @relation(fields: [userId], references: [id], onDelete: Cascade) +} + +model TravelSchedule { + id Int @id @default(autoincrement()) + userId Int + user User @relation(fields: [userId], references: [id], onDelete: Cascade) + timeZone String + startDate DateTime + endDate DateTime? + prevTimeZone String? + + @@index([startDate]) + @@index([endDate]) +} + +// It holds Personal Profiles of a User plus it has email, password and other core things.. +model User { + id Int @id @default(autoincrement()) + username String? + name String? + /// @zod.custom(imports.emailSchema) + email String + emailVerified DateTime? + password UserPassword? + bio String? + avatarUrl String? + timeZone String @default("Europe/London") + travelSchedules TravelSchedule[] + weekStart String @default("Sunday") + // DEPRECATED - TO BE REMOVED + startTime Int @default(0) + endTime Int @default(1440) + // + bufferTime Int @default(0) + hideBranding Boolean @default(false) + // TODO: should be renamed since it only affects the booking page + theme String? + appTheme String? + createdDate DateTime @default(now()) @map(name: "created") + trialEndsAt DateTime? + lastActiveAt DateTime? + eventTypes EventType[] @relation("user_eventtype") + credentials Credential[] + teams Membership[] + bookings Booking[] + schedules Schedule[] + defaultScheduleId Int? + selectedCalendars SelectedCalendar[] + completedOnboarding Boolean @default(false) + locale String? + timeFormat Int? @default(12) + twoFactorSecret String? + twoFactorEnabled Boolean @default(false) + backupCodes String? + identityProvider IdentityProvider @default(CAL) + identityProviderId String? + availability Availability[] + invitedTo Int? + webhooks Webhook[] + brandColor String? + darkBrandColor String? + // the location where the events will end up + destinationCalendar DestinationCalendar? + // participate in dynamic group booking or not + allowDynamicBooking Boolean? @default(true) + + // participate in SEO indexing or not + allowSEOIndexing Boolean? @default(true) + + // receive monthly digest email for teams or not + receiveMonthlyDigestEmail Boolean? @default(true) + + /// @zod.custom(imports.userMetadata) + metadata Json? + verified Boolean? @default(false) + role UserPermissionRole @default(USER) + disableImpersonation Boolean @default(false) + impersonatedUsers Impersonations[] @relation("impersonated_user") + impersonatedBy Impersonations[] @relation("impersonated_by_user") + apiKeys ApiKey[] + accounts Account[] + sessions Session[] + Feedback Feedback[] + ownedEventTypes EventType[] @relation("owner") + workflows Workflow[] + routingForms App_RoutingForms_Form[] @relation("routing-form") + updatedRoutingForms App_RoutingForms_Form[] @relation("updated-routing-form") + verifiedNumbers VerifiedNumber[] + verifiedEmails VerifiedEmail[] + hosts Host[] + // organizationId is deprecated. Instead, rely on the Profile to search profiles by organizationId and then get user from the profile. + organizationId Int? + organization Team? @relation("scope", fields: [organizationId], references: [id], onDelete: SetNull) + accessCodes AccessCode[] + bookingRedirects OutOfOfficeEntry[] + bookingRedirectsTo OutOfOfficeEntry[] @relation(name: "toUser") + + // Used to lock the user account + locked Boolean @default(false) + platformOAuthClients PlatformOAuthClient[] + AccessToken AccessToken[] + RefreshToken RefreshToken[] + PlatformAuthorizationToken PlatformAuthorizationToken[] + profiles Profile[] + movedToProfileId Int? + movedToProfile Profile? @relation("moved_to_profile", fields: [movedToProfileId], references: [id], onDelete: SetNull) + secondaryEmails SecondaryEmail[] + isPlatformManaged Boolean @default(false) + OutOfOfficeReasons OutOfOfficeReason[] + smsLockState SMSLockState @default(UNLOCKED) + smsLockReviewedByAdmin Boolean @default(false) + NotificationsSubscriptions NotificationsSubscriptions[] + referralLinkId String? + features UserFeatures[] + reassignedBookings Booking[] @relation("reassignByUser") + createdAttributeToUsers AttributeToUser[] @relation("createdBy") + updatedAttributeToUsers AttributeToUser[] @relation("updatedBy") + createdTranslations EventTypeTranslation[] @relation("CreatedEventTypeTranslations") + updatedTranslations EventTypeTranslation[] @relation("UpdatedEventTypeTranslations") + createdWatchlists Watchlist[] @relation("CreatedWatchlists") + updatedWatchlists Watchlist[] @relation("UpdatedWatchlists") + BookingInternalNote BookingInternalNote[] + creationSource CreationSource? + createdOrganizationOnboardings OrganizationOnboarding[] @relation("CreatedOrganizationOnboardings") + filterSegments FilterSegment[] + filterSegmentPreferences UserFilterSegmentPreference[] + creditBalance CreditBalance? + whitelistWorkflows Boolean @default(false) + + @@unique([email]) + @@unique([email, username]) + @@unique([username, organizationId]) + @@unique([movedToProfileId]) + @@index([username]) + @@index([emailVerified]) + @@index([identityProvider]) + @@index([identityProviderId]) + @@map(name: "users") +} + +model NotificationsSubscriptions { + id Int @id @default(autoincrement()) + userId Int + user User @relation(fields: [userId], references: [id], onDelete: Cascade) + subscription String + + @@index([userId, subscription]) +} + +// It holds Organization Profiles as well as User Profiles for users that have been added to an organization +model Profile { + id Int @id @default(autoincrement()) + // uid allows us to set an identifier chosen by us which is helpful in migration when we create the Profile from User directly. + uid String + userId Int + user User @relation(fields: [userId], references: [id], onDelete: Cascade) + organizationId Int + organization Team @relation(fields: [organizationId], references: [id], onDelete: Cascade) + username String + eventTypes EventType[] + movedFromUser User? @relation("moved_to_profile") + createdAt DateTime @default(now()) + updatedAt DateTime @updatedAt + + // A user can have multiple profiles in different organizations + @@unique([userId, organizationId]) + // Allow username reuse only across different organizations + @@unique([username, organizationId]) + @@index([uid]) + @@index([userId]) + @@index([organizationId]) +} + +model Team { + id Int @id @default(autoincrement()) + /// @zod.min(1) + name String + // It is unique across teams and organizations. We don't have a strong reason for organization and team slug to be conflicting, could be fixed. + // Sub-teams could have same slug across different organizations but not within the same organization. + /// @zod.min(1) + slug String? + logoUrl String? + calVideoLogo String? + appLogo String? + appIconLogo String? + bio String? + hideBranding Boolean @default(false) + hideTeamProfileLink Boolean @default(false) + isPrivate Boolean @default(false) + hideBookATeamMember Boolean @default(false) + members Membership[] + eventTypes EventType[] + workflows Workflow[] + createdAt DateTime @default(now()) + /// @zod.custom(imports.teamMetadataSchema) + metadata Json? + theme String? + rrResetInterval RRResetInterval? @default(MONTH) + rrTimestampBasis RRTimestampBasis @default(CREATED_AT) + brandColor String? + darkBrandColor String? + verifiedNumbers VerifiedNumber[] + verifiedEmails VerifiedEmail[] + bannerUrl String? + parentId Int? + parent Team? @relation("organization", fields: [parentId], references: [id], onDelete: Cascade) + children Team[] @relation("organization") + orgUsers User[] @relation("scope") + inviteTokens VerificationToken[] + webhooks Webhook[] + timeFormat Int? + timeZone String @default("Europe/London") + weekStart String @default("Sunday") + routingForms App_RoutingForms_Form[] + apiKeys ApiKey[] + credentials Credential[] + accessCodes AccessCode[] + isOrganization Boolean @default(false) + organizationSettings OrganizationSettings? + instantMeetingTokens InstantMeetingToken[] + orgProfiles Profile[] + pendingPayment Boolean @default(false) + dsyncTeamGroupMapping DSyncTeamGroupMapping[] + isPlatform Boolean @default(false) + // Organization's OAuth clients. Organization has them but a team does not. + platformOAuthClient PlatformOAuthClient[] + // OAuth client used to create team of an organization. Team has it but organization does not. + createdByOAuthClient PlatformOAuthClient? @relation("CreatedByOAuthClient", fields: [createdByOAuthClientId], references: [id], onDelete: Cascade) + createdByOAuthClientId String? + smsLockState SMSLockState @default(UNLOCKED) + platformBilling PlatformBilling? + activeOrgWorkflows WorkflowsOnTeams[] + attributes Attribute[] + smsLockReviewedByAdmin Boolean @default(false) + // Available for Organization only + delegationCredentials DelegationCredential[] + domainWideDelegations DomainWideDelegation[] + roles Role[] // Added for Role relation + + features TeamFeatures[] + + /// @zod.custom(imports.intervalLimitsType) + bookingLimits Json? + includeManagedEventsInLimits Boolean @default(false) + internalNotePresets InternalNotePreset[] + creditBalance CreditBalance? + organizationOnboarding OrganizationOnboarding? + + // note(Lauris): if a Team has parentId it is a team, if parentId is null it is an organization, but if parentId is null and managedOrganization is set, + // it means that it is an organization managed by another organization. + managedOrganization ManagedOrganization? @relation("ManagedOrganization") + managedOrganizations ManagedOrganization[] @relation("ManagerOrganization") + filterSegments FilterSegment[] + + @@unique([slug, parentId]) + @@index([parentId]) +} + +model CreditBalance { + id String @id @default(uuid()) + team Team? @relation(fields: [teamId], references: [id], onDelete: Cascade) + teamId Int? @unique + // user credit balances will be supported in the future + user User? @relation(fields: [userId], references: [id], onDelete: Cascade) + userId Int? @unique + additionalCredits Int @default(0) + limitReachedAt DateTime? + warningSentAt DateTime? + expenseLogs CreditExpenseLog[] + purchaseLogs CreditPurchaseLog[] +} + +model CreditPurchaseLog { + id String @id @default(uuid()) + creditBalanceId String + creditBalance CreditBalance @relation(fields: [creditBalanceId], references: [id], onDelete: Cascade) + credits Int + createdAt DateTime @default(now()) +} + +model CreditExpenseLog { + id String @id @default(uuid()) + creditBalanceId String + creditBalance CreditBalance @relation(fields: [creditBalanceId], references: [id], onDelete: Cascade) + bookingUid String? + booking Booking? @relation(fields: [bookingUid], references: [uid], onDelete: Cascade) + credits Int? + creditType CreditType + date DateTime + smsSid String? + smsSegments Int? +} + +enum CreditType { + MONTHLY + ADDITIONAL +} + +model OrganizationSettings { + id Int @id @default(autoincrement()) + organization Team @relation(fields: [organizationId], references: [id], onDelete: Cascade) + organizationId Int @unique + isOrganizationConfigured Boolean @default(false) + // It decides if new organization members can be auto-accepted or not + isOrganizationVerified Boolean @default(false) + // It is a domain e.g "acme.com". Any email with this domain might be auto-accepted + // Also, it is the domain to which the organization profile is redirected. + orgAutoAcceptEmail String + lockEventTypeCreationForUsers Boolean @default(false) + adminGetsNoSlotsNotification Boolean @default(false) + // It decides if instance ADMIN has reviewed the organization or not. + // It is used to allow super sensitive operations like 'impersonation of Org members by Org admin' + isAdminReviewed Boolean @default(false) + dSyncData DSyncData? + isAdminAPIEnabled Boolean @default(false) + allowSEOIndexing Boolean @default(false) + orgProfileRedirectsToVerifiedDomain Boolean @default(false) + disablePhoneOnlySMSNotifications Boolean @default(false) +} + +enum MembershipRole { + MEMBER + ADMIN + OWNER +} + +model Membership { + id Int @id @default(autoincrement()) + teamId Int + userId Int + accepted Boolean @default(false) + role MembershipRole + customRoleId String? + customRole Role? @relation(fields: [customRoleId], references: [id]) + team Team @relation(fields: [teamId], references: [id], onDelete: Cascade) + user User @relation(fields: [userId], references: [id], onDelete: Cascade) + disableImpersonation Boolean @default(false) + AttributeToUser AttributeToUser[] + createdAt DateTime? @default(now()) + updatedAt DateTime? @updatedAt + + @@unique([userId, teamId]) + @@index([teamId]) + @@index([userId]) + @@index([accepted]) + @@index([role]) + @@index([customRoleId]) +} + +model VerificationToken { + id Int @id @default(autoincrement()) + identifier String + token String @unique + expires DateTime + expiresInDays Int? + createdAt DateTime @default(now()) + updatedAt DateTime @updatedAt + teamId Int? + team Team? @relation(fields: [teamId], references: [id]) + secondaryEmailId Int? + secondaryEmail SecondaryEmail? @relation(fields: [secondaryEmailId], references: [id]) + + @@unique([identifier, token]) + @@index([token]) + @@index([teamId]) + @@index([secondaryEmailId]) +} + +model InstantMeetingToken { + id Int @id @default(autoincrement()) + token String @unique + expires DateTime + teamId Int + team Team @relation(fields: [teamId], references: [id]) + bookingId Int? @unique + booking Booking? @relation(fields: [bookingId], references: [id], onDelete: Cascade) + + createdAt DateTime @default(now()) + updatedAt DateTime @updatedAt + + @@index([token]) +} + +model BookingReference { + id Int @id @default(autoincrement()) + /// @zod.min(1) + type String + /// @zod.min(1) + uid String + meetingId String? + thirdPartyRecurringEventId String? + meetingPassword String? + meetingUrl String? + booking Booking? @relation(fields: [bookingId], references: [id], onDelete: Cascade) + bookingId Int? + externalCalendarId String? + deleted Boolean? + + credential Credential? @relation(fields: [credentialId], references: [id], onDelete: SetNull) + credentialId Int? + delegationCredential DelegationCredential? @relation(fields: [delegationCredentialId], references: [id], onDelete: SetNull) + delegationCredentialId String? + domainWideDelegation DomainWideDelegation? @relation(fields: [domainWideDelegationCredentialId], references: [id], onDelete: SetNull) + domainWideDelegationCredentialId String? + + @@index([bookingId]) + @@index([type]) + @@index([uid]) +} + +model Attendee { + id Int @id @default(autoincrement()) + email String + name String + timeZone String + phoneNumber String? + locale String? @default("en") + booking Booking? @relation(fields: [bookingId], references: [id], onDelete: Cascade) + bookingId Int? + bookingSeat BookingSeat? + noShow Boolean? @default(false) + + @@index([email]) + @@index([bookingId]) +} + +enum BookingStatus { + CANCELLED @map("cancelled") + ACCEPTED @map("accepted") + REJECTED @map("rejected") + PENDING @map("pending") + AWAITING_HOST @map("awaiting_host") +} + +model Booking { + id Int @id @default(autoincrement()) + uid String @unique + // (optional) UID based on slot start/end time & email against duplicates + idempotencyKey String? @unique + user User? @relation(fields: [userId], references: [id], onDelete: Cascade) + userId Int? + // User's email at the time of booking + /// @zod.custom(imports.emailSchema) + userPrimaryEmail String? + references BookingReference[] + eventType EventType? @relation(fields: [eventTypeId], references: [id]) + eventTypeId Int? + title String + description String? + customInputs Json? + /// @zod.custom(imports.bookingResponses) + responses Json? + startTime DateTime + endTime DateTime + attendees Attendee[] + location String? + createdAt DateTime @default(now()) + updatedAt DateTime? @updatedAt + status BookingStatus @default(ACCEPTED) + paid Boolean @default(false) + payment Payment[] + destinationCalendar DestinationCalendar? @relation(fields: [destinationCalendarId], references: [id]) + destinationCalendarId Int? + cancellationReason String? + rejectionReason String? + reassignReason String? + reassignBy User? @relation("reassignByUser", fields: [reassignById], references: [id]) + reassignById Int? + dynamicEventSlugRef String? + dynamicGroupSlugRef String? + rescheduled Boolean? + fromReschedule String? + recurringEventId String? + smsReminderNumber String? + workflowReminders WorkflowReminder[] + scheduledJobs String[] // scheduledJobs is deprecated, please use scheduledTriggers instead + seatsReferences BookingSeat[] + /// @zod.custom(imports.bookingMetadataSchema) + metadata Json? + isRecorded Boolean @default(false) + iCalUID String? @default("") + iCalSequence Int @default(0) + instantMeetingToken InstantMeetingToken? + rating Int? + ratingFeedback String? + noShowHost Boolean? @default(false) + scheduledTriggers WebhookScheduledTriggers[] + oneTimePassword String? @unique @default(uuid()) + /// @zod.email() + cancelledBy String? + /// @zod.email() + rescheduledBy String? + // Ah, made a typo here. Should have been routedFromRoutingFormRe"s"ponse. Live with it :( + routedFromRoutingFormReponse App_RoutingForms_FormResponse? + assignmentReason AssignmentReason[] + internalNote BookingInternalNote[] + creationSource CreationSource? + tracking Tracking? + routingFormResponses RoutingFormResponseDenormalized[] + expenseLogs CreditExpenseLog[] + + @@index([eventTypeId]) + @@index([userId]) + @@index([destinationCalendarId]) + @@index([recurringEventId]) + @@index([uid]) + @@index([status]) + @@index([startTime, endTime, status]) +} + +model Tracking { + id Int @id @default(autoincrement()) + bookingId Int + booking Booking @relation(fields: [bookingId], references: [id], onDelete: Cascade) + utm_source String? + utm_medium String? + utm_campaign String? + utm_term String? + utm_content String? + + @@unique([bookingId]) +} + +model Schedule { + id Int @id @default(autoincrement()) + user User @relation(fields: [userId], references: [id], onDelete: Cascade) + userId Int + eventType EventType[] + instantMeetingEvents EventType[] @relation("InstantMeetingSchedule") + restrictionSchedule EventType[] @relation("restrictionSchedule") + name String + timeZone String? + availability Availability[] + Host Host[] + + @@index([userId]) +} + +model Availability { + id Int @id @default(autoincrement()) + user User? @relation(fields: [userId], references: [id], onDelete: Cascade) + userId Int? + eventType EventType? @relation(fields: [eventTypeId], references: [id]) + eventTypeId Int? + days Int[] + startTime DateTime @db.Time + endTime DateTime @db.Time + date DateTime? @db.Date + Schedule Schedule? @relation(fields: [scheduleId], references: [id]) + scheduleId Int? + + @@index([userId]) + @@index([eventTypeId]) + @@index([scheduleId]) +} + +model SelectedCalendar { + id String @id @default(uuid()) + user User @relation(fields: [userId], references: [id], onDelete: Cascade) + userId Int + integration String + externalId String + credential Credential? @relation(fields: [credentialId], references: [id], onDelete: Cascade) + credentialId Int? + // Used to identify a watched calendar channel in Google Calendar + googleChannelId String? + googleChannelKind String? + googleChannelResourceId String? + googleChannelResourceUri String? + googleChannelExpiration String? + + delegationCredential DelegationCredential? @relation(fields: [delegationCredentialId], references: [id], onDelete: Cascade) + delegationCredentialId String? + + // Deprecated and unused: Use delegationCredential instead + domainWideDelegationCredential DomainWideDelegation? @relation(fields: [domainWideDelegationCredentialId], references: [id], onDelete: Cascade) + domainWideDelegationCredentialId String? + error String? + lastErrorAt DateTime? + watchAttempts Int @default(0) + unwatchAttempts Int @default(0) + maxAttempts Int @default(3) + + eventTypeId Int? + eventType EventType? @relation(fields: [eventTypeId], references: [id]) + + // It could still allow multiple user-level(eventTypeId is null) selected calendars for same userId, integration, externalId because NULL is not equal to NULL + // We currently ensure uniqueness by checking for the existence of the record before creating a new one + // Think about introducing a generated unique key ${userId}_${integration}_${externalId}_${eventTypeId} + @@unique([userId, integration, externalId, eventTypeId]) + @@unique([googleChannelId, eventTypeId]) + @@index([userId]) + @@index([externalId]) + @@index([eventTypeId]) + @@index([credentialId]) + // Composite indices to optimize calendar-cache queries + @@index([integration, googleChannelExpiration, error, watchAttempts, maxAttempts], name: "SelectedCalendar_watch_idx") + @@index([integration, googleChannelExpiration, error, unwatchAttempts, maxAttempts], name: "SelectedCalendar_unwatch_idx") +} + +enum EventTypeCustomInputType { + TEXT @map("text") + TEXTLONG @map("textLong") + NUMBER @map("number") + BOOL @map("bool") + RADIO @map("radio") + PHONE @map("phone") +} + +model EventTypeCustomInput { + id Int @id @default(autoincrement()) + eventTypeId Int + eventType EventType @relation(fields: [eventTypeId], references: [id], onDelete: Cascade) + label String + type EventTypeCustomInputType + /// @zod.custom(imports.customInputOptionSchema) + options Json? + required Boolean + placeholder String @default("") + + @@index([eventTypeId]) +} + +model ResetPasswordRequest { + id String @id @default(cuid()) + createdAt DateTime @default(now()) + updatedAt DateTime @updatedAt + email String + expires DateTime +} + +enum ReminderType { + PENDING_BOOKING_CONFIRMATION +} + +model ReminderMail { + id Int @id @default(autoincrement()) + referenceId Int + reminderType ReminderType + elapsedMinutes Int + createdAt DateTime @default(now()) + + @@index([referenceId]) + @@index([reminderType]) +} + +model Payment { + id Int @id @default(autoincrement()) + uid String @unique + app App? @relation(fields: [appId], references: [slug], onDelete: Cascade) + appId String? + bookingId Int + booking Booking? @relation(fields: [bookingId], references: [id], onDelete: Cascade) + amount Int + fee Int + currency String + success Boolean + refunded Boolean + data Json + externalId String @unique + paymentOption PaymentOption? @default(ON_BOOKING) + + @@index([bookingId]) + @@index([externalId]) +} + +enum PaymentOption { + ON_BOOKING + HOLD +} + +enum WebhookTriggerEvents { + BOOKING_CREATED + BOOKING_PAYMENT_INITIATED + BOOKING_PAID + BOOKING_RESCHEDULED + BOOKING_REQUESTED + BOOKING_CANCELLED + BOOKING_REJECTED + BOOKING_NO_SHOW_UPDATED + FORM_SUBMITTED + MEETING_ENDED + MEETING_STARTED + RECORDING_READY + INSTANT_MEETING + RECORDING_TRANSCRIPTION_GENERATED + OOO_CREATED + AFTER_HOSTS_CAL_VIDEO_NO_SHOW + AFTER_GUESTS_CAL_VIDEO_NO_SHOW + FORM_SUBMITTED_NO_EVENT +} + +model Webhook { + id String @id @unique + userId Int? + teamId Int? + eventTypeId Int? + platformOAuthClientId String? + /// @zod.url() + subscriberUrl String + payloadTemplate String? + createdAt DateTime @default(now()) + active Boolean @default(true) + eventTriggers WebhookTriggerEvents[] + user User? @relation(fields: [userId], references: [id], onDelete: Cascade) + team Team? @relation(fields: [teamId], references: [id], onDelete: Cascade) + eventType EventType? @relation(fields: [eventTypeId], references: [id], onDelete: Cascade) + platformOAuthClient PlatformOAuthClient? @relation(fields: [platformOAuthClientId], references: [id], onDelete: Cascade) + app App? @relation(fields: [appId], references: [slug], onDelete: Cascade) + appId String? + secret String? + platform Boolean @default(false) + scheduledTriggers WebhookScheduledTriggers[] + time Int? + timeUnit TimeUnit? + + @@unique([userId, subscriberUrl], name: "courseIdentifier") + @@unique([platformOAuthClientId, subscriberUrl], name: "oauthclientwebhook") + @@index([active]) +} + +model Impersonations { + id Int @id @default(autoincrement()) + createdAt DateTime @default(now()) + impersonatedUser User @relation("impersonated_user", fields: [impersonatedUserId], references: [id], onDelete: Cascade) + impersonatedBy User @relation("impersonated_by_user", fields: [impersonatedById], references: [id], onDelete: Cascade) + impersonatedUserId Int + impersonatedById Int + + @@index([impersonatedUserId]) + @@index([impersonatedById]) +} + +model ApiKey { + id String @id @unique @default(cuid()) + userId Int + teamId Int? + note String? + createdAt DateTime @default(now()) + expiresAt DateTime? + lastUsedAt DateTime? + hashedKey String @unique() + user User? @relation(fields: [userId], references: [id], onDelete: Cascade) + team Team? @relation(fields: [teamId], references: [id], onDelete: Cascade) + app App? @relation(fields: [appId], references: [slug], onDelete: Cascade) + appId String? + rateLimits RateLimit[] + + @@index([userId]) +} + +model RateLimit { + id String @id @default(uuid()) + name String + apiKeyId String + ttl Int + limit Int + blockDuration Int + createdAt DateTime @default(now()) + updatedAt DateTime @updatedAt + + apiKey ApiKey @relation(fields: [apiKeyId], references: [id], onDelete: Cascade) + + @@index([apiKeyId]) +} + +model HashedLink { + id Int @id @default(autoincrement()) + link String @unique() + eventType EventType @relation(fields: [eventTypeId], references: [id], onDelete: Cascade) + eventTypeId Int +} + +model Account { + id String @id @default(cuid()) + userId Int + type String + provider String + providerAccountId String + providerEmail String? + refresh_token String? @db.Text + access_token String? @db.Text + expires_at Int? + token_type String? + scope String? + id_token String? @db.Text + session_state String? + + user User? @relation(fields: [userId], references: [id], onDelete: Cascade) + + @@unique([provider, providerAccountId]) + @@index([userId]) + @@index([type]) +} + +model Session { + id String @id @default(cuid()) + sessionToken String @unique + userId Int + expires DateTime + user User? @relation(fields: [userId], references: [id], onDelete: Cascade) + + @@index([userId]) +} + +enum AppCategories { + calendar + messaging + other + payment + video // deprecated, please use 'conferencing' instead + web3 // deprecated, we should no longer have any web3 apps + automation + analytics + // Wherever video is in use, conferencing should also be used for legacy apps can have it. + conferencing + crm +} + +model App { + // The slug for the app store public page inside `/apps/[slug]` + slug String @id @unique + // The directory name for `/packages/app-store/[dirName]` + dirName String @unique + // Needed API Keys + keys Json? + // One or multiple categories to which this app belongs + categories AppCategories[] + createdAt DateTime @default(now()) + updatedAt DateTime @updatedAt + credentials Credential[] + payments Payment[] + Webhook Webhook[] + ApiKey ApiKey[] + enabled Boolean @default(false) + + @@index([enabled]) +} + +model App_RoutingForms_Form { + id String @id @default(cuid()) + description String? + position Int @default(0) + routes Json? + createdAt DateTime @default(now()) + updatedAt DateTime @updatedAt + name String + fields Json? + user User @relation("routing-form", fields: [userId], references: [id], onDelete: Cascade) + updatedBy User? @relation("updated-routing-form", fields: [updatedById], references: [id], onDelete: SetNull) + updatedById Int? + // This is the user who created the form and also the user who has read-write access to the form + // If teamId is set, the members of the team would also have access to form readOnly or read-write depending on their permission level as team member. + userId Int + team Team? @relation(fields: [teamId], references: [id], onDelete: Cascade) + teamId Int? + responses App_RoutingForms_FormResponse[] + queuedResponses App_RoutingForms_QueuedFormResponse[] + disabled Boolean @default(false) + /// @zod.custom(imports.RoutingFormSettings) + settings Json? + incompleteBookingActions App_RoutingForms_IncompleteBookingActions[] + + @@index([userId]) + @@index([disabled]) +} + +model App_RoutingForms_FormResponse { + id Int @id @default(autoincrement()) + formFillerId String @default(cuid()) + form App_RoutingForms_Form @relation(fields: [formId], references: [id], onDelete: Cascade) + formId String + response Json + createdAt DateTime @default(now()) + updatedAt DateTime? @updatedAt + + routedToBookingUid String? @unique + // We should not cascade delete the booking, because we want to keep the form response even if the routedToBooking is deleted + routedToBooking Booking? @relation(fields: [routedToBookingUid], references: [uid]) + chosenRouteId String? + routingFormResponseFields RoutingFormResponseField[] + routingFormResponses RoutingFormResponseDenormalized[] + queuedFormResponse App_RoutingForms_QueuedFormResponse? + + @@unique([formFillerId, formId]) + @@index([formFillerId]) + @@index([formId]) + @@index([routedToBookingUid]) +} + +model App_RoutingForms_QueuedFormResponse { + id String @id @default(cuid()) + form App_RoutingForms_Form @relation(fields: [formId], references: [id], onDelete: Cascade) + formId String + response Json + chosenRouteId String? + createdAt DateTime @default(now()) + updatedAt DateTime? @updatedAt + actualResponseId Int? @unique + actualResponse App_RoutingForms_FormResponse? @relation(fields: [actualResponseId], references: [id], onDelete: Cascade) +} + +model RoutingFormResponseField { + id Int @id @default(autoincrement()) + responseId Int + fieldId String + valueString String? + valueNumber Decimal? + valueStringArray String[] + response App_RoutingForms_FormResponse @relation(fields: [responseId], references: [id], map: "RoutingFormResponseField_response_fkey", onDelete: Cascade) + denormalized RoutingFormResponseDenormalized @relation("DenormalizedResponseToFields", fields: [responseId], references: [id], onDelete: Cascade) + + @@index([responseId]) + @@index([fieldId]) + @@index([valueNumber]) + @@index([valueStringArray], type: Gin) +} + +view RoutingFormResponse { + id Int @unique + response Json + responseLowercase Json + formId String + formName String + formTeamId Int? + formUserId Int? + bookingUid String? + bookingStatus BookingStatus? + bookingStatusOrder Int? + bookingCreatedAt DateTime? + bookingAttendees Json? // Array of {timeZone: string, email: string} + bookingUserId Int? + bookingUserName String? + bookingUserEmail String? + bookingUserAvatarUrl String? + bookingAssignmentReason String? + bookingAssignmentReasonLowercase String? + bookingStartTime DateTime? + bookingEndTime DateTime? + createdAt DateTime + utm_source String? + utm_medium String? + utm_campaign String? + utm_term String? + utm_content String? +} + +model RoutingFormResponseDenormalized { + id Int @id + formId String + formName String + formTeamId Int? + formUserId Int + booking Booking? @relation(fields: [bookingId], references: [id], onDelete: SetNull) + bookingUid String? + bookingId Int? + bookingStatus BookingStatus? + bookingStatusOrder Int? + bookingCreatedAt DateTime? @db.Timestamp(3) + bookingStartTime DateTime? @db.Timestamp(3) + bookingEndTime DateTime? @db.Timestamp(3) + bookingUserId Int? + bookingUserName String? + bookingUserEmail String? + bookingUserAvatarUrl String? + bookingAssignmentReason String? + eventTypeId Int? + eventTypeParentId Int? + eventTypeSchedulingType String? + createdAt DateTime @db.Timestamp(3) + utm_source String? + utm_medium String? + utm_campaign String? + utm_term String? + utm_content String? + response App_RoutingForms_FormResponse @relation(fields: [id], references: [id], onDelete: Cascade) + fields RoutingFormResponseField[] @relation("DenormalizedResponseToFields") + + @@index([formId]) + @@index([formTeamId]) + @@index([formUserId]) + @@index([formId, createdAt]) + @@index([bookingId]) + @@index([bookingUserId]) + @@index([eventTypeId, eventTypeParentId]) +} + +model Feedback { + id Int @id @default(autoincrement()) + date DateTime @default(now()) + userId Int + user User @relation(fields: [userId], references: [id], onDelete: Cascade) + rating String + comment String? + + @@index([userId]) + @@index([rating]) +} + +enum WorkflowTriggerEvents { + BEFORE_EVENT + EVENT_CANCELLED + NEW_EVENT + AFTER_EVENT + RESCHEDULE_EVENT + AFTER_HOSTS_CAL_VIDEO_NO_SHOW + AFTER_GUESTS_CAL_VIDEO_NO_SHOW +} + +enum WorkflowActions { + EMAIL_HOST + EMAIL_ATTENDEE + SMS_ATTENDEE + SMS_NUMBER + EMAIL_ADDRESS + WHATSAPP_ATTENDEE + WHATSAPP_NUMBER +} + +model WorkflowStep { + id Int @id @default(autoincrement()) + stepNumber Int + action WorkflowActions + workflowId Int + workflow Workflow @relation(fields: [workflowId], references: [id], onDelete: Cascade) + sendTo String? + reminderBody String? + emailSubject String? + template WorkflowTemplates @default(REMINDER) + workflowReminders WorkflowReminder[] + numberRequired Boolean? + sender String? + numberVerificationPending Boolean @default(true) + includeCalendarEvent Boolean @default(false) + verifiedAt DateTime? + + @@index([workflowId]) +} + +model Workflow { + id Int @id @default(autoincrement()) + position Int @default(0) + name String + userId Int? + user User? @relation(fields: [userId], references: [id], onDelete: Cascade) + team Team? @relation(fields: [teamId], references: [id], onDelete: Cascade) + teamId Int? + activeOn WorkflowsOnEventTypes[] + activeOnTeams WorkflowsOnTeams[] + isActiveOnAll Boolean @default(false) + trigger WorkflowTriggerEvents + time Int? + timeUnit TimeUnit? + steps WorkflowStep[] + + @@index([userId]) + @@index([teamId]) +} + +model AIPhoneCallConfiguration { + id Int @id @default(autoincrement()) + eventType EventType @relation(fields: [eventTypeId], references: [id], onDelete: Cascade) + eventTypeId Int + templateType String @default("CUSTOM_TEMPLATE") + schedulerName String? + generalPrompt String? + yourPhoneNumber String + numberToCall String + guestName String? + guestEmail String? + guestCompany String? + enabled Boolean @default(false) + beginMessage String? + llmId String? + + @@unique([eventTypeId]) + @@index([eventTypeId]) +} + +model WorkflowsOnEventTypes { + id Int @id @default(autoincrement()) + workflow Workflow @relation(fields: [workflowId], references: [id], onDelete: Cascade) + workflowId Int + eventType EventType @relation(fields: [eventTypeId], references: [id], onDelete: Cascade) + eventTypeId Int + + @@unique([workflowId, eventTypeId]) + @@index([workflowId]) + @@index([eventTypeId]) +} + +model WorkflowsOnTeams { + id Int @id @default(autoincrement()) + workflow Workflow @relation(fields: [workflowId], references: [id], onDelete: Cascade) + workflowId Int + team Team @relation(fields: [teamId], references: [id], onDelete: Cascade) + teamId Int + + @@unique([workflowId, teamId]) + @@index([workflowId]) + @@index([teamId]) +} + +model Deployment { + /// This is a single row table, so we use a fixed id + id Int @id @default(1) + logo String? + /// @zod.custom(imports.DeploymentTheme) + theme Json? + licenseKey String? + agreedLicenseAt DateTime? +} + +enum TimeUnit { + DAY @map("day") + HOUR @map("hour") + MINUTE @map("minute") +} + +model WorkflowReminder { + id Int @id @default(autoincrement()) + uuid String? @unique @default(uuid()) + bookingUid String? + booking Booking? @relation(fields: [bookingUid], references: [uid]) + method WorkflowMethods + scheduledDate DateTime + referenceId String? @unique + scheduled Boolean + workflowStepId Int? + workflowStep WorkflowStep? @relation(fields: [workflowStepId], references: [id], onDelete: Cascade) + cancelled Boolean? + seatReferenceId String? + isMandatoryReminder Boolean? @default(false) + retryCount Int @default(0) + + @@index([bookingUid]) + @@index([workflowStepId]) + @@index([seatReferenceId]) + @@index([method, scheduled, scheduledDate]) + @@index([cancelled, scheduledDate]) +} + +model WebhookScheduledTriggers { + id Int @id @default(autoincrement()) + jobName String? // jobName is deprecated, not needed when webhook and booking is set + subscriberUrl String + payload String + startAfter DateTime + retryCount Int @default(0) + createdAt DateTime? @default(now()) + appId String? + webhookId String? + webhook Webhook? @relation(fields: [webhookId], references: [id], onDelete: Cascade) + bookingId Int? + booking Booking? @relation(fields: [bookingId], references: [id], onDelete: Cascade) +} + +enum WorkflowTemplates { + REMINDER + CUSTOM + CANCELLED + RESCHEDULED + COMPLETED + RATING +} + +enum WorkflowMethods { + EMAIL + SMS + WHATSAPP +} + +model BookingSeat { + id Int @id @default(autoincrement()) + referenceUid String @unique + bookingId Int + booking Booking @relation(fields: [bookingId], references: [id], onDelete: Cascade) + attendeeId Int @unique + attendee Attendee @relation(fields: [attendeeId], references: [id], onDelete: Cascade) + /// @zod.custom(imports.bookingSeatDataSchema) + data Json? + metadata Json? + + @@index([bookingId]) + @@index([attendeeId]) +} + +model VerifiedNumber { + id Int @id @default(autoincrement()) + userId Int? + user User? @relation(fields: [userId], references: [id], onDelete: Cascade) + teamId Int? + team Team? @relation(fields: [teamId], references: [id], onDelete: Cascade) + phoneNumber String + + @@index([userId]) + @@index([teamId]) +} + +model VerifiedEmail { + id Int @id @default(autoincrement()) + userId Int? + user User? @relation(fields: [userId], references: [id], onDelete: Cascade) + teamId Int? + team Team? @relation(fields: [teamId], references: [id], onDelete: Cascade) + email String + + @@index([userId]) + @@index([teamId]) +} + +model Feature { + // The feature slug, ex: 'v2-workflows' + slug String @id @unique + // If the feature is currently enabled + enabled Boolean @default(false) + // A short description of the feature + description String? + // The type of feature flag + type FeatureType? @default(RELEASE) + // If the flag is considered stale + stale Boolean? @default(false) + lastUsedAt DateTime? + createdAt DateTime? @default(now()) + updatedAt DateTime? @default(now()) @updatedAt + updatedBy Int? + users UserFeatures[] + teams TeamFeatures[] + + @@index([enabled]) + @@index([stale]) +} + +model UserFeatures { + user User @relation(fields: [userId], references: [id], onDelete: Cascade) + userId Int + feature Feature @relation(fields: [featureId], references: [slug], onDelete: Cascade) + featureId String + assignedAt DateTime @default(now()) + assignedBy String + updatedAt DateTime @updatedAt + + @@id([userId, featureId]) + @@index([userId, featureId]) +} + +model TeamFeatures { + team Team @relation(fields: [teamId], references: [id], onDelete: Cascade) + teamId Int + feature Feature @relation(fields: [featureId], references: [slug], onDelete: Cascade) + featureId String + assignedAt DateTime @default(now()) + assignedBy String + updatedAt DateTime @updatedAt + + @@id([teamId, featureId]) + @@index([teamId, featureId]) +} + +enum FeatureType { + RELEASE + EXPERIMENT + OPERATIONAL + KILL_SWITCH + PERMISSION +} + +enum RRResetInterval { + MONTH + DAY +} + +enum RRTimestampBasis { + CREATED_AT + START_TIME +} + +model SelectedSlots { + id Int @id @default(autoincrement()) + eventTypeId Int + userId Int + slotUtcStartDate DateTime + slotUtcEndDate DateTime + uid String + releaseAt DateTime + isSeat Boolean @default(false) + + @@unique(fields: [userId, slotUtcStartDate, slotUtcEndDate, uid], name: "selectedSlotUnique") +} + +model OAuthClient { + clientId String @id @unique + redirectUri String + clientSecret String + name String + logo String? + accessCodes AccessCode[] +} + +model AccessCode { + id Int @id @default(autoincrement()) + code String + clientId String? + client OAuthClient? @relation(fields: [clientId], references: [clientId], onDelete: Cascade) + expiresAt DateTime + scopes AccessScope[] + userId Int? + user User? @relation(fields: [userId], references: [id], onDelete: Cascade) + teamId Int? + team Team? @relation(fields: [teamId], references: [id], onDelete: Cascade) +} + +enum AccessScope { + READ_BOOKING + READ_PROFILE +} + +view BookingTimeStatus { + id Int @unique + uid String? + eventTypeId Int? + title String? + description String? + startTime DateTime? + endTime DateTime? + createdAt DateTime? + location String? + paid Boolean? + status BookingStatus? + rescheduled Boolean? + userId Int? + teamId Int? + eventLength Int? + timeStatus String? + eventParentId Int? + userEmail String? + username String? + ratingFeedback String? + rating Int? + noShowHost Boolean? + isTeamBooking Boolean +} + +model BookingDenormalized { + id Int @id @unique + uid String + eventTypeId Int? + title String + description String? + startTime DateTime + endTime DateTime + createdAt DateTime + updatedAt DateTime? + location String? + paid Boolean + status BookingStatus + rescheduled Boolean? + userId Int? + teamId Int? + eventLength Int? + eventParentId Int? + userEmail String? + userName String? + userUsername String? + ratingFeedback String? + rating Int? + noShowHost Boolean? + isTeamBooking Boolean + + @@index([userId]) + @@index([createdAt]) + @@index([eventTypeId]) + @@index([eventParentId]) + @@index([teamId]) + @@index([startTime]) + @@index([endTime]) + @@index([status]) + @@index([teamId, isTeamBooking]) + @@index([userId, isTeamBooking]) +} + +view BookingTimeStatusDenormalized { + id Int @id @unique + uid String + eventTypeId Int? + title String + description String? + startTime DateTime + endTime DateTime + createdAt DateTime + updatedAt DateTime? + location String? + paid Boolean + status BookingStatus + rescheduled Boolean? + userId Int? + teamId Int? + eventLength Int? + eventParentId Int? + userEmail String? + userName String? + userUsername String? + ratingFeedback String? + rating Int? + noShowHost Boolean? + isTeamBooking Boolean + timeStatus String? // this is the addition on top of BookingDenormalized +} + +model CalendarCache { + // To be made required in a followup + id String? @default(uuid()) + + // The key would be the unique URL that is requested by the user + key String + value Json + expiresAt DateTime + credentialId Int + userId Int? + credential Credential? @relation(fields: [credentialId], references: [id], onDelete: Cascade) + + @@id([credentialId, key]) + @@unique([credentialId, key]) + @@index([userId, key]) +} + +enum RedirectType { + UserEventType @map("user-event-type") + TeamEventType @map("team-event-type") + User @map("user") + Team @map("team") +} + +model TempOrgRedirect { + id Int @id @default(autoincrement()) + // Better would be to have fromOrgId and toOrgId as well and then we should have just to instead toUrl + from String + // 0 would mean it is non org + fromOrgId Int + type RedirectType + // It doesn't have any query params + toUrl String + enabled Boolean @default(true) + createdAt DateTime @default(now()) + updatedAt DateTime @updatedAt + + @@unique([from, type, fromOrgId]) +} + +model Avatar { + // e.g. NULL(0), organization ID or team logo + teamId Int @default(0) + // Avatar, NULL(0) if team logo + userId Int @default(0) + // base64 string + data String + // different every time to pop the cache. + objectKey String @unique + + isBanner Boolean @default(false) + + @@unique([teamId, userId, isBanner]) + @@map(name: "avatars") +} + +model OutOfOfficeEntry { + id Int @id @default(autoincrement()) + uuid String @unique + start DateTime + end DateTime + notes String? + userId Int + user User @relation(fields: [userId], references: [id], onDelete: Cascade) + toUserId Int? + toUser User? @relation(name: "toUser", fields: [toUserId], references: [id], onDelete: Cascade) + reasonId Int? + reason OutOfOfficeReason? @relation(fields: [reasonId], references: [id], onDelete: SetNull) + + createdAt DateTime @default(now()) + updatedAt DateTime @updatedAt + + @@index([uuid]) + @@index([userId]) + @@index([toUserId]) + @@index([start, end]) +} + +model OutOfOfficeReason { + id Int @id @default(autoincrement()) + emoji String + reason String @unique + enabled Boolean @default(true) + userId Int? + user User? @relation(fields: [userId], references: [id], onDelete: Cascade) + + entries OutOfOfficeEntry[] +} + +// Platform +model PlatformOAuthClient { + id String @id @default(cuid()) + name String + secret String + permissions Int + users User[] + logo String? + redirectUris String[] + organizationId Int + organization Team @relation(fields: [organizationId], references: [id], onDelete: Cascade) + teams Team[] @relation("CreatedByOAuthClient") + + accessTokens AccessToken[] + refreshToken RefreshToken[] + authorizationTokens PlatformAuthorizationToken[] + webhook Webhook[] + + bookingRedirectUri String? + bookingCancelRedirectUri String? + bookingRescheduleRedirectUri String? + areEmailsEnabled Boolean @default(false) + areDefaultEventTypesEnabled Boolean @default(true) + areCalendarEventsEnabled Boolean @default(true) + + createdAt DateTime @default(now()) +} + +model PlatformAuthorizationToken { + id String @id @default(cuid()) + + owner User @relation(fields: [userId], references: [id], onDelete: Cascade) + client PlatformOAuthClient @relation(fields: [platformOAuthClientId], references: [id], onDelete: Cascade) + + platformOAuthClientId String + userId Int + + createdAt DateTime @default(now()) + + @@unique([userId, platformOAuthClientId]) +} + +model AccessToken { + id Int @id @default(autoincrement()) + + secret String @unique + createdAt DateTime @default(now()) + expiresAt DateTime + + owner User @relation(fields: [userId], references: [id], onDelete: Cascade) + client PlatformOAuthClient @relation(fields: [platformOAuthClientId], references: [id], onDelete: Cascade) + + platformOAuthClientId String + userId Int +} + +model RefreshToken { + id Int @id @default(autoincrement()) + + secret String @unique + createdAt DateTime @default(now()) + expiresAt DateTime + + owner User @relation(fields: [userId], references: [id], onDelete: Cascade) + client PlatformOAuthClient @relation(fields: [platformOAuthClientId], references: [id], onDelete: Cascade) + + platformOAuthClientId String + userId Int +} + +model DSyncData { + id Int @id @default(autoincrement()) + directoryId String @unique + tenant String + organizationId Int? @unique + org OrganizationSettings? @relation(fields: [organizationId], references: [organizationId], onDelete: Cascade) + teamGroupMapping DSyncTeamGroupMapping[] + + createdAttributeToUsers AttributeToUser[] @relation("createdByDSync") + updatedAttributeToUsers AttributeToUser[] @relation("updatedByDSync") +} + +model DSyncTeamGroupMapping { + id Int @id @default(autoincrement()) + organizationId Int + teamId Int + team Team @relation(fields: [teamId], references: [id], onDelete: Cascade) + directoryId String + directory DSyncData @relation(fields: [directoryId], references: [directoryId], onDelete: Cascade) + groupName String + + @@unique([teamId, groupName]) +} + +model SecondaryEmail { + id Int @id @default(autoincrement()) + user User @relation(fields: [userId], references: [id], onDelete: Cascade) + userId Int + email String + emailVerified DateTime? + verificationTokens VerificationToken[] + eventTypes EventType[] + + @@unique([email]) + @@unique([userId, email]) + @@index([userId]) +} + +// Needed to store tasks that need to be processed by a background worker or Tasker +model Task { + id String @id @unique @default(uuid()) + createdAt DateTime @default(now()) + updatedAt DateTime @updatedAt + // The time at which the task should be executed + scheduledAt DateTime @default(now()) + // The time at which the task was successfully executed + succeededAt DateTime? + // The task type to be executed. Left it as a freeform string to avoid more migrations for now. Will be enforced at type level. + type String + // Generic payload for the task + payload String + // The number of times the task has been attempted + attempts Int @default(0) + // The maximum number of times the task can be attempted + maxAttempts Int @default(3) + lastError String? + lastFailedAttemptAt DateTime? + referenceUid String? +} + +enum SMSLockState { + LOCKED + UNLOCKED + REVIEW_NEEDED +} + +model ManagedOrganization { + managedOrganizationId Int @unique + managedOrganization Team @relation("ManagedOrganization", fields: [managedOrganizationId], references: [id], onDelete: Cascade) + + managerOrganizationId Int + managerOrganization Team @relation("ManagerOrganization", fields: [managerOrganizationId], references: [id], onDelete: Cascade) + + createdAt DateTime @default(now()) + + @@unique([managerOrganizationId, managedOrganizationId]) + @@index([managerOrganizationId]) +} + +model PlatformBilling { + id Int @id @unique // team id + + customerId String + subscriptionId String? + priceId String? + plan String @default("none") + + billingCycleStart Int? + billingCycleEnd Int? + overdue Boolean? @default(false) + + // note(Lauris): in case of a platform managed organization's billing record this field points to the manager organization's billing record. + managerBillingId Int? + managerBilling PlatformBilling? @relation("PlatformManagedBilling", fields: [managerBillingId], references: [id]) + // note(Lauris): in case of a manager organization's billing record this field points to billing records of its platform managed organizations. + managedBillings PlatformBilling[] @relation("PlatformManagedBilling") + + team Team @relation(fields: [id], references: [id], onDelete: Cascade) +} + +enum AttributeType { + TEXT + NUMBER + SINGLE_SELECT + MULTI_SELECT +} + +model AttributeOption { + id String @id @default(uuid()) + attribute Attribute @relation(fields: [attributeId], references: [id], onDelete: Cascade) + attributeId String + value String + slug String + isGroup Boolean @default(false) + // It is a list of AttributeOptions ids that are contained in the group option + // You could think of a person having the group option to actually have all the options in the contains list. + // We are not using relation here because it would be a many to many relation because a group option can contain many non-group options and a non-group option can be contained in many group options + // Such a relation would require its own table to be managed and we don't need it for now. + contains String[] + assignedUsers AttributeToUser[] +} + +model Attribute { + id String @id @default(uuid()) + + // This is organization + team Team @relation(fields: [teamId], references: [id], onDelete: Cascade) + + // This is organizationId + teamId Int + + type AttributeType + + name String + slug String @unique + + enabled Boolean @default(true) + + usersCanEditRelation Boolean @default(false) + + createdAt DateTime @default(now()) + updatedAt DateTime @updatedAt + options AttributeOption[] + isWeightsEnabled Boolean @default(false) + isLocked Boolean @default(false) + + @@index([teamId]) +} + +model AttributeToUser { + id String @id @default(uuid()) + + // This is the membership of the organization + member Membership @relation(fields: [memberId], references: [id], onDelete: Cascade) + + // This is the membership id of the organization + memberId Int + + attributeOption AttributeOption @relation(fields: [attributeOptionId], references: [id], onDelete: Cascade) + attributeOptionId String + + weight Int? + + // We don't intentionally delete assignments on deletion of a user/directory sync + createdAt DateTime @default(now()) + createdById Int? + createdBy User? @relation("createdBy", fields: [createdById], references: [id], onDelete: SetNull) + createdByDSyncId String? + createdByDSync DSyncData? @relation("createdByDSync", fields: [createdByDSyncId], references: [directoryId], onDelete: SetNull) + + updatedAt DateTime? @updatedAt + updatedBy User? @relation("updatedBy", fields: [updatedById], references: [id], onDelete: SetNull) + updatedById Int? + updatedByDSyncId String? + updatedByDSync DSyncData? @relation("updatedByDSync", fields: [updatedByDSyncId], references: [directoryId], onDelete: SetNull) + + @@unique([memberId, attributeOptionId]) +} + +enum AssignmentReasonEnum { + ROUTING_FORM_ROUTING + ROUTING_FORM_ROUTING_FALLBACK + REASSIGNED + RR_REASSIGNED + REROUTED + SALESFORCE_ASSIGNMENT +} + +model AssignmentReason { + id Int @id @unique @default(autoincrement()) + createdAt DateTime @default(now()) + bookingId Int + booking Booking @relation(fields: [bookingId], references: [id], onDelete: Cascade) + reasonEnum AssignmentReasonEnum + reasonString String + + @@index([bookingId]) +} + +enum EventTypeAutoTranslatedField { + DESCRIPTION + TITLE +} + +model DelegationCredential { + id String @id @default(uuid()) + workspacePlatform WorkspacePlatform @relation(fields: [workspacePlatformId], references: [id], onDelete: Cascade) + workspacePlatformId Int + // Provides possibility to have different service accounts for different organizations if the need arises, but normally they should be the same + /// @zod.custom(imports.serviceAccountKeySchema) + serviceAccountKey Json + enabled Boolean @default(false) + // lastEnabledAt is set when the delegation credential is enabled + lastEnabledAt DateTime? + // lastDisabledAt is set when the delegation credential is disabled. So, lastDisabledAt could be earlier then lastEnabledAt if the delegation credential was enabled -> then disabled -> then enabled again. + lastDisabledAt DateTime? + organizationId Int + organization Team @relation(fields: [organizationId], references: [id], onDelete: Cascade) + domain String + selectedCalendars SelectedCalendar[] + destinationCalendar DestinationCalendar[] + bookingReferences BookingReference[] + createdAt DateTime @default(now()) + updatedAt DateTime @updatedAt + credentials Credential[] + + // Should be fair to assume that one domain can be only on one workspace platform at a time. So, one can't have two different workspace platforms for the same domain + // Because we don't know which domain the organization might have, we couldn't make "domain" unique here as that would prevent an actual owner of the domain to be unable to use that domain if it is used by someone else. + @@unique([organizationId, domain]) + @@index([enabled]) +} + +// Deprecated and probably unused - Use DelegationCredential instead +model DomainWideDelegation { + id String @id @default(uuid()) + workspacePlatform WorkspacePlatform @relation(fields: [workspacePlatformId], references: [id], onDelete: Cascade) + workspacePlatformId Int + // Provides possibility to have different service accounts for different organizations if the need arises, but normally they should be the same + /// @zod.custom(imports.serviceAccountKeySchema) + serviceAccountKey Json + enabled Boolean @default(false) + organizationId Int + organization Team @relation(fields: [organizationId], references: [id], onDelete: Cascade) + domain String + selectedCalendars SelectedCalendar[] + destinationCalendar DestinationCalendar[] + bookingReferences BookingReference[] + createdAt DateTime @default(now()) + updatedAt DateTime @updatedAt + + // Should be fair to assume that one domain can be only on one workspace platform at a time. So, one can't have two different workspace platforms for the same domain + // Because we don't know which domain the organization might have, we couldn't make "domain" unique here as that would prevent an actual owner of the domain to be unable to use that domain if it is used by someone else. + @@unique([organizationId, domain]) +} + +// It is for delegation credential +model WorkspacePlatform { + id Int @id @default(autoincrement()) + /// @zod.min(1) + slug String + /// @zod.min(1) + name String + description String + /// @zod.custom(imports.serviceAccountKeySchema) + defaultServiceAccountKey Json + createdAt DateTime @default(now()) + updatedAt DateTime @updatedAt + enabled Boolean @default(false) + delegationCredentials DelegationCredential[] + domainWideDelegations DomainWideDelegation[] + + @@unique([slug]) +} + +model EventTypeTranslation { + uid String @id @default(cuid()) + eventType EventType @relation(fields: [eventTypeId], references: [id], onDelete: Cascade) + eventTypeId Int + field EventTypeAutoTranslatedField + sourceLocale String + targetLocale String + translatedText String @db.Text + createdAt DateTime @default(now()) + createdBy Int + updatedAt DateTime @updatedAt + updatedBy Int? + creator User @relation("CreatedEventTypeTranslations", fields: [createdBy], references: [id]) + updater User? @relation("UpdatedEventTypeTranslations", fields: [updatedBy], references: [id], onDelete: SetNull) + + @@unique([eventTypeId, field, targetLocale]) + @@index([eventTypeId, field, targetLocale]) +} + +enum WatchlistType { + EMAIL + DOMAIN + USERNAME +} + +enum WatchlistSeverity { + LOW + MEDIUM + HIGH + CRITICAL +} + +model Watchlist { + id String @id @unique @default(cuid()) + type WatchlistType + // The identifier of the Watchlisted entity (email or domain) + value String + description String? + createdAt DateTime @default(now()) + createdBy User @relation("CreatedWatchlists", onDelete: Cascade, fields: [createdById], references: [id]) + createdById Int + updatedAt DateTime @updatedAt + updatedBy User? @relation("UpdatedWatchlists", onDelete: SetNull, fields: [updatedById], references: [id]) + updatedById Int? + severity WatchlistSeverity @default(LOW) + + @@unique([type, value]) + @@index([type, value]) +} + +enum BillingPeriod { + MONTHLY + ANNUALLY +} + +model OrganizationOnboarding { + // TODO: Use uuid for id + id String @id @default(uuid()) + + // User who started the onboarding. It is different from orgOwnerEmail in case Cal.com admin is doing the onboarding for someone else. + createdBy User @relation("CreatedOrganizationOnboardings", fields: [createdById], references: [id], onDelete: Cascade) + createdById Int + createdAt DateTime @default(now()) + + // We keep the email only here and don't need to connect it with user because on User deletion, we don't delete the entry here. + // It is unique because an email can be the owner of only one organization at a time. + orgOwnerEmail String @unique + error String? + + updatedAt DateTime @updatedAt + // TODO: updatedBy to be added when we support marking updatedBy using webhook too, as webhook also updates it + + // Set after organization payment is done and the organization is created + organizationId Int? @unique + organization Team? @relation(fields: [organizationId], references: [id], onDelete: Cascade) + + billingPeriod BillingPeriod + pricePerSeat Float + seats Int + + isPlatform Boolean @default(false) + + // Organization info + name String + // We don't keep it unique because we don't want self-serve flows to block a slug if it isn't paid for yet. + slug String + logo String? + bio String? + isDomainConfigured Boolean @default(false) + + // Set when payment intent is there. + stripeCustomerId String? @unique + // TODO: Can we make it required + stripeSubscriptionId String? + stripeSubscriptionItemId String? + + /// @zod.custom(imports.orgOnboardingInvitedMembersSchema) + invitedMembers Json @default("[]") + + /// @zod.custom(imports.orgOnboardingTeamsSchema) + teams Json @default("[]") + + // Completion status + isComplete Boolean @default(false) + + @@index([orgOwnerEmail]) + @@index([stripeCustomerId]) +} + +enum IncompleteBookingActionType { + SALESFORCE +} + +model App_RoutingForms_IncompleteBookingActions { + id Int @id @default(autoincrement()) + form App_RoutingForms_Form @relation(fields: [formId], references: [id], onDelete: Cascade) + formId String + actionType IncompleteBookingActionType + data Json + enabled Boolean @default(true) + credentialId Int? +} + +model InternalNotePreset { + id Int @id @default(autoincrement()) + name String + cancellationReason String? + team Team @relation(fields: [teamId], references: [id]) + teamId Int + + createdAt DateTime @default(now()) + BookingInternalNote BookingInternalNote[] + + @@unique([teamId, name]) + @@index([teamId]) +} + +enum FilterSegmentScope { + USER + TEAM +} + +model FilterSegment { + id Int @id @default(autoincrement()) + name String + // Identifies which data table this segment belongs to (e.g. "organization_members", "team_members", "bookings", etc.) + tableIdentifier String + scope FilterSegmentScope + // Filter configuration + activeFilters Json? + sorting Json? + columnVisibility Json? + columnSizing Json? + perPage Int + searchTerm String? @db.Text + createdAt DateTime @default(now()) + updatedAt DateTime @updatedAt + // Creator of the segment + user User @relation(fields: [userId], references: [id], onDelete: Cascade) + userId Int + // Team scope - optional, only set when scope is TEAM + team Team? @relation(fields: [teamId], references: [id], onDelete: Cascade) + teamId Int? + userPreferences UserFilterSegmentPreference[] + + // For user-scoped segments: scope + userId + tableIdentifier + @@index([scope, userId, tableIdentifier]) + // For team-scoped segments: scope + teamId + tableIdentifier + @@index([scope, teamId, tableIdentifier]) +} + +model UserFilterSegmentPreference { + id Int @id @default(autoincrement()) + userId Int + tableIdentifier String + segmentId Int + createdAt DateTime @default(now()) + updatedAt DateTime @updatedAt + + user User @relation(fields: [userId], references: [id], onDelete: Cascade) + segment FilterSegment @relation(fields: [segmentId], references: [id], onDelete: Cascade) + + @@unique([userId, tableIdentifier]) + @@index([userId]) + @@index([segmentId]) +} + +model BookingInternalNote { + id Int @id @default(autoincrement()) + + notePreset InternalNotePreset? @relation(fields: [notePresetId], references: [id], onDelete: Cascade) + notePresetId Int? + text String? + + booking Booking @relation(fields: [bookingId], references: [id], onDelete: Cascade) + bookingId Int + + createdBy User @relation(fields: [createdById], references: [id]) + createdById Int + + createdAt DateTime @default(now()) + + @@unique([bookingId, notePresetId]) + @@index([bookingId]) +} + +enum WorkflowContactType { + PHONE + EMAIL +} + +model WorkflowOptOutContact { + id Int @id @default(autoincrement()) + type WorkflowContactType + value String + optedOut Boolean + createdAt DateTime @default(now()) + updatedAt DateTime @updatedAt + + @@unique([type, value]) +} + +enum RoleType { + SYSTEM + CUSTOM +} + +model Role { + id String @id @default(cuid()) + name String + description String? + teamId Int? // null for global roles + team Team? @relation(fields: [teamId], references: [id], onDelete: Cascade) + permissions RolePermission[] + memberships Membership[] + createdAt DateTime @default(now()) + updatedAt DateTime @updatedAt + type RoleType @default(CUSTOM) + + @@unique([name, teamId]) + @@index([teamId]) +} + +model RolePermission { + id String @id @default(cuid()) + roleId String + role Role @relation(fields: [roleId], references: [id], onDelete: Cascade) + resource String + action String + createdAt DateTime @default(now()) + + @@unique([roleId, resource, action]) + @@index([roleId]) + // TODO: come back to this with indexs. + @@index([action]) +} diff --git a/tests/e2e/package.json b/tests/e2e/package.json new file mode 100644 index 00000000..6b3cddb8 --- /dev/null +++ b/tests/e2e/package.json @@ -0,0 +1,11 @@ +{ + "name": "e2e", + "version": "3.0.0-alpha.6", + "private": true, + "scripts": { + "test": "vitest run" + }, + "dependencies": { + "@zenstackhq/testtools": "workspace:*" + } +} diff --git a/tests/e2e/vitest.config.ts b/tests/e2e/vitest.config.ts new file mode 100644 index 00000000..04655403 --- /dev/null +++ b/tests/e2e/vitest.config.ts @@ -0,0 +1,4 @@ +import { defineConfig, mergeConfig } from 'vitest/config'; +import base from '../../vitest.base.config'; + +export default mergeConfig(base, defineConfig({}));