forge-sql-orm 1.0.18 → 1.0.19

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -0,0 +1 @@
1
+ {"version":3,"file":"cli.mjs","sources":["../scripts/actions/generate-models.ts","../scripts/actions/migrations-create.ts","../scripts/actions/migrations-update.ts","../scripts/actions/PatchPostinstall.ts","../scripts/cli.ts"],"sourcesContent":["import \"reflect-metadata\";\nimport path from \"path\";\nimport fs from \"fs\";\nimport {defineConfig, MikroORM, MongoNamingStrategy} from \"@mikro-orm/mysql\";\nimport {EntityGenerator} from \"@mikro-orm/entity-generator\";\n\nconst regenerateIndexFile = (outputPath: string) => {\n const entitiesDir = path.resolve(outputPath);\n const indexPath = path.join(entitiesDir, \"index.ts\");\n\n const entityFiles = fs\n .readdirSync(entitiesDir)\n .filter((file) => file.endsWith(\".ts\") && file !== \"index.ts\");\n\n const imports = entityFiles.map((file) => {\n const entityName = path.basename(file, \".ts\");\n return `import { ${entityName} } from \"./${entityName}\";`;\n });\n\n const indexContent = `${imports.join(\"\\n\")}\\n\\nexport default [${entityFiles.map((file) => path.basename(file, \".ts\")).join(\", \")}];\\n`;\n\n fs.writeFileSync(indexPath, indexContent, \"utf8\");\n console.log(`✅ Updated index.ts with ${entityFiles.length} entities.`);\n};\n\nexport const generateModels = async (options: any) => {\n try {\n const ormConfig = defineConfig({\n host: options.host,\n port: options.port,\n user: options.user,\n password: options.password,\n dbName: options.dbName,\n namingStrategy: MongoNamingStrategy,\n discovery: { warnWhenNoEntities: false },\n extensions: [EntityGenerator],\n debug: true,\n }) as Parameters<typeof MikroORM.initSync>[0];\n\n const orm = MikroORM.initSync(ormConfig);\n console.log(`✅ Connected to ${options.dbName} at ${options.host}:${options.port}`);\n\n await orm.entityGenerator.generate({\n entitySchema: true,\n bidirectionalRelations: false,\n identifiedReferences: false,\n forceUndefined: true,\n undefinedDefaults: true,\n useCoreBaseEntity: false,\n onlyPurePivotTables: false,\n outputPurePivotTables: false,\n scalarPropertiesForRelations: \"always\",\n save: true,\n path: options.output,\n });\n\n regenerateIndexFile(options.output);\n\n console.log(`✅ Entities generated at: ${options.output}`);\n process.exit(0);\n } catch (error) {\n console.error(`❌ Error generating entities:`, error);\n process.exit(1);\n }\n};\n","import \"reflect-metadata\";\nimport fs from \"fs\";\nimport path from \"path\";\nimport {MikroORM} from \"@mikro-orm/mysql\";\nimport { execSync } from 'child_process';\nimport { rmSync } from 'fs';\n\n/**\n * Cleans SQL statements by removing unnecessary database options.\n * @param sql - The raw SQL statement.\n * @returns The cleaned SQL statement.\n */\nfunction cleanSQLStatement(sql: string): string {\n return sql.replace(/\\s+default\\s+character\\s+set\\s+utf8mb4\\s+engine\\s*=\\s*InnoDB;?/gi, \"\").trim();\n}\n\n/**\n * Generates a migration file using the provided SQL statements.\n * @param createStatements - Array of SQL statements.\n * @param version - Migration version number.\n * @returns TypeScript migration file content.\n */\nfunction generateMigrationFile(createStatements: string[], version: number): string {\n const versionPrefix = `v${version}_MIGRATION`;\n\n // Clean each SQL statement and generate migration lines with .enqueue()\n const migrationLines = createStatements\n .map(\n (stmt, index) =>\n ` .enqueue(\"${versionPrefix}${index}\", \\\"${cleanSQLStatement(stmt)}\\\")`, // eslint-disable-line no-useless-escape\n )\n .join(\"\\n\");\n\n // Migration template\n return `import { MigrationRunner } from \"@forge/sql/out/migration\";\n\nexport default (migrationRunner: MigrationRunner): MigrationRunner => {\n return migrationRunner\n${migrationLines};\n};`;\n}\n\n/**\n * Saves the generated migration file along with `migrationCount.ts` and `index.ts`.\n * @param migrationCode - The migration code to be written to the file.\n * @param version - Migration version number.\n * @param outputDir - Directory where the migration files will be saved.\n */\nfunction saveMigrationFiles(migrationCode: string, version: number, outputDir: string) {\n if (!fs.existsSync(outputDir)) {\n fs.mkdirSync(outputDir, { recursive: true });\n }\n\n const migrationFilePath = path.join(outputDir, `migrationV${version}.ts`);\n const migrationCountPath = path.join(outputDir, `migrationCount.ts`);\n const indexFilePath = path.join(outputDir, `index.ts`);\n\n // Write the migration file\n fs.writeFileSync(migrationFilePath, migrationCode);\n\n // Write the migration count file\n fs.writeFileSync(migrationCountPath, `export const MIGRATION_VERSION = ${version};`);\n\n // Generate the migration index file\n const indexFileContent = `import { MigrationRunner } from \"@forge/sql/out/migration\";\nimport { MIGRATION_VERSION } from \"./migrationCount\";\n\nexport type MigrationType = (\n migrationRunner: MigrationRunner,\n) => MigrationRunner;\n\nexport default async (\n migrationRunner: MigrationRunner,\n): Promise<MigrationRunner> => {\n for (let i = 1; i <= MIGRATION_VERSION; i++) {\n const migrations = (await import(\\`./migrationV\\${i}\\`)) as {\n default: MigrationType;\n };\n migrations.default(migrationRunner);\n }\n return migrationRunner;\n};`;\n\n fs.writeFileSync(indexFilePath, indexFileContent);\n\n console.log(`✅ Migration file created: ${migrationFilePath}`);\n console.log(`✅ Migration count file updated: ${migrationCountPath}`);\n console.log(`✅ Migration index file created: ${indexFilePath}`);\n}\n\n/**\n * Extracts only the relevant SQL statements for migration.\n * @param schema - The full database schema as SQL.\n * @returns Filtered list of SQL statements.\n */\nconst extractCreateStatements = (schema: string): string[] => {\n const statements = schema.split(\";\").map((s) => s.trim());\n\n return statements.filter(\n (stmt) =>\n stmt.startsWith(\"create table\") ||\n (stmt.startsWith(\"alter table\") && stmt.includes(\"add index\")) ||\n stmt.startsWith(\"primary\"),\n );\n};\n\n/**\n * Dynamically loads `entities` from `index.ts` in the specified directory.\n * @param entitiesPath - Path to the directory containing `index.ts`.\n * @returns Array of entity classes.\n */\nconst loadEntities = async (entitiesPath: string) => {\n try {\n const indexFilePath = path.resolve(path.join(entitiesPath, \"index.ts\"));\n if (!fs.existsSync(indexFilePath)) {\n console.error(`❌ Error: index.ts not found in ${indexFilePath}`);\n process.exit(1);\n }\n\n const { default: entities } = await import(indexFilePath);\n console.log(`✅ Loaded ${entities.length} entities from ${entitiesPath}`);\n return entities;\n } catch (error) {\n console.error(`❌ Error loading index.ts from ${entitiesPath}:`, error);\n process.exit(1);\n }\n};\n\n/**\n * Loads the current migration version from `migrationCount.ts`.\n * @param migrationPath - Path to the migration folder.\n * @returns The latest migration version.\n */\nconst loadMigrationVersion = async (migrationPath: string): Promise<number> => {\n try {\n const migrationCountFilePath = path.resolve(path.join(migrationPath, \"migrationCount.ts\"));\n if (!fs.existsSync(migrationCountFilePath)) {\n return 0;\n }\n\n const { MIGRATION_VERSION } = await import(migrationCountFilePath);\n console.log(`✅ Current migration version: ${MIGRATION_VERSION}`);\n return MIGRATION_VERSION as number;\n } catch (error) {\n console.error(`❌ Error loading migrationCount:`, error);\n process.exit(1);\n }\n};\n\n/**\n * Creates a full database migration.\n * @param options - Database connection settings and output paths.\n */\nexport const createMigration = async (options: any) => {\n try {\n let version = await loadMigrationVersion(options.output);\n\n if (version > 0) {\n console.error(`❌ Error: Migration has already been created.`);\n process.exit(1);\n }\n\n // Start from version 1 if no previous migrations exist\n version = 1;\n\n // Load entities dynamically from index.ts\n const entities = await loadEntities(options.entitiesPath);\n\n // Initialize MikroORM\n const orm = MikroORM.initSync({\n host: options.host,\n port: options.port,\n user: options.user,\n password: options.password,\n dbName: options.dbName,\n entities: entities,\n });\n\n // Generate SQL schema\n const createSchemaSQL = await orm.schema.getCreateSchemaSQL({ wrap: true });\n const statements = extractCreateStatements(createSchemaSQL);\n\n // Generate and save migration files\n const migrationFile = generateMigrationFile(statements, version);\n saveMigrationFiles(migrationFile, version, options.output);\n\n console.log(`✅ Migration successfully created!`);\n process.exit(0);\n } catch (error) {\n console.error(`❌ Error during migration creation:`, error);\n process.exit(1);\n }\n};\n","import \"reflect-metadata\";\nimport fs from \"fs\";\nimport path from \"path\";\nimport {MikroORM} from \"@mikro-orm/mysql\";\n\n/**\n * Cleans SQL statements by removing unnecessary database options.\n * @param sql - The raw SQL statement.\n * @returns The cleaned SQL statement.\n */\nfunction cleanSQLStatement(sql: string): string {\n return sql.replace(/\\s+default\\s+character\\s+set\\s+utf8mb4\\s+engine\\s*=\\s*InnoDB;?/gi, \"\").trim();\n}\n\n/**\n * Generates a migration file using the provided SQL statements.\n * @param createStatements - Array of SQL statements.\n * @param version - Migration version number.\n * @returns TypeScript migration file content.\n */\nfunction generateMigrationFile(createStatements: string[], version: number): string {\n const versionPrefix = `v${version}_MIGRATION`;\n\n // Clean each SQL statement and generate migration lines with .enqueue()\n const migrationLines = createStatements\n .map(\n (stmt, index) =>\n ` .enqueue(\"${versionPrefix}${index}\", \\\"${cleanSQLStatement(stmt)}\\\")`, // eslint-disable-line no-useless-escape\n )\n .join(\"\\n\");\n\n // Migration template\n return `import { MigrationRunner } from \"@forge/sql/out/migration\";\n\nexport default (migrationRunner: MigrationRunner): MigrationRunner => {\n return migrationRunner\n${migrationLines};\n};`;\n}\n\n/**\n * Saves the generated migration file along with `migrationCount.ts` and `index.ts`.\n * @param migrationCode - The migration code to be written to the file.\n * @param version - Migration version number.\n * @param outputDir - Directory where the migration files will be saved.\n */\nfunction saveMigrationFiles(migrationCode: string, version: number, outputDir: string) {\n if (!fs.existsSync(outputDir)) {\n fs.mkdirSync(outputDir, { recursive: true });\n }\n\n const migrationFilePath = path.join(outputDir, `migrationV${version}.ts`);\n const migrationCountPath = path.join(outputDir, `migrationCount.ts`);\n const indexFilePath = path.join(outputDir, `index.ts`);\n\n // Write the migration file\n fs.writeFileSync(migrationFilePath, migrationCode);\n\n // Write the migration count file\n fs.writeFileSync(migrationCountPath, `export const MIGRATION_VERSION = ${version};`);\n\n // Generate the migration index file\n const indexFileContent = `import { MigrationRunner } from \"@forge/sql/out/migration\";\nimport { MIGRATION_VERSION } from \"./migrationCount\";\n\nexport type MigrationType = (\n migrationRunner: MigrationRunner,\n) => MigrationRunner;\n\nexport default async (\n migrationRunner: MigrationRunner,\n): Promise<MigrationRunner> => {\n for (let i = 1; i <= MIGRATION_VERSION; i++) {\n const migrations = (await import(\\`./migrationV\\${i}\\`)) as {\n default: MigrationType;\n };\n migrations.default(migrationRunner);\n }\n return migrationRunner;\n};`;\n\n fs.writeFileSync(indexFilePath, indexFileContent);\n\n console.log(`✅ Migration file created: ${migrationFilePath}`);\n console.log(`✅ Migration count file updated: ${migrationCountPath}`);\n console.log(`✅ Migration index file created: ${indexFilePath}`);\n}\n\n/**\n * Extracts only the relevant SQL statements for migration.\n * @param schema - The full database schema as SQL.\n * @returns Filtered list of SQL statements.\n */\nconst extractCreateStatements = (schema: string): string[] => {\n const statements = schema.split(\";\").map((s) => s.trim());\n\n return statements.filter(\n (stmt) =>\n stmt.startsWith(\"create table\") ||\n (stmt.startsWith(\"alter table\") && stmt.includes(\"add index\")) ||\n (stmt.startsWith(\"alter table\") && stmt.includes(\"add\") && !stmt.includes(\"foreign\")) ||\n (stmt.startsWith(\"alter table\") && stmt.includes(\"modify\") && !stmt.includes(\"foreign\")),\n );\n};\n\n/**\n * Dynamically loads `entities` from `index.ts` in the specified directory.\n * @param entitiesPath - Path to the directory containing `index.ts`.\n * @returns Array of entity classes.\n */\nconst loadEntities = async (entitiesPath: string) => {\n try {\n const indexFilePath = path.resolve(path.join(entitiesPath, \"index.ts\"));\n if (!fs.existsSync(indexFilePath)) {\n console.error(`❌ Error: index.ts not found in ${entitiesPath}`);\n process.exit(1);\n }\n\n const { default: entities } = await import(indexFilePath);\n console.log(`✅ Loaded ${entities.length} entities from ${entitiesPath}`);\n return entities;\n } catch (error) {\n console.error(`❌ Error loading index.ts from ${entitiesPath}:`, error);\n process.exit(1);\n }\n};\n\n/**\n * Loads the current migration version from `migrationCount.ts`.\n * @param migrationPath - Path to the migration folder.\n * @returns The latest migration version.\n */\nconst loadMigrationVersion = async (migrationPath: string): Promise<number> => {\n try {\n const migrationCountFilePath = path.resolve(path.join(migrationPath, \"migrationCount.ts\"));\n if (!fs.existsSync(migrationCountFilePath)) {\n console.warn(\n `⚠️ Warning: migrationCount.ts not found in ${migrationCountFilePath}, assuming no previous migrations.`,\n );\n return 0;\n }\n\n const { MIGRATION_VERSION } = await import(migrationCountFilePath);\n console.log(`✅ Current migration version: ${MIGRATION_VERSION}`);\n return MIGRATION_VERSION as number;\n } catch (error) {\n console.error(`❌ Error loading migrationCount:`, error);\n process.exit(1);\n }\n};\n\n/**\n * Updates an existing database migration by generating schema modifications.\n * @param options - Database connection settings and output paths.\n */\nexport const updateMigration = async (options: any) => {\n try {\n let version = await loadMigrationVersion(options.output);\n\n if (version < 1) {\n console.log(\n `⚠️ Initial migration not found. Run \"npx forge-sql-orm migrations:create\" first.`,\n );\n process.exit(0);\n }\n version += 1;\n\n // Load entities dynamically from index.ts\n const entities = await loadEntities(options.entitiesPath);\n\n // Initialize MikroORM\n const orm = MikroORM.initSync({\n host: options.host,\n port: options.port,\n user: options.user,\n password: options.password,\n dbName: options.dbName,\n entities,\n debug: true,\n });\n\n // Generate SQL schema updates\n const createSchemaSQL = await orm.schema.getUpdateSchemaMigrationSQL({ wrap: true });\n const statements = extractCreateStatements(createSchemaSQL?.down || \"\");\n\n if (statements.length) {\n const migrationFile = generateMigrationFile(statements, version);\n saveMigrationFiles(migrationFile, version, options.output);\n\n console.log(`✅ Migration successfully updated!`);\n process.exit(0);\n } else {\n console.log(`⚠️ No new migration changes detected.`);\n process.exit(0);\n }\n } catch (error) {\n console.error(`❌ Error during migration update:`, error);\n process.exit(1);\n }\n};\n","import fs from \"fs\";\nimport path from \"path\";\n\n/**\n * Automates patches for MikroORM and Knex to fix Webpack issues.\n * - Removes problematic `require()` calls.\n * - Deletes unnecessary files and folders.\n * - Fixes dynamic imports (`import(id)`) in MikroORM.\n */\n\ninterface Patch {\n file?: string; // File to modify (optional)\n search?: RegExp; // Regex pattern to find problematic code\n replace?: string; // Replacement string for problematic code\n deleteLines?: RegExp[]; // List of regex patterns to remove specific lines\n description: string; // Description of the patch\n deleteFile?: string; // Path of the file to delete (optional)\n deleteFolder?: string; // Path of the folder to delete (optional)\n}\n\nconst PATCHES: Patch[] = [\n // 🗑️ Remove unused dialects (mssql, postgres, sqlite) in MikroORM\n {\n file: \"node_modules/@mikro-orm/knex/MonkeyPatchable.d.ts\",\n deleteLines: [/^.*mssql.*$/gim, /^.*MsSql.*$/gim, /^\\s*Postgres.*$/gm, /^.*Sqlite3.*$/gm, /^.*BetterSqlite3.*$/gim],\n description: \"Removing unused dialects from MonkeyPatchable.d.ts\"\n },\n {\n file: \"node_modules/@mikro-orm/knex/MonkeyPatchable.js\",\n deleteLines: [/^.*mssql.*$/gim, /^.*MsSql.*$/gim, /^.*postgres.*$/gim, /^.*sqlite.*$/gim, /^.*Sqlite.*$/gim],\n description: \"Removing unused dialects from MonkeyPatchable.js\"\n },\n {\n file: \"node_modules/@mikro-orm/knex/dialects/index.js\",\n deleteLines: [/^.*mssql.*$/gim, /^.*MsSql.*$/gim, /^.*postgresql.*$/gim, /^.*sqlite.*$/gim],\n description: \"Removing unused dialects from @mikro-orm/knex/dialects/index.js\"\n },\n {\n deleteFolder: \"node_modules/@mikro-orm/knex/dialects/mssql\",\n description: \"Removing mssql dialect from MikroORM\"\n },\n {\n deleteFolder: \"node_modules/@mikro-orm/knex/dialects/postgresql\",\n description: \"Removing postgresql dialect from MikroORM\"\n },\n {\n deleteFolder: \"node_modules/@mikro-orm/knex/dialects/sqlite\",\n description: \"Removing sqlite dialect from MikroORM\"\n },\n\n // 🔄 Fix Webpack `Critical dependency: the request of a dependency is an expression`\n {\n file: \"node_modules/@mikro-orm/core/utils/Configuration.js\",\n search: /dynamicImportProvider:\\s*\\/\\* istanbul ignore next \\*\\/\\s*\\(id\\) => import\\(id\\),/g,\n replace: \"dynamicImportProvider: /* istanbul ignore next */ () => Promise.resolve({}),\",\n description: \"Fixing dynamic imports in MikroORM Configuration\"\n },\n {\n file: \"node_modules/@mikro-orm/core/utils/Utils.js\",\n search: /static dynamicImportProvider = \\(id\\) => import\\(id\\);/g,\n replace: \"static dynamicImportProvider = () => Promise.resolve({});\",\n description: \"Fixing dynamic imports in MikroORM Utils.js\"\n },\n\n // 🛑 Remove deprecated `require.extensions` usage\n {\n file: \"node_modules/@mikro-orm/core/utils/Utils.js\",\n search: /\\s\\|\\|\\s*\\(require\\.extensions\\s*&&\\s*!!require\\.extensions\\['\\.ts'\\]\\);\\s*/g,\n replace: \";\",\n description: \"Removing deprecated `require.extensions` check in MikroORM\"\n },\n\n // 🛠️ Patch Knex to remove `Migrator` and `Seeder`\n {\n file: \"node_modules/knex/lib/knex-builder/make-knex.js\",\n deleteLines: [/^const \\{ Migrator \\} = require\\('\\.\\.\\/migrations\\/migrate\\/Migrator'\\);$/gm, /^const Seeder = require\\('\\.\\.\\/migrations\\/seed\\/Seeder'\\);$/gm],\n description: \"Removing `Migrator` and `Seeder` requires from make-knex.js\"\n },\n {\n file: \"node_modules/knex/lib/knex-builder/make-knex.js\",\n search: /\\sreturn new Migrator\\(this\\);/g,\n replace: \"return null;\",\n description: \"Replacing `return new Migrator(this);` with `return null;`\"\n },\n {\n file: \"node_modules/knex/lib/knex-builder/make-knex.js\",\n search: /\\sreturn new Seeder\\(this\\);/g,\n replace: \"return null;\",\n description: \"Replacing `return new Seeder(this);` with `return null;`\"\n },\n // 🔄 Patch for MikroORM Entity Generator to use 'forge-sql-orm'\n // {\n // file: \"node_modules/@mikro-orm/entity-generator/SourceFile.js\",\n // search: /^.* from '@mikro-orm.*$/gim,\n // replace: \" }).join(', '))} } from 'forge-sql-orm';`);\",\n // description: \"Replacing entity generator imports with 'forge-sql-orm'\"\n // },\n {\n file: \"node_modules/knex/lib/dialects/index.js\",\n deleteLines: [/^.*mssql.*$/gim, /^.*MsSql.*$/gim, /^.*postgresql.*$/gim, /^.*sqlite.*$/gim, /^.*oracle.*$/gim, /^.*oracledb.*$/gim, /^.*pgnative.*$/gim, /^.*postgres.*$/gim, /^.*redshift.*$/gim, /^.*sqlite3.*$/gim, /^.*cockroachdb.*$/gim],\n description: \"Removing unused dialects from @mikro-orm/knex/dialects/index.js\"\n },\n {\n file: \"node_modules/@mikro-orm/core/utils/Utils.js\",\n search: /\\s\\|\\|\\s*\\(require\\.extensions\\s*&&\\s*!!require\\.extensions\\['\\.ts'\\]\\);\\s*/g,\n replace: \";\", // Replaces with semicolon to keep syntax valid\n description: \"Removing deprecated `require.extensions` check from MikroORM\"\n },\n {\n file: \"node_modules/@mikro-orm/core/utils/Utils.js\",\n search: /^.*extensions.*$/gim,\n replace: \"{\", // Replaces with semicolon to keep syntax valid\n description: \"Removing deprecated `require.extensions` check from MikroORM\"\n },\n {\n file: \"node_modules/@mikro-orm/core/utils/Utils.js\",\n search: /^.*package.json.*$/gim,\n replace: \"return 0;\", // Replaces with semicolon to keep syntax valid\n description: \"Removing deprecated `require.extensions` check from MikroORM\"\n },\n {\n file: \"node_modules/@mikro-orm/knex/dialects/mysql/index.js\",\n deleteLines: [/^.*MariaDbKnexDialect.*$/gim],\n description: \"Removing MariaDbKnexDialect\"\n },\n\n];\n\n\n\n\n\n/**\n * Runs the MikroORM & Knex patching logic.\n */\nexport function runPostInstallPatch() {\n console.log(\"🔧 Applying MikroORM & Knex patches...\");\n PATCHES.forEach(({ file, search, replace, deleteLines, deleteFile, deleteFolder, description }) => {\n if (file) {\n const filePath = path.resolve(file);\n if (fs.existsSync(filePath)) {\n let content = fs.readFileSync(filePath, \"utf8\");\n let originalContent = content;\n\n // 🔄 Replace text\n if (search && replace) {\n if (typeof search === \"string\" ? content.includes(search) : search.test(content)) {\n content = content.replace(search, replace);\n console.log(`[PATCHED] ${description}`);\n }\n }\n\n // 🗑️ Remove matching lines\n if (deleteLines) {\n deleteLines.forEach((pattern) => {\n content = content\n .split(\"\\n\")\n .filter((line) => !pattern.test(line))\n .join(\"\\n\");\n });\n if (content !== originalContent) {\n console.log(`[CLEANED] Removed matching lines in ${file}`);\n }\n }\n\n // 💾 Save changes only if file was modified\n if (content !== originalContent) {\n fs.writeFileSync(filePath, content, \"utf8\");\n }\n\n // 🚮 Remove empty files\n if (content.trim() === \"\") {\n fs.unlinkSync(filePath);\n console.log(`[REMOVED] ${filePath} (file is now empty)`);\n }\n } else {\n console.warn(`[WARNING] File not found: ${file}`);\n }\n }\n\n // 🚮 Delete specific files\n if (deleteFile) {\n const deleteFilePath = path.resolve(__dirname, \"../\", deleteFile);\n if (fs.existsSync(deleteFilePath)) {\n fs.unlinkSync(deleteFilePath);\n console.log(`[DELETED] ${description}`);\n }\n }\n\n // 🚮 Delete entire folders\n if (deleteFolder) {\n const deleteFolderPath = path.resolve(__dirname, \"../\", deleteFolder);\n if (fs.existsSync(deleteFolderPath)) {\n fs.rmSync(deleteFolderPath, {recursive: true, force: true});\n console.log(`[DELETED] ${description}`);\n }\n }\n })\n\n console.log(\"🎉 MikroORM & Knex patching completed!\");\n}\n","#!/usr/bin/env node\n\nimport { Command } from \"commander\";\nimport dotenv from \"dotenv\";\nimport inquirer from \"inquirer\";\nimport { generateModels } from \"./actions/generate-models\";\nimport { createMigration } from \"./actions/migrations-create\";\nimport { updateMigration } from \"./actions/migrations-update\";\nimport {runPostInstallPatch} from \"./actions/PatchPostinstall\";\n\n// 🔄 Load environment variables from `.env` file\ndotenv.config();\n\n/**\n * Prompts the user for missing parameters using Inquirer.js.\n * @param config - The current configuration object.\n * @param defaultOutput - Default output path.\n * @param customAskMissingParams - Optional function for additional prompts.\n * @returns Updated configuration with user input.\n */\nconst askMissingParams = async (\n config: any,\n defaultOutput: string,\n customAskMissingParams?: (cfg: any, questions: unknown[]) => void,\n) => {\n const questions: unknown[] = [];\n\n if (!config.host)\n questions.push({\n type: \"input\",\n name: \"host\",\n message: \"Enter database host:\",\n default: \"localhost\",\n });\n\n if (!config.port)\n questions.push({\n type: \"input\",\n name: \"port\",\n message: \"Enter database port:\",\n default: \"3306\",\n validate: (input: string) => !isNaN(parseInt(input, 10)),\n });\n\n if (!config.user)\n questions.push({\n type: \"input\",\n name: \"user\",\n message: \"Enter database user:\",\n default: \"root\",\n });\n\n if (!config.password)\n questions.push({\n type: \"password\",\n name: \"password\",\n message: \"Enter database password:\",\n mask: \"*\",\n });\n\n if (!config.dbName)\n questions.push({\n type: \"input\",\n name: \"dbName\",\n message: \"Enter database name:\",\n });\n\n if (!config.output)\n questions.push({\n type: \"input\",\n name: \"output\",\n message: \"Enter output path:\",\n default: defaultOutput,\n });\n\n // Allow additional questions from the caller\n if (customAskMissingParams) {\n customAskMissingParams(config, questions);\n }\n\n // If there are missing parameters, prompt the user\n if (questions.length > 0) {\n // @ts-ignore - Ignore TypeScript warning for dynamic question type\n const answers = await inquirer.prompt(questions);\n return { ...config, ...answers, port: parseInt(answers.port, 10) };\n }\n\n return config;\n};\n\n/**\n * Retrieves configuration parameters from command-line arguments and environment variables.\n * If any required parameters are missing, prompts the user for input.\n * @param cmd - The command object containing CLI options.\n * @param defaultOutput - Default output directory.\n * @param customConfig - Optional function for additional configuration parameters.\n * @param customAskMissingParams - Optional function for additional prompts.\n * @returns A fully resolved configuration object.\n */\nconst getConfig = async (\n cmd: any,\n defaultOutput: string,\n customConfig?: () => any,\n customAskMissingParams?: (cfg: any, questions: unknown[]) => void,\n) => {\n let config = {\n host: cmd.host || process.env.FORGE_SQL_ORM_HOST,\n port: cmd.port\n ? parseInt(cmd.port, 10)\n : process.env.FORGE_SQL_ORM_PORT\n ? parseInt(process.env.FORGE_SQL_ORM_PORT, 10)\n : undefined,\n user: cmd.user || process.env.FORGE_SQL_ORM_USER,\n password: cmd.password || process.env.FORGE_SQL_ORM_PASSWORD,\n dbName: cmd.dbName || process.env.FORGE_SQL_ORM_DBNAME,\n output: cmd.output || process.env.FORGE_SQL_ORM_OUTPUT,\n };\n\n // Merge additional configurations if provided\n if (customConfig) {\n config = { ...config, ...customConfig() };\n }\n\n return await askMissingParams(config, defaultOutput, customAskMissingParams);\n};\n\n// 📌 Initialize CLI\nconst program = new Command();\nprogram.version(\"1.0.0\");\n\n// ✅ Command: Generate database models (Entities)\nprogram\n .command(\"generate:model\")\n .description(\"Generate MikroORM models from the database.\")\n .option(\"--host <string>\", \"Database host\")\n .option(\"--port <number>\", \"Database port\")\n .option(\"--user <string>\", \"Database user\")\n .option(\"--password <string>\", \"Database password\")\n .option(\"--dbName <string>\", \"Database name\")\n .option(\"--output <string>\", \"Output path for entities\")\n .action(async (cmd) => {\n const config = await getConfig(cmd, \"./database/entities\");\n await generateModels(config);\n });\n\n// ✅ Command: Create initial database migration\nprogram\n .command(\"migrations:create\")\n .description(\"Generate an initial migration for the entire database.\")\n .option(\"--host <string>\", \"Database host\")\n .option(\"--port <number>\", \"Database port\")\n .option(\"--user <string>\", \"Database user\")\n .option(\"--password <string>\", \"Database password\")\n .option(\"--dbName <string>\", \"Database name\")\n .option(\"--output <string>\", \"Output path for migrations\")\n .option(\"--entitiesPath <string>\", \"Path to the folder containing entities\")\n .action(async (cmd) => {\n const config = await getConfig(\n cmd,\n \"./database/migration\",\n () => ({\n entitiesPath: cmd.entitiesPath || process.env.FORGE_SQL_ORM_ENTITIES_PATH,\n }),\n (cfg, questions: unknown[]) => {\n if (!cfg.entitiesPath)\n questions.push({\n type: \"input\",\n name: \"entitiesPath\",\n message: \"Enter the path to entities:\",\n default: \"./database/entities\",\n });\n },\n );\n await createMigration(config);\n });\n\n// ✅ Command: Update migration for schema changes\nprogram\n .command(\"migrations:update\")\n .description(\"Generate a migration to update the database schema.\")\n .option(\"--host <string>\", \"Database host\")\n .option(\"--port <number>\", \"Database port\")\n .option(\"--user <string>\", \"Database user\")\n .option(\"--password <string>\", \"Database password\")\n .option(\"--dbName <string>\", \"Database name\")\n .option(\"--output <string>\", \"Output path for migrations\")\n .option(\"--entitiesPath <string>\", \"Path to the folder containing entities\")\n .action(async (cmd) => {\n const config = await getConfig(\n cmd,\n \"./database/migration\",\n () => ({\n entitiesPath: cmd.entitiesPath || process.env.FORGE_SQL_ORM_ENTITIES_PATH,\n }),\n (cfg, questions: unknown[]) => {\n if (!cfg.entitiesPath)\n questions.push({\n type: \"input\",\n name: \"entitiesPath\",\n message: \"Enter the path to entities:\",\n default: \"./database/entities\",\n });\n },\n );\n await updateMigration(config);\n });\n\n// Patch MikroORM and Knex\nprogram\n .command(\"patch:mikroorm\")\n .description(\"Patch MikroORM and Knex dependencies to work properly with Forge\")\n .action(async () => {\n console.log(\"Running MikroORM patch...\");\n await runPostInstallPatch();\n await runPostInstallPatch();\n await runPostInstallPatch();\n console.log(\"✅ MikroORM patch applied successfully!\");\n });\n\n// 🔥 Execute CLI\nprogram.parse(process.argv);\n"],"names":["cleanSQLStatement","generateMigrationFile","saveMigrationFiles","extractCreateStatements","loadEntities","loadMigrationVersion"],"mappings":";;;;;;;;;AAMA,MAAM,sBAAsB,CAAC,eAAuB;AAC5C,QAAA,cAAc,KAAK,QAAQ,UAAU;AAC3C,QAAM,YAAY,KAAK,KAAK,aAAa,UAAU;AAEnD,QAAM,cAAc,GACjB,YAAY,WAAW,EACvB,OAAO,CAAC,SAAS,KAAK,SAAS,KAAK,KAAK,SAAS,UAAU;AAE/D,QAAM,UAAU,YAAY,IAAI,CAAC,SAAS;AACxC,UAAM,aAAa,KAAK,SAAS,MAAM,KAAK;AACrC,WAAA,YAAY,UAAU,cAAc,UAAU;AAAA,EAAA,CACtD;AAED,QAAM,eAAe,GAAG,QAAQ,KAAK,IAAI,CAAC;AAAA;AAAA,kBAAuB,YAAY,IAAI,CAAC,SAAS,KAAK,SAAS,MAAM,KAAK,CAAC,EAAE,KAAK,IAAI,CAAC;AAAA;AAE9H,KAAA,cAAc,WAAW,cAAc,MAAM;AAChD,UAAQ,IAAI,2BAA2B,YAAY,MAAM,YAAY;AACvE;AAEa,MAAA,iBAAiB,OAAO,YAAiB;AAChD,MAAA;AACF,UAAM,YAAY,aAAa;AAAA,MAC7B,MAAM,QAAQ;AAAA,MACd,MAAM,QAAQ;AAAA,MACd,MAAM,QAAQ;AAAA,MACd,UAAU,QAAQ;AAAA,MAClB,QAAQ,QAAQ;AAAA,MAChB,gBAAgB;AAAA,MAChB,WAAW,EAAE,oBAAoB,MAAM;AAAA,MACvC,YAAY,CAAC,eAAe;AAAA,MAC5B,OAAO;AAAA,IAAA,CACR;AAEK,UAAA,MAAM,SAAS,SAAS,SAAS;AAC/B,YAAA,IAAI,kBAAkB,QAAQ,MAAM,OAAO,QAAQ,IAAI,IAAI,QAAQ,IAAI,EAAE;AAE3E,UAAA,IAAI,gBAAgB,SAAS;AAAA,MACjC,cAAc;AAAA,MACd,wBAAwB;AAAA,MACxB,sBAAsB;AAAA,MACtB,gBAAgB;AAAA,MAChB,mBAAmB;AAAA,MACnB,mBAAmB;AAAA,MACnB,qBAAqB;AAAA,MACrB,uBAAuB;AAAA,MACvB,8BAA8B;AAAA,MAC9B,MAAM;AAAA,MACN,MAAM,QAAQ;AAAA,IAAA,CACf;AAED,wBAAoB,QAAQ,MAAM;AAElC,YAAQ,IAAI,4BAA4B,QAAQ,MAAM,EAAE;AACxD,YAAQ,KAAK,CAAC;AAAA,WACP,OAAO;AACN,YAAA,MAAM,gCAAgC,KAAK;AACnD,YAAQ,KAAK,CAAC;AAAA,EAAA;AAElB;ACpDA,SAASA,oBAAkB,KAAqB;AAC9C,SAAO,IAAI,QAAQ,oEAAoE,EAAE,EAAE,KAAK;AAClG;AAQA,SAASC,wBAAsB,kBAA4B,SAAyB;AAC5E,QAAA,gBAAgB,IAAI,OAAO;AAGjC,QAAM,iBAAiB,iBACpB;AAAA,IACC,CAAC,MAAM,UACL,qBAAqB,aAAa,GAAG,KAAK,OAAQD,oBAAkB,IAAI,CAAC;AAAA;AAAA,EAAA,EAE5E,KAAK,IAAI;AAGL,SAAA;AAAA;AAAA;AAAA;AAAA,EAIP,cAAc;AAAA;AAEhB;AAQA,SAASE,qBAAmB,eAAuB,SAAiB,WAAmB;AACrF,MAAI,CAAC,GAAG,WAAW,SAAS,GAAG;AAC7B,OAAG,UAAU,WAAW,EAAE,WAAW,MAAM;AAAA,EAAA;AAG7C,QAAM,oBAAoB,KAAK,KAAK,WAAW,aAAa,OAAO,KAAK;AACxE,QAAM,qBAAqB,KAAK,KAAK,WAAW,mBAAmB;AACnE,QAAM,gBAAgB,KAAK,KAAK,WAAW,UAAU;AAGlD,KAAA,cAAc,mBAAmB,aAAa;AAGjD,KAAG,cAAc,oBAAoB,oCAAoC,OAAO,GAAG;AAGnF,QAAM,mBAAmB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAmBtB,KAAA,cAAc,eAAe,gBAAgB;AAExC,UAAA,IAAI,6BAA6B,iBAAiB,EAAE;AACpD,UAAA,IAAI,mCAAmC,kBAAkB,EAAE;AAC3D,UAAA,IAAI,mCAAmC,aAAa,EAAE;AAChE;AAOA,MAAMC,4BAA0B,CAAC,WAA6B;AACtD,QAAA,aAAa,OAAO,MAAM,GAAG,EAAE,IAAI,CAAC,MAAM,EAAE,MAAM;AAExD,SAAO,WAAW;AAAA,IAChB,CAAC,SACC,KAAK,WAAW,cAAc,KAC7B,KAAK,WAAW,aAAa,KAAK,KAAK,SAAS,WAAW,KAC5D,KAAK,WAAW,SAAS;AAAA,EAC7B;AACF;AAOA,MAAMC,iBAAe,OAAO,iBAAyB;AAC/C,MAAA;AACF,UAAM,gBAAgB,KAAK,QAAQ,KAAK,KAAK,cAAc,UAAU,CAAC;AACtE,QAAI,CAAC,GAAG,WAAW,aAAa,GAAG;AACzB,cAAA,MAAM,kCAAkC,aAAa,EAAE;AAC/D,cAAQ,KAAK,CAAC;AAAA,IAAA;AAGhB,UAAM,EAAE,SAAS,aAAa,MAAM,OAAO;AAC3C,YAAQ,IAAI,YAAY,SAAS,MAAM,kBAAkB,YAAY,EAAE;AAChE,WAAA;AAAA,WACA,OAAO;AACd,YAAQ,MAAM,iCAAiC,YAAY,KAAK,KAAK;AACrE,YAAQ,KAAK,CAAC;AAAA,EAAA;AAElB;AAOA,MAAMC,yBAAuB,OAAO,kBAA2C;AACzE,MAAA;AACF,UAAM,yBAAyB,KAAK,QAAQ,KAAK,KAAK,eAAe,mBAAmB,CAAC;AACzF,QAAI,CAAC,GAAG,WAAW,sBAAsB,GAAG;AACnC,aAAA;AAAA,IAAA;AAGT,UAAM,EAAE,kBAAA,IAAsB,MAAM,OAAO;AACnC,YAAA,IAAI,gCAAgC,iBAAiB,EAAE;AACxD,WAAA;AAAA,WACA,OAAO;AACN,YAAA,MAAM,mCAAmC,KAAK;AACtD,YAAQ,KAAK,CAAC;AAAA,EAAA;AAElB;AAMa,MAAA,kBAAkB,OAAO,YAAiB;AACjD,MAAA;AACF,QAAI,UAAU,MAAMA,uBAAqB,QAAQ,MAAM;AAEvD,QAAI,UAAU,GAAG;AACf,cAAQ,MAAM,8CAA8C;AAC5D,cAAQ,KAAK,CAAC;AAAA,IAAA;AAIN,cAAA;AAGV,UAAM,WAAW,MAAMD,eAAa,QAAQ,YAAY;AAGlD,UAAA,MAAM,SAAS,SAAS;AAAA,MAC5B,MAAM,QAAQ;AAAA,MACd,MAAM,QAAQ;AAAA,MACd,MAAM,QAAQ;AAAA,MACd,UAAU,QAAQ;AAAA,MAClB,QAAQ,QAAQ;AAAA,MAChB;AAAA,IAAA,CACD;AAGK,UAAA,kBAAkB,MAAM,IAAI,OAAO,mBAAmB,EAAE,MAAM,MAAM;AACpE,UAAA,aAAaD,0BAAwB,eAAe;AAGpD,UAAA,gBAAgBF,wBAAsB,YAAY,OAAO;AAC5CC,yBAAA,eAAe,SAAS,QAAQ,MAAM;AAEzD,YAAQ,IAAI,mCAAmC;AAC/C,YAAQ,KAAK,CAAC;AAAA,WACP,OAAO;AACN,YAAA,MAAM,sCAAsC,KAAK;AACzD,YAAQ,KAAK,CAAC;AAAA,EAAA;AAElB;ACtLA,SAAS,kBAAkB,KAAqB;AAC9C,SAAO,IAAI,QAAQ,oEAAoE,EAAE,EAAE,KAAK;AAClG;AAQA,SAAS,sBAAsB,kBAA4B,SAAyB;AAC5E,QAAA,gBAAgB,IAAI,OAAO;AAGjC,QAAM,iBAAiB,iBACpB;AAAA,IACC,CAAC,MAAM,UACL,qBAAqB,aAAa,GAAG,KAAK,OAAQ,kBAAkB,IAAI,CAAC;AAAA;AAAA,EAAA,EAE5E,KAAK,IAAI;AAGL,SAAA;AAAA;AAAA;AAAA;AAAA,EAIP,cAAc;AAAA;AAEhB;AAQA,SAAS,mBAAmB,eAAuB,SAAiB,WAAmB;AACrF,MAAI,CAAC,GAAG,WAAW,SAAS,GAAG;AAC7B,OAAG,UAAU,WAAW,EAAE,WAAW,MAAM;AAAA,EAAA;AAG7C,QAAM,oBAAoB,KAAK,KAAK,WAAW,aAAa,OAAO,KAAK;AACxE,QAAM,qBAAqB,KAAK,KAAK,WAAW,mBAAmB;AACnE,QAAM,gBAAgB,KAAK,KAAK,WAAW,UAAU;AAGlD,KAAA,cAAc,mBAAmB,aAAa;AAGjD,KAAG,cAAc,oBAAoB,oCAAoC,OAAO,GAAG;AAGnF,QAAM,mBAAmB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAmBtB,KAAA,cAAc,eAAe,gBAAgB;AAExC,UAAA,IAAI,6BAA6B,iBAAiB,EAAE;AACpD,UAAA,IAAI,mCAAmC,kBAAkB,EAAE;AAC3D,UAAA,IAAI,mCAAmC,aAAa,EAAE;AAChE;AAOA,MAAM,0BAA0B,CAAC,WAA6B;AACtD,QAAA,aAAa,OAAO,MAAM,GAAG,EAAE,IAAI,CAAC,MAAM,EAAE,MAAM;AAExD,SAAO,WAAW;AAAA,IAChB,CAAC,SACC,KAAK,WAAW,cAAc,KAC7B,KAAK,WAAW,aAAa,KAAK,KAAK,SAAS,WAAW,KAC3D,KAAK,WAAW,aAAa,KAAK,KAAK,SAAS,KAAK,KAAK,CAAC,KAAK,SAAS,SAAS,KAClF,KAAK,WAAW,aAAa,KAAK,KAAK,SAAS,QAAQ,KAAK,CAAC,KAAK,SAAS,SAAS;AAAA,EAC1F;AACF;AAOA,MAAM,eAAe,OAAO,iBAAyB;AAC/C,MAAA;AACF,UAAM,gBAAgB,KAAK,QAAQ,KAAK,KAAK,cAAc,UAAU,CAAC;AACtE,QAAI,CAAC,GAAG,WAAW,aAAa,GAAG;AACzB,cAAA,MAAM,kCAAkC,YAAY,EAAE;AAC9D,cAAQ,KAAK,CAAC;AAAA,IAAA;AAGhB,UAAM,EAAE,SAAS,aAAa,MAAM,OAAO;AAC3C,YAAQ,IAAI,YAAY,SAAS,MAAM,kBAAkB,YAAY,EAAE;AAChE,WAAA;AAAA,WACA,OAAO;AACd,YAAQ,MAAM,iCAAiC,YAAY,KAAK,KAAK;AACrE,YAAQ,KAAK,CAAC;AAAA,EAAA;AAElB;AAOA,MAAM,uBAAuB,OAAO,kBAA2C;AACzE,MAAA;AACF,UAAM,yBAAyB,KAAK,QAAQ,KAAK,KAAK,eAAe,mBAAmB,CAAC;AACzF,QAAI,CAAC,GAAG,WAAW,sBAAsB,GAAG;AAClC,cAAA;AAAA,QACN,8CAA8C,sBAAsB;AAAA,MACtE;AACO,aAAA;AAAA,IAAA;AAGT,UAAM,EAAE,kBAAA,IAAsB,MAAM,OAAO;AACnC,YAAA,IAAI,gCAAgC,iBAAiB,EAAE;AACxD,WAAA;AAAA,WACA,OAAO;AACN,YAAA,MAAM,mCAAmC,KAAK;AACtD,YAAQ,KAAK,CAAC;AAAA,EAAA;AAElB;AAMa,MAAA,kBAAkB,OAAO,YAAiB;AACjD,MAAA;AACF,QAAI,UAAU,MAAM,qBAAqB,QAAQ,MAAM;AAEvD,QAAI,UAAU,GAAG;AACP,cAAA;AAAA,QACN;AAAA,MACF;AACA,cAAQ,KAAK,CAAC;AAAA,IAAA;AAEL,eAAA;AAGX,UAAM,WAAW,MAAM,aAAa,QAAQ,YAAY;AAGlD,UAAA,MAAM,SAAS,SAAS;AAAA,MAC5B,MAAM,QAAQ;AAAA,MACd,MAAM,QAAQ;AAAA,MACd,MAAM,QAAQ;AAAA,MACd,UAAU,QAAQ;AAAA,MAClB,QAAQ,QAAQ;AAAA,MAChB;AAAA,MACA,OAAO;AAAA,IAAA,CACR;AAGK,UAAA,kBAAkB,MAAM,IAAI,OAAO,4BAA4B,EAAE,MAAM,MAAM;AACnF,UAAM,aAAa,wBAAwB,iBAAiB,QAAQ,EAAE;AAEtE,QAAI,WAAW,QAAQ;AACf,YAAA,gBAAgB,sBAAsB,YAAY,OAAO;AAC5C,yBAAA,eAAe,SAAS,QAAQ,MAAM;AAEzD,cAAQ,IAAI,mCAAmC;AAC/C,cAAQ,KAAK,CAAC;AAAA,IAAA,OACT;AACL,cAAQ,IAAI,uCAAuC;AACnD,cAAQ,KAAK,CAAC;AAAA,IAAA;AAAA,WAET,OAAO;AACN,YAAA,MAAM,oCAAoC,KAAK;AACvD,YAAQ,KAAK,CAAC;AAAA,EAAA;AAElB;ACnLA,MAAM,UAAmB;AAAA;AAAA,EAErB;AAAA,IACI,MAAM;AAAA,IACN,aAAa,CAAC,kBAAkB,kBAAkB,qBAAqB,mBAAmB,wBAAwB;AAAA,IAClH,aAAa;AAAA,EACjB;AAAA,EACA;AAAA,IACI,MAAM;AAAA,IACN,aAAa,CAAC,kBAAkB,kBAAkB,qBAAqB,mBAAmB,iBAAiB;AAAA,IAC3G,aAAa;AAAA,EACjB;AAAA,EACA;AAAA,IACI,MAAM;AAAA,IACN,aAAa,CAAC,kBAAkB,kBAAkB,uBAAuB,iBAAiB;AAAA,IAC1F,aAAa;AAAA,EACjB;AAAA,EACA;AAAA,IACI,cAAc;AAAA,IACd,aAAa;AAAA,EACjB;AAAA,EACA;AAAA,IACI,cAAc;AAAA,IACd,aAAa;AAAA,EACjB;AAAA,EACA;AAAA,IACI,cAAc;AAAA,IACd,aAAa;AAAA,EACjB;AAAA;AAAA,EAGA;AAAA,IACI,MAAM;AAAA,IACN,QAAQ;AAAA,IACR,SAAS;AAAA,IACT,aAAa;AAAA,EACjB;AAAA,EACA;AAAA,IACI,MAAM;AAAA,IACN,QAAQ;AAAA,IACR,SAAS;AAAA,IACT,aAAa;AAAA,EACjB;AAAA;AAAA,EAGA;AAAA,IACI,MAAM;AAAA,IACN,QAAQ;AAAA,IACR,SAAS;AAAA,IACT,aAAa;AAAA,EACjB;AAAA;AAAA,EAGA;AAAA,IACI,MAAM;AAAA,IACN,aAAa,CAAC,gFAAgF,iEAAiE;AAAA,IAC/J,aAAa;AAAA,EACjB;AAAA,EACA;AAAA,IACI,MAAM;AAAA,IACN,QAAQ;AAAA,IACR,SAAS;AAAA,IACT,aAAa;AAAA,EACjB;AAAA,EACA;AAAA,IACI,MAAM;AAAA,IACN,QAAQ;AAAA,IACR,SAAS;AAAA,IACT,aAAa;AAAA,EACjB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAQA;AAAA,IACI,MAAM;AAAA,IACN,aAAa,CAAC,kBAAkB,kBAAkB,uBAAuB,mBAAmB,mBAAmB,qBAAqB,qBAAqB,qBAAqB,qBAAqB,oBAAoB,sBAAsB;AAAA,IAC7O,aAAa;AAAA,EACjB;AAAA,EACA;AAAA,IACI,MAAM;AAAA,IACN,QAAQ;AAAA,IACR,SAAS;AAAA;AAAA,IACT,aAAa;AAAA,EACjB;AAAA,EACA;AAAA,IACI,MAAM;AAAA,IACN,QAAQ;AAAA,IACR,SAAS;AAAA;AAAA,IACT,aAAa;AAAA,EACjB;AAAA,EACA;AAAA,IACI,MAAM;AAAA,IACN,QAAQ;AAAA,IACR,SAAS;AAAA;AAAA,IACT,aAAa;AAAA,EACjB;AAAA,EACA;AAAA,IACI,MAAM;AAAA,IACN,aAAa,CAAC,6BAA6B;AAAA,IAC3C,aAAa;AAAA,EAAA;AAGrB;AASO,SAAS,sBAAsB;AAClC,UAAQ,IAAI,wCAAwC;AAC5C,UAAA,QAAQ,CAAC,EAAE,MAAM,QAAQ,SAAS,aAAa,YAAY,cAAc,kBAAkB;AAC/F,QAAI,MAAM;AACA,YAAA,WAAW,KAAK,QAAQ,IAAI;AAC9B,UAAA,GAAG,WAAW,QAAQ,GAAG;AACzB,YAAI,UAAU,GAAG,aAAa,UAAU,MAAM;AAC9C,YAAI,kBAAkB;AAGtB,YAAI,UAAU,SAAS;AACf,cAAA,OAAO,WAAW,WAAW,QAAQ,SAAS,MAAM,IAAI,OAAO,KAAK,OAAO,GAAG;AACpE,sBAAA,QAAQ,QAAQ,QAAQ,OAAO;AACjC,oBAAA,IAAI,aAAa,WAAW,EAAE;AAAA,UAAA;AAAA,QAC1C;AAIJ,YAAI,aAAa;AACD,sBAAA,QAAQ,CAAC,YAAY;AAC7B,sBAAU,QACL,MAAM,IAAI,EACV,OAAO,CAAC,SAAS,CAAC,QAAQ,KAAK,IAAI,CAAC,EACpC,KAAK,IAAI;AAAA,UAAA,CACjB;AACD,cAAI,YAAY,iBAAiB;AACrB,oBAAA,IAAI,uCAAuC,IAAI,EAAE;AAAA,UAAA;AAAA,QAC7D;AAIJ,YAAI,YAAY,iBAAiB;AAC1B,aAAA,cAAc,UAAU,SAAS,MAAM;AAAA,QAAA;AAI1C,YAAA,QAAQ,KAAK,MAAM,IAAI;AACvB,aAAG,WAAW,QAAQ;AACd,kBAAA,IAAI,aAAa,QAAQ,sBAAsB;AAAA,QAAA;AAAA,MAC3D,OACG;AACK,gBAAA,KAAK,6BAA6B,IAAI,EAAE;AAAA,MAAA;AAAA,IACpD;AAIJ,QAAI,YAAY;AACZ,YAAM,iBAAiB,KAAK,QAAQ,WAAW,OAAO,UAAU;AAC5D,UAAA,GAAG,WAAW,cAAc,GAAG;AAC/B,WAAG,WAAW,cAAc;AACpB,gBAAA,IAAI,aAAa,WAAW,EAAE;AAAA,MAAA;AAAA,IAC1C;AAIJ,QAAI,cAAc;AACd,YAAM,mBAAmB,KAAK,QAAQ,WAAW,OAAO,YAAY;AAChE,UAAA,GAAG,WAAW,gBAAgB,GAAG;AACjC,WAAG,OAAO,kBAAkB,EAAC,WAAW,MAAM,OAAO,MAAK;AAClD,gBAAA,IAAI,aAAa,WAAW,EAAE;AAAA,MAAA;AAAA,IAC1C;AAAA,EACJ,CACH;AAED,UAAQ,IAAI,wCAAwC;AACxD;AC7LA,OAAO,OAAO;AASd,MAAM,mBAAmB,OACvB,QACA,eACA,2BACG;AACH,QAAM,YAAuB,CAAC;AAE9B,MAAI,CAAC,OAAO;AACV,cAAU,KAAK;AAAA,MACb,MAAM;AAAA,MACN,MAAM;AAAA,MACN,SAAS;AAAA,MACT,SAAS;AAAA,IAAA,CACV;AAEH,MAAI,CAAC,OAAO;AACV,cAAU,KAAK;AAAA,MACb,MAAM;AAAA,MACN,MAAM;AAAA,MACN,SAAS;AAAA,MACT,SAAS;AAAA,MACT,UAAU,CAAC,UAAkB,CAAC,MAAM,SAAS,OAAO,EAAE,CAAC;AAAA,IAAA,CACxD;AAEH,MAAI,CAAC,OAAO;AACV,cAAU,KAAK;AAAA,MACb,MAAM;AAAA,MACN,MAAM;AAAA,MACN,SAAS;AAAA,MACT,SAAS;AAAA,IAAA,CACV;AAEH,MAAI,CAAC,OAAO;AACV,cAAU,KAAK;AAAA,MACb,MAAM;AAAA,MACN,MAAM;AAAA,MACN,SAAS;AAAA,MACT,MAAM;AAAA,IAAA,CACP;AAEH,MAAI,CAAC,OAAO;AACV,cAAU,KAAK;AAAA,MACb,MAAM;AAAA,MACN,MAAM;AAAA,MACN,SAAS;AAAA,IAAA,CACV;AAEH,MAAI,CAAC,OAAO;AACV,cAAU,KAAK;AAAA,MACb,MAAM;AAAA,MACN,MAAM;AAAA,MACN,SAAS;AAAA,MACT,SAAS;AAAA,IAAA,CACV;AAGH,MAAI,wBAAwB;AAC1B,2BAAuB,QAAQ,SAAS;AAAA,EAAA;AAItC,MAAA,UAAU,SAAS,GAAG;AAExB,UAAM,UAAU,MAAM,SAAS,OAAO,SAAS;AACxC,WAAA,EAAE,GAAG,QAAQ,GAAG,SAAS,MAAM,SAAS,QAAQ,MAAM,EAAE,EAAE;AAAA,EAAA;AAG5D,SAAA;AACT;AAWA,MAAM,YAAY,OAChB,KACA,eACA,cACA,2BACG;AACH,MAAI,SAAS;AAAA,IACX,MAAM,IAAI,QAAQ,QAAQ,IAAI;AAAA,IAC9B,MAAM,IAAI,OACN,SAAS,IAAI,MAAM,EAAE,IACrB,QAAQ,IAAI,qBACV,SAAS,QAAQ,IAAI,oBAAoB,EAAE,IAC3C;AAAA,IACN,MAAM,IAAI,QAAQ,QAAQ,IAAI;AAAA,IAC9B,UAAU,IAAI,YAAY,QAAQ,IAAI;AAAA,IACtC,QAAQ,IAAI,UAAU,QAAQ,IAAI;AAAA,IAClC,QAAQ,IAAI,UAAU,QAAQ,IAAI;AAAA,EACpC;AAGA,MAAI,cAAc;AAChB,aAAS,EAAE,GAAG,QAAQ,GAAG,eAAe;AAAA,EAAA;AAG1C,SAAO,MAAM,iBAAiB,QAAQ,eAAe,sBAAsB;AAC7E;AAGA,MAAM,UAAU,IAAI,QAAQ;AAC5B,QAAQ,QAAQ,OAAO;AAGvB,QACG,QAAQ,gBAAgB,EACxB,YAAY,6CAA6C,EACzD,OAAO,mBAAmB,eAAe,EACzC,OAAO,mBAAmB,eAAe,EACzC,OAAO,mBAAmB,eAAe,EACzC,OAAO,uBAAuB,mBAAmB,EACjD,OAAO,qBAAqB,eAAe,EAC3C,OAAO,qBAAqB,0BAA0B,EACtD,OAAO,OAAO,QAAQ;AACrB,QAAM,SAAS,MAAM,UAAU,KAAK,qBAAqB;AACzD,QAAM,eAAe,MAAM;AAC7B,CAAC;AAGH,QACG,QAAQ,mBAAmB,EAC3B,YAAY,wDAAwD,EACpE,OAAO,mBAAmB,eAAe,EACzC,OAAO,mBAAmB,eAAe,EACzC,OAAO,mBAAmB,eAAe,EACzC,OAAO,uBAAuB,mBAAmB,EACjD,OAAO,qBAAqB,eAAe,EAC3C,OAAO,qBAAqB,4BAA4B,EACxD,OAAO,2BAA2B,wCAAwC,EAC1E,OAAO,OAAO,QAAQ;AACrB,QAAM,SAAS,MAAM;AAAA,IACnB;AAAA,IACA;AAAA,IACA,OAAO;AAAA,MACL,cAAc,IAAI,gBAAgB,QAAQ,IAAI;AAAA,IAAA;AAAA,IAEhD,CAAC,KAAK,cAAyB;AAC7B,UAAI,CAAC,IAAI;AACP,kBAAU,KAAK;AAAA,UACb,MAAM;AAAA,UACN,MAAM;AAAA,UACN,SAAS;AAAA,UACT,SAAS;AAAA,QAAA,CACV;AAAA,IAAA;AAAA,EAEP;AACA,QAAM,gBAAgB,MAAM;AAC9B,CAAC;AAGH,QACG,QAAQ,mBAAmB,EAC3B,YAAY,qDAAqD,EACjE,OAAO,mBAAmB,eAAe,EACzC,OAAO,mBAAmB,eAAe,EACzC,OAAO,mBAAmB,eAAe,EACzC,OAAO,uBAAuB,mBAAmB,EACjD,OAAO,qBAAqB,eAAe,EAC3C,OAAO,qBAAqB,4BAA4B,EACxD,OAAO,2BAA2B,wCAAwC,EAC1E,OAAO,OAAO,QAAQ;AACrB,QAAM,SAAS,MAAM;AAAA,IACnB;AAAA,IACA;AAAA,IACA,OAAO;AAAA,MACL,cAAc,IAAI,gBAAgB,QAAQ,IAAI;AAAA,IAAA;AAAA,IAEhD,CAAC,KAAK,cAAyB;AAC7B,UAAI,CAAC,IAAI;AACP,kBAAU,KAAK;AAAA,UACb,MAAM;AAAA,UACN,MAAM;AAAA,UACN,SAAS;AAAA,UACT,SAAS;AAAA,QAAA,CACV;AAAA,IAAA;AAAA,EAEP;AACA,QAAM,gBAAgB,MAAM;AAC9B,CAAC;AAGH,QACK,QAAQ,gBAAgB,EACxB,YAAY,kEAAkE,EAC9E,OAAO,YAAY;AAClB,UAAQ,IAAI,2BAA2B;AACvC,QAAM,oBAAoB;AAC1B,QAAM,oBAAoB;AAC1B,QAAM,oBAAoB;AAC1B,UAAQ,IAAI,wCAAwC;AACtD,CAAC;AAGL,QAAQ,MAAM,QAAQ,IAAI;"}
@@ -0,0 +1,47 @@
1
+ #!/usr/bin/env node
2
+ const { execSync } = require("child_process");
3
+ const path = require("path");
4
+ const fs = require("fs");
5
+ const os = require("os");
6
+
7
+ // Get CLI arguments (excluding "node" and script path)
8
+ const args = process.argv.slice(2).join(" ");
9
+
10
+ // Resolve the path to cli.ts (your TypeScript entry file)
11
+ const cliPath = path.resolve(__dirname, "cli.cjs");
12
+
13
+ // Function to run a command
14
+ const runCommand = (cmd) => {
15
+ try {
16
+ execSync(cmd, { stdio: "inherit", shell: true });
17
+ process.exit(0);
18
+ } catch (e) {
19
+ console.error("⚠️ Command execution failed:", e.message);
20
+ process.exit(1);
21
+ }
22
+ };
23
+
24
+ // **1. Check if `ts-node` is globally installed**
25
+ const isGlobalTsNodeInstalled = (() => {
26
+ try {
27
+ execSync("ts-node --version", { stdio: "ignore" }); // Check if `ts-node` runs without error
28
+ return true;
29
+ } catch {
30
+ return false;
31
+ }
32
+ })();
33
+
34
+ if (isGlobalTsNodeInstalled) {
35
+ console.log("✅ Using global ts-node");
36
+ runCommand(`node -r ts-node/register ${cliPath} ${args}`);
37
+ }
38
+
39
+ // **2. If not, check for local ts-node**
40
+ if (fs.existsSync(localTsNode)) {
41
+ console.log("✅ Using local ts-node");
42
+ runCommand(`"${localTsNode}" ${cliPath} ${args}`);
43
+ }
44
+
45
+ // **3. If neither found, fallback to npx**
46
+ console.warn("⚠️ Neither global nor local ts-node found, using npx...");
47
+ runCommand(`npx node -r ts-node/register ${cliPath} ${args}`);
@@ -0,0 +1,14 @@
1
+ import { EntitySchema } from '@mikro-orm/mysql';
2
+
3
+ export class Users {
4
+ id!: number;
5
+ name?: string;
6
+ }
7
+
8
+ export const UsersSchema = new EntitySchema({
9
+ class: Users,
10
+ properties: {
11
+ id: { primary: true, type: 'integer', unsigned: false },
12
+ name: { type: 'string', length: 200, nullable: true },
13
+ },
14
+ });
@@ -0,0 +1,3 @@
1
+ import { Users } from "./Users";
2
+
3
+ export default [Users];
package/package.json CHANGED
@@ -1,7 +1,6 @@
1
1
  {
2
2
  "name": "forge-sql-orm",
3
- "version": "1.0.18",
4
- "type": "module",
3
+ "version": "1.0.19",
5
4
  "description": "Mikro-ORM integration for Forge-SQL in Atlassian Forge applications.",
6
5
  "main": "dist/ForgeSQLORM.js",
7
6
  "module": "dist/ForgeSQLORM.mjs",
@@ -75,7 +74,7 @@
75
74
  },
76
75
  "files": [
77
76
  "dist",
78
- "scripts",
77
+ "dist-cli",
79
78
  "src",
80
79
  "node_modules",
81
80
  "tsconfig.json",
@@ -1,13 +1,14 @@
1
1
  #!/usr/bin/env node
2
- import { execSync } from "child_process";
3
- import path from "node:path";
2
+ const { execSync } = require("child_process");
3
+ const path = require("path");
4
+ const fs = require("fs");
5
+ const os = require("os");
4
6
 
5
- // Get CLI arguments
7
+ // Get CLI arguments (excluding "node" and script path)
6
8
  const args = process.argv.slice(2).join(" ");
7
9
 
8
- // Resolve the path to cli.ts
9
- const cliPath = path.resolve(new URL(".", import.meta.url), "cli.ts");
10
-
10
+ // Resolve the path to cli.ts (your TypeScript entry file)
11
+ const cliPath = path.resolve(__dirname, "cli.cjs");
11
12
 
12
13
  // Function to run a command
13
14
  const runCommand = (cmd) => {
@@ -23,7 +24,7 @@ const runCommand = (cmd) => {
23
24
  // **1. Check if `ts-node` is globally installed**
24
25
  const isGlobalTsNodeInstalled = (() => {
25
26
  try {
26
- execSync("ts-node --version", { stdio: "ignore" });
27
+ execSync("ts-node --version", { stdio: "ignore" }); // Check if `ts-node` runs without error
27
28
  return true;
28
29
  } catch {
29
30
  return false;
@@ -32,9 +33,15 @@ const isGlobalTsNodeInstalled = (() => {
32
33
 
33
34
  if (isGlobalTsNodeInstalled) {
34
35
  console.log("✅ Using global ts-node");
35
- runCommand(`node --loader ts-node/esm "${cliPath}" ${args}`);
36
+ runCommand(`node -r ts-node/register ${cliPath} ${args}`);
37
+ }
38
+
39
+ // **2. If not, check for local ts-node**
40
+ if (fs.existsSync(localTsNode)) {
41
+ console.log("✅ Using local ts-node");
42
+ runCommand(`"${localTsNode}" ${cliPath} ${args}`);
36
43
  }
37
44
 
38
- // ** fallback to npx**
45
+ // **3. If neither found, fallback to npx**
39
46
  console.warn("⚠️ Neither global nor local ts-node found, using npx...");
40
- runCommand(`npx node --loader ts-node/esm "${cliPath}" ${args}`);
47
+ runCommand(`npx node -r ts-node/register ${cliPath} ${args}`);
@@ -1,201 +0,0 @@
1
- import fs from "fs";
2
- import path from "path";
3
-
4
- /**
5
- * Automates patches for MikroORM and Knex to fix Webpack issues.
6
- * - Removes problematic `require()` calls.
7
- * - Deletes unnecessary files and folders.
8
- * - Fixes dynamic imports (`import(id)`) in MikroORM.
9
- */
10
-
11
- interface Patch {
12
- file?: string; // File to modify (optional)
13
- search?: RegExp; // Regex pattern to find problematic code
14
- replace?: string; // Replacement string for problematic code
15
- deleteLines?: RegExp[]; // List of regex patterns to remove specific lines
16
- description: string; // Description of the patch
17
- deleteFile?: string; // Path of the file to delete (optional)
18
- deleteFolder?: string; // Path of the folder to delete (optional)
19
- }
20
-
21
- const PATCHES: Patch[] = [
22
- // 🗑️ Remove unused dialects (mssql, postgres, sqlite) in MikroORM
23
- {
24
- file: "node_modules/@mikro-orm/knex/MonkeyPatchable.d.ts",
25
- deleteLines: [/^.*mssql.*$/gim, /^.*MsSql.*$/gim, /^\s*Postgres.*$/gm, /^.*Sqlite3.*$/gm, /^.*BetterSqlite3.*$/gim],
26
- description: "Removing unused dialects from MonkeyPatchable.d.ts"
27
- },
28
- {
29
- file: "node_modules/@mikro-orm/knex/MonkeyPatchable.js",
30
- deleteLines: [/^.*mssql.*$/gim, /^.*MsSql.*$/gim, /^.*postgres.*$/gim, /^.*sqlite.*$/gim, /^.*Sqlite.*$/gim],
31
- description: "Removing unused dialects from MonkeyPatchable.js"
32
- },
33
- {
34
- file: "node_modules/@mikro-orm/knex/dialects/index.js",
35
- deleteLines: [/^.*mssql.*$/gim, /^.*MsSql.*$/gim, /^.*postgresql.*$/gim, /^.*sqlite.*$/gim],
36
- description: "Removing unused dialects from @mikro-orm/knex/dialects/index.js"
37
- },
38
- {
39
- deleteFolder: "node_modules/@mikro-orm/knex/dialects/mssql",
40
- description: "Removing mssql dialect from MikroORM"
41
- },
42
- {
43
- deleteFolder: "node_modules/@mikro-orm/knex/dialects/postgresql",
44
- description: "Removing postgresql dialect from MikroORM"
45
- },
46
- {
47
- deleteFolder: "node_modules/@mikro-orm/knex/dialects/sqlite",
48
- description: "Removing sqlite dialect from MikroORM"
49
- },
50
-
51
- // 🔄 Fix Webpack `Critical dependency: the request of a dependency is an expression`
52
- {
53
- file: "node_modules/@mikro-orm/core/utils/Configuration.js",
54
- search: /dynamicImportProvider:\s*\/\* istanbul ignore next \*\/\s*\(id\) => import\(id\),/g,
55
- replace: "dynamicImportProvider: /* istanbul ignore next */ () => Promise.resolve({}),",
56
- description: "Fixing dynamic imports in MikroORM Configuration"
57
- },
58
- {
59
- file: "node_modules/@mikro-orm/core/utils/Utils.js",
60
- search: /static dynamicImportProvider = \(id\) => import\(id\);/g,
61
- replace: "static dynamicImportProvider = () => Promise.resolve({});",
62
- description: "Fixing dynamic imports in MikroORM Utils.js"
63
- },
64
-
65
- // 🛑 Remove deprecated `require.extensions` usage
66
- {
67
- file: "node_modules/@mikro-orm/core/utils/Utils.js",
68
- search: /\s\|\|\s*\(require\.extensions\s*&&\s*!!require\.extensions\['\.ts'\]\);\s*/g,
69
- replace: ";",
70
- description: "Removing deprecated `require.extensions` check in MikroORM"
71
- },
72
-
73
- // 🛠️ Patch Knex to remove `Migrator` and `Seeder`
74
- {
75
- file: "node_modules/knex/lib/knex-builder/make-knex.js",
76
- deleteLines: [/^const \{ Migrator \} = require\('\.\.\/migrations\/migrate\/Migrator'\);$/gm, /^const Seeder = require\('\.\.\/migrations\/seed\/Seeder'\);$/gm],
77
- description: "Removing `Migrator` and `Seeder` requires from make-knex.js"
78
- },
79
- {
80
- file: "node_modules/knex/lib/knex-builder/make-knex.js",
81
- search: /\sreturn new Migrator\(this\);/g,
82
- replace: "return null;",
83
- description: "Replacing `return new Migrator(this);` with `return null;`"
84
- },
85
- {
86
- file: "node_modules/knex/lib/knex-builder/make-knex.js",
87
- search: /\sreturn new Seeder\(this\);/g,
88
- replace: "return null;",
89
- description: "Replacing `return new Seeder(this);` with `return null;`"
90
- },
91
- // 🔄 Patch for MikroORM Entity Generator to use 'forge-sql-orm'
92
- // {
93
- // file: "node_modules/@mikro-orm/entity-generator/SourceFile.js",
94
- // search: /^.* from '@mikro-orm.*$/gim,
95
- // replace: " }).join(', '))} } from 'forge-sql-orm';`);",
96
- // description: "Replacing entity generator imports with 'forge-sql-orm'"
97
- // },
98
- {
99
- file: "node_modules/knex/lib/dialects/index.js",
100
- deleteLines: [/^.*mssql.*$/gim, /^.*MsSql.*$/gim, /^.*postgresql.*$/gim, /^.*sqlite.*$/gim, /^.*oracle.*$/gim, /^.*oracledb.*$/gim, /^.*pgnative.*$/gim, /^.*postgres.*$/gim, /^.*redshift.*$/gim, /^.*sqlite3.*$/gim, /^.*cockroachdb.*$/gim],
101
- description: "Removing unused dialects from @mikro-orm/knex/dialects/index.js"
102
- },
103
- {
104
- file: "node_modules/@mikro-orm/core/utils/Utils.js",
105
- search: /\s\|\|\s*\(require\.extensions\s*&&\s*!!require\.extensions\['\.ts'\]\);\s*/g,
106
- replace: ";", // Replaces with semicolon to keep syntax valid
107
- description: "Removing deprecated `require.extensions` check from MikroORM"
108
- },
109
- {
110
- file: "node_modules/@mikro-orm/core/utils/Utils.js",
111
- search: /^.*extensions.*$/gim,
112
- replace: "{", // Replaces with semicolon to keep syntax valid
113
- description: "Removing deprecated `require.extensions` check from MikroORM"
114
- },
115
- {
116
- file: "node_modules/@mikro-orm/core/utils/Utils.js",
117
- search: /^.*package.json.*$/gim,
118
- replace: "return 0;", // Replaces with semicolon to keep syntax valid
119
- description: "Removing deprecated `require.extensions` check from MikroORM"
120
- },
121
- {
122
- file: "node_modules/@mikro-orm/knex/dialects/mysql/index.js",
123
- deleteLines: [/^.*MariaDbKnexDialect.*$/gim],
124
- description: "Removing MariaDbKnexDialect"
125
- },
126
-
127
- ];
128
-
129
-
130
-
131
-
132
-
133
- /**
134
- * Runs the MikroORM & Knex patching logic.
135
- */
136
- export function runPostInstallPatch() {
137
- console.log("🔧 Applying MikroORM & Knex patches...");
138
- PATCHES.forEach(({ file, search, replace, deleteLines, deleteFile, deleteFolder, description }) => {
139
- if (file) {
140
- const filePath = path.resolve(file);
141
- if (fs.existsSync(filePath)) {
142
- let content = fs.readFileSync(filePath, "utf8");
143
- let originalContent = content;
144
-
145
- // 🔄 Replace text
146
- if (search && replace) {
147
- if (typeof search === "string" ? content.includes(search) : search.test(content)) {
148
- content = content.replace(search, replace);
149
- console.log(`[PATCHED] ${description}`);
150
- }
151
- }
152
-
153
- // 🗑️ Remove matching lines
154
- if (deleteLines) {
155
- deleteLines.forEach((pattern) => {
156
- content = content
157
- .split("\n")
158
- .filter((line) => !pattern.test(line))
159
- .join("\n");
160
- });
161
- if (content !== originalContent) {
162
- console.log(`[CLEANED] Removed matching lines in ${file}`);
163
- }
164
- }
165
-
166
- // 💾 Save changes only if file was modified
167
- if (content !== originalContent) {
168
- fs.writeFileSync(filePath, content, "utf8");
169
- }
170
-
171
- // 🚮 Remove empty files
172
- if (content.trim() === "") {
173
- fs.unlinkSync(filePath);
174
- console.log(`[REMOVED] ${filePath} (file is now empty)`);
175
- }
176
- } else {
177
- console.warn(`[WARNING] File not found: ${file}`);
178
- }
179
- }
180
-
181
- // 🚮 Delete specific files
182
- if (deleteFile) {
183
- const deleteFilePath = path.resolve(__dirname, "../", deleteFile);
184
- if (fs.existsSync(deleteFilePath)) {
185
- fs.unlinkSync(deleteFilePath);
186
- console.log(`[DELETED] ${description}`);
187
- }
188
- }
189
-
190
- // 🚮 Delete entire folders
191
- if (deleteFolder) {
192
- const deleteFolderPath = path.resolve(__dirname, "../", deleteFolder);
193
- if (fs.existsSync(deleteFolderPath)) {
194
- fs.rmSync(deleteFolderPath, {recursive: true, force: true});
195
- console.log(`[DELETED] ${description}`);
196
- }
197
- }
198
- })
199
-
200
- console.log("🎉 MikroORM & Knex patching completed!");
201
- }
@@ -1,65 +0,0 @@
1
- import "reflect-metadata";
2
- import path from "path";
3
- import fs from "fs";
4
- import {defineConfig, MikroORM, MongoNamingStrategy} from "@mikro-orm/mysql";
5
- import {EntityGenerator} from "@mikro-orm/entity-generator";
6
-
7
- const regenerateIndexFile = (outputPath: string) => {
8
- const entitiesDir = path.resolve(outputPath);
9
- const indexPath = path.join(entitiesDir, "index.ts");
10
-
11
- const entityFiles = fs
12
- .readdirSync(entitiesDir)
13
- .filter((file) => file.endsWith(".ts") && file !== "index.ts");
14
-
15
- const imports = entityFiles.map((file) => {
16
- const entityName = path.basename(file, ".ts");
17
- return `import { ${entityName} } from "./${entityName}";`;
18
- });
19
-
20
- const indexContent = `${imports.join("\n")}\n\nexport default [${entityFiles.map((file) => path.basename(file, ".ts")).join(", ")}];\n`;
21
-
22
- fs.writeFileSync(indexPath, indexContent, "utf8");
23
- console.log(`✅ Updated index.ts with ${entityFiles.length} entities.`);
24
- };
25
-
26
- export const generateModels = async (options: any) => {
27
- try {
28
- const ormConfig = defineConfig({
29
- host: options.host,
30
- port: options.port,
31
- user: options.user,
32
- password: options.password,
33
- dbName: options.dbName,
34
- namingStrategy: MongoNamingStrategy,
35
- discovery: { warnWhenNoEntities: false },
36
- extensions: [EntityGenerator],
37
- debug: true,
38
- }) as Parameters<typeof MikroORM.initSync>[0];
39
-
40
- const orm = MikroORM.initSync(ormConfig);
41
- console.log(`✅ Connected to ${options.dbName} at ${options.host}:${options.port}`);
42
-
43
- await orm.entityGenerator.generate({
44
- entitySchema: true,
45
- bidirectionalRelations: false,
46
- identifiedReferences: false,
47
- forceUndefined: true,
48
- undefinedDefaults: true,
49
- useCoreBaseEntity: false,
50
- onlyPurePivotTables: false,
51
- outputPurePivotTables: false,
52
- scalarPropertiesForRelations: "always",
53
- save: true,
54
- path: options.output,
55
- });
56
-
57
- regenerateIndexFile(options.output);
58
-
59
- console.log(`✅ Entities generated at: ${options.output}`);
60
- process.exit(0);
61
- } catch (error) {
62
- console.error(`❌ Error generating entities:`, error);
63
- process.exit(1);
64
- }
65
- };