@exogee/graphweaver-mikroorm 2.20.4 → 2.20.6

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.
package/lib/database.js CHANGED
@@ -204,7 +204,7 @@ class DatabaseImplementation {
204
204
  try {
205
205
  result = await callback();
206
206
  } catch (error) {
207
- import_logger.logger.error(error, "Error in transaction");
207
+ (0, import_logger.safeErrorLog)(import_logger.logger, error, "Error in transaction");
208
208
  throw error;
209
209
  } finally {
210
210
  delete this.transactionalEm;
@@ -1,7 +1,7 @@
1
1
  {
2
2
  "version": 3,
3
3
  "sources": ["../src/database.ts"],
4
- "sourcesContent": ["import './utils/change-tracker';\n\nimport {\n\tAnyEntity,\n\tConnection,\n\tEntityName,\n\tIDatabaseDriver,\n\tMikroORM,\n\tOptions,\n\tReflectMetadataProvider,\n} from '@mikro-orm/core';\nimport { logger } from '@exogee/logger';\n\nimport type { EntityManager as PgEntityManager, PostgreSqlDriver } from '@mikro-orm/postgresql';\nimport type { EntityManager as MyEntityManager, MySqlDriver } from '@mikro-orm/mysql';\nimport type { EntityManager as SqliteEntityManager, SqliteDriver } from '@mikro-orm/sqlite';\ntype EntityManager =\n\t| PgEntityManager<PostgreSqlDriver>\n\t| MyEntityManager<MySqlDriver>\n\t| SqliteEntityManager<SqliteDriver>;\n\nexport type DatabaseType = 'mssql' | 'mysql' | 'postgresql' | 'sqlite';\n\nexport interface ConnectionOptions {\n\tmikroOrmConfig?: Options | (() => Options | Promise<Options>);\n\tsecretArn?: string;\n\tconnectionManagerId?: string;\n}\n\nexport enum IsolationLevel {\n\tSERIALIZABLE = 'SERIALIZABLE',\n\tREPEATABLE_READ = 'REPEATABLE READ',\n\tREAD_COMMITTED = 'READ COMMITTED',\n\tREAD_UNCOMMITTED = 'READ UNCOMMITTED',\n}\n\nconst NumericIsolationLevels = {\n\t[IsolationLevel.SERIALIZABLE]: 4,\n\t[IsolationLevel.REPEATABLE_READ]: 3,\n\t[IsolationLevel.READ_COMMITTED]: 2,\n\t[IsolationLevel.READ_UNCOMMITTED]: 1,\n};\n\nexport type Database = typeof DatabaseImplementation.prototype;\n\nclass DatabaseImplementation {\n\tprivate cachedOrm?: MikroORM<IDatabaseDriver<Connection>>;\n\tprivate transactionalEm?: EntityManager;\n\tprivate transactionInProgressIsolationLevel?: IsolationLevel;\n\tprivate connectionOptions?: ConnectionOptions;\n\n\tpublic get orm() {\n\t\tif (!this.cachedOrm) {\n\t\t\tconst error = new Error('Tried to get the ORM before it was connected.');\n\t\t\tlogger.error(error);\n\t\t\tthrow error;\n\t\t}\n\n\t\treturn this.cachedOrm;\n\t}\n\n\tpublic get em() {\n\t\treturn this.transactionalEm || (this.orm.em as EntityManager);\n\t}\n\n\tpublic async transactional<T>(\n\t\tcallback: () => Promise<T>,\n\t\tisolationLevel: IsolationLevel = IsolationLevel.READ_COMMITTED\n\t) {\n\t\tlogger.trace('Database::transactional() enter');\n\n\t\tif (\n\t\t\tthis.transactionInProgressIsolationLevel &&\n\t\t\tNumericIsolationLevels[this.transactionInProgressIsolationLevel] <\n\t\t\t\tNumericIsolationLevels[isolationLevel]\n\t\t) {\n\t\t\tconst error = new Error(\n\t\t\t\t`Transaction in progress is ${this.transactionInProgressIsolationLevel} isolation level, but ${isolationLevel} was requested, which is more restrictive. Since we can't upgrade, this is an error.`\n\t\t\t);\n\t\t\tlogger.error(error);\n\t\t\tthrow error;\n\t\t}\n\n\t\tif (this.transactionalEm) {\n\t\t\t// Transaction is already in progress that is isolated enough. Run the callback without starting a new one.\n\t\t\tlogger.trace(\n\t\t\t\t'Transaction already in progress with sufficient isolation, proceeding without new transaction.'\n\t\t\t);\n\n\t\t\treturn callback();\n\t\t} else {\n\t\t\t// Ok, start a new one.\n\t\t\tlogger.trace('Starting transaction');\n\n\t\t\treturn this.em.transactional(async (em) => {\n\t\t\t\tthis.transactionalEm = em;\n\t\t\t\tthis.transactionInProgressIsolationLevel = isolationLevel;\n\n\t\t\t\tconst driver = this.em.getDriver();\n\t\t\t\tif (driver.constructor.name === 'SqliteDriver') {\n\t\t\t\t\tlogger.trace('All transactions in SQLite are SERIALIZABLE');\n\t\t\t\t} else {\n\t\t\t\t\tawait em.execute(`SET SESSION TRANSACTION ISOLATION LEVEL ${isolationLevel}`);\n\t\t\t\t}\n\n\t\t\t\tlet result: T;\n\t\t\t\ttry {\n\t\t\t\t\tresult = await callback();\n\t\t\t\t} catch (error) {\n\t\t\t\t\tlogger.error(error, 'Error in transaction');\n\t\t\t\t\tthrow error;\n\t\t\t\t} finally {\n\t\t\t\t\tdelete this.transactionalEm;\n\t\t\t\t\tdelete this.transactionInProgressIsolationLevel;\n\t\t\t\t}\n\t\t\t\treturn result;\n\t\t\t});\n\t\t}\n\t}\n\n\tpublic isolatedTest(test: () => any) {\n\t\treturn async () => {\n\t\t\ttry {\n\t\t\t\tawait this.transactional(async () => {\n\t\t\t\t\tawait test();\n\t\t\t\t\tthrow new Error('Rollback transaction for test');\n\t\t\t\t}, IsolationLevel.SERIALIZABLE);\n\t\t\t} catch (error) {\n\t\t\t\t// Only need to care if this isn't our rollback from above.\n\t\t\t\t// Otherwise just gobble it.\n\t\t\t\tif ((error as Error).message !== 'Rollback transaction for test') {\n\t\t\t\t\tthrow error;\n\t\t\t\t}\n\t\t\t}\n\t\t};\n\t}\n\n\tpublic get rawConnection() {\n\t\treturn this.em.getDriver().getConnection();\n\t}\n\n\tprivate getEnvironmentOverrides = async (secretArn?: string): Promise<Options> => {\n\t\tlogger.trace('Database::getEnvironmentOverrides() - Enter');\n\t\tconst secret = secretArn ?? process.env.DATABASE_SECRET_ARN;\n\t\tif (secret) {\n\t\t\tconst { SecretsManagerClient, GetSecretValueCommand } = await import(\n\t\t\t\t'@aws-sdk/client-secrets-manager'\n\t\t\t);\n\n\t\t\tif (!SecretsManagerClient || !GetSecretValueCommand) {\n\t\t\t\tthrow new Error(\n\t\t\t\t\t'SecretsManagerClient or GetSecretValueCommand not found but a secret ARN was provided. Is @aws-sdk/client-secrets-manager available?'\n\t\t\t\t);\n\t\t\t}\n\n\t\t\tconst client = new SecretsManagerClient({\n\t\t\t\tregion: process.env.AWS_REGION,\n\t\t\t});\n\t\t\tconst command = new GetSecretValueCommand({ SecretId: secret });\n\n\t\t\ttry {\n\t\t\t\tlogger.trace('Fetching secret from Secrets Manager');\n\t\t\t\tconst response = await client.send(command);\n\t\t\t\tconst secret = JSON.parse(response.SecretString as string);\n\t\t\t\tlogger.trace('Secret fetched from Secrets Manager');\n\n\t\t\t\treturn {\n\t\t\t\t\thost: secret.host,\n\t\t\t\t\tport: secret.port,\n\t\t\t\t\tuser: secret.username,\n\t\t\t\t\tpassword: secret.password,\n\t\t\t\t\tdbName: secret.dbname,\n\t\t\t\t\tdriverOptions: {\n\t\t\t\t\t\tconnection: { ssl: true },\n\t\t\t\t\t},\n\t\t\t\t};\n\t\t\t} catch (error) {\n\t\t\t\tlogger.error('Error fetching secret from Secrets Manager');\n\t\t\t\tthrow error;\n\t\t\t}\n\t\t}\n\n\t\tlogger.trace('No secret ARN provided, using environment variables');\n\n\t\treturn {\n\t\t\thost: process.env.DATABASE_HOST,\n\t\t\tport: process.env.DATABASE_PORT ? Number(process.env.DATABASE_PORT) : undefined,\n\t\t\tuser: process.env.DATABASE_USERNAME,\n\t\t\tpassword: process.env.DATABASE_PASSWORD,\n\t\t\tdbName: process.env.DATABASE_NAME,\n\t\t};\n\t};\n\n\tprivate getConnectionInfo = async (connectionOptions?: ConnectionOptions): Promise<Options> => {\n\t\tlogger.trace('Database::getConnectionInfo() - Enter');\n\n\t\t// We have some defaults\n\t\tconst defaults: Options = {\n\t\t\thost: 'localhost',\n\t\t\tport: 5432,\n\t\t\tdbName: 'graphweaver',\n\t\t};\n\n\t\tconst resolvedMikroOrmConfig =\n\t\t\ttypeof connectionOptions?.mikroOrmConfig === 'function'\n\t\t\t\t? await connectionOptions.mikroOrmConfig()\n\t\t\t\t: connectionOptions?.mikroOrmConfig;\n\n\t\t// And finally we can override all of this with environment variables if needed.\n\t\tconst environmentOverrides = await this.getEnvironmentOverrides(connectionOptions?.secretArn);\n\n\t\t// Create a function we can use to filter out undefined values in the object.\n\t\tconst filterUndefined = (obj?: Options) => {\n\t\t\tif (!obj) return {};\n\n\t\t\tfor (const key of Object.keys(obj) as Array<keyof Options>) {\n\t\t\t\tif (obj[key] === undefined) delete obj[key];\n\t\t\t}\n\n\t\t\treturn obj;\n\t\t};\n\n\t\t// Apply each in order so the correct value wins.\n\t\treturn {\n\t\t\t...defaults,\n\t\t\t...filterUndefined(environmentOverrides),\n\t\t\t...filterUndefined(resolvedMikroOrmConfig),\n\t\t};\n\t};\n\n\tpublic getRepository = <T extends AnyEntity<T>>(entityName: EntityName<T>) =>\n\t\tthis.em.getRepository(entityName);\n\n\tpublic connect = async (connectionOptions?: ConnectionOptions) => {\n\t\tlogger.trace('Database::connect() - Enter');\n\t\tthis.connectionOptions = connectionOptions;\n\n\t\tif (this.cachedOrm) {\n\t\t\tlogger.trace('Returning cached ORM');\n\t\t\treturn this.cachedOrm;\n\t\t}\n\n\t\tlogger.trace('Creating new ORM');\n\t\tlogger.trace('Getting connection info');\n\n\t\tconst params = await this.getConnectionInfo(connectionOptions);\n\n\t\tlogger.trace('Initialising ORM');\n\n\t\tlogger.trace(`${params.entities?.length}x entities`);\n\n\t\t// Log the params, obfuscating the password used for the connection if there is one.\n\t\tconst { password, ...rest } = params;\n\t\tlogger.info(\n\t\t\t{ connectionParams: rest },\n\t\t\t'Connecting to database using MikroORM. Note: connectionParams have password removed for security.'\n\t\t);\n\n\t\tconst orm = await MikroORM.init({\n\t\t\tvalidateRequired: false, // Since v5, new entities are validated on runtime (just before executing insert queries), based on the entity metadata\n\t\t\tcontextName: connectionOptions?.connectionManagerId ?? 'default',\n\t\t\timplicitTransactions: false,\n\t\t\tmetadataProvider: ReflectMetadataProvider,\n\t\t\tdiscovery: {\n\t\t\t\tdisableDynamicFileAccess: true,\n\t\t\t\trequireEntitiesArray: false,\n\t\t\t\twarnWhenNoEntities: false,\n\t\t\t},\n\t\t\tallowGlobalContext: true,\n\n\t\t\t// Ensure we only ever create one connection to the database.\n\t\t\tpool: {\n\t\t\t\tmin: 1,\n\t\t\t\tmax: 1,\n\t\t\t},\n\t\t\t...params,\n\t\t});\n\n\t\tlogger.trace({ dbName: params.dbName, host: params.host }, 'Creating database connection');\n\t\tawait orm.connect();\n\n\t\tlogger.trace('Caching connection');\n\t\tthis.cachedOrm = orm;\n\t\treturn orm;\n\t};\n\n\tpublic close = async () => {\n\t\tlogger.trace('Closing database connection');\n\n\t\tawait this.orm.close(true);\n\t\tdelete this.cachedOrm;\n\t};\n}\n\nclass ConnectionsManager {\n\tprivate connections = new Map<string, DatabaseImplementation>();\n\tprivate connectionPromises = new Map<string, Promise<DatabaseImplementation>>();\n\n\tgetConnections() {\n\t\treturn Array.from(this.connections.values());\n\t}\n\n\tget default(): DatabaseImplementation {\n\t\tconst [defaultConnection] = [...this.connections];\n\t\tif (!defaultConnection)\n\t\t\tthrow new Error(\n\t\t\t\t'Error: No database connections. There should be at least one database connection.'\n\t\t\t);\n\t\tconst [_, databaseConnection] = defaultConnection;\n\t\treturn databaseConnection;\n\t}\n\n\tpublic connect = (id: string, connectionOptions: ConnectionOptions) => {\n\t\tif (this.connections.has(id)) return this.connections.get(id);\n\n\t\tconst connect = new Promise<DatabaseImplementation>((resolve, reject) => {\n\t\t\tconst database = new DatabaseImplementation();\n\t\t\tdatabase\n\t\t\t\t.connect(connectionOptions)\n\t\t\t\t.then(() => {\n\t\t\t\t\tlogger.trace(`Saving database connection with id \"${id}\".`);\n\t\t\t\t\tthis.connections.set(id, database);\n\t\t\t\t\tresolve(database);\n\t\t\t\t})\n\t\t\t\t.catch(reject);\n\t\t});\n\n\t\tthis.connectionPromises.set(id, connect);\n\n\t\treturn connect;\n\t};\n\n\tpublic database(id: string) {\n\t\treturn this.connections.get(id);\n\t}\n\n\tpublic awaitableDatabase(id: string) {\n\t\treturn this.connectionPromises.get(id);\n\t}\n\n\tpublic async close(id: string) {\n\t\tconst database = this.database(id);\n\t\tawait database?.close();\n\t\treturn true;\n\t}\n}\nexport const ConnectionManager = new ConnectionsManager();\n"],
5
- "mappings": ";;;;;;;;;;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,4BAAO;AAEP,kBAQO;AACP,oBAAuB;AAkBhB,IAAK,iBAAL,kBAAKA,oBAAL;AACN,EAAAA,gBAAA,kBAAe;AACf,EAAAA,gBAAA,qBAAkB;AAClB,EAAAA,gBAAA,oBAAiB;AACjB,EAAAA,gBAAA,sBAAmB;AAJR,SAAAA;AAAA,GAAA;AAOZ,MAAM,yBAAyB;AAAA,EAC9B,CAAC,iCAA2B,GAAG;AAAA,EAC/B,CAAC,uCAA8B,GAAG;AAAA,EAClC,CAAC,qCAA6B,GAAG;AAAA,EACjC,CAAC,yCAA+B,GAAG;AACpC;AAIA,MAAM,uBAAuB;AAAA,EAA7B;AAgGC,SAAQ,0BAA0B,OAAO,cAAyC;AACjF,2BAAO,MAAM,6CAA6C;AAC1D,YAAM,SAAS,aAAa,QAAQ,IAAI;AACxC,UAAI,QAAQ;AACX,cAAM,EAAE,sBAAsB,sBAAsB,IAAI,MAAM,OAC7D,iCACD;AAEA,YAAI,CAAC,wBAAwB,CAAC,uBAAuB;AACpD,gBAAM,IAAI;AAAA,YACT;AAAA,UACD;AAAA,QACD;AAEA,cAAM,SAAS,IAAI,qBAAqB;AAAA,UACvC,QAAQ,QAAQ,IAAI;AAAA,QACrB,CAAC;AACD,cAAM,UAAU,IAAI,sBAAsB,EAAE,UAAU,OAAO,CAAC;AAE9D,YAAI;AACH,+BAAO,MAAM,sCAAsC;AACnD,gBAAM,WAAW,MAAM,OAAO,KAAK,OAAO;AAC1C,gBAAMC,UAAS,KAAK,MAAM,SAAS,YAAsB;AACzD,+BAAO,MAAM,qCAAqC;AAElD,iBAAO;AAAA,YACN,MAAMA,QAAO;AAAA,YACb,MAAMA,QAAO;AAAA,YACb,MAAMA,QAAO;AAAA,YACb,UAAUA,QAAO;AAAA,YACjB,QAAQA,QAAO;AAAA,YACf,eAAe;AAAA,cACd,YAAY,EAAE,KAAK,KAAK;AAAA,YACzB;AAAA,UACD;AAAA,QACD,SAAS,OAAO;AACf,+BAAO,MAAM,4CAA4C;AACzD,gBAAM;AAAA,QACP;AAAA,MACD;AAEA,2BAAO,MAAM,qDAAqD;AAElE,aAAO;AAAA,QACN,MAAM,QAAQ,IAAI;AAAA,QAClB,MAAM,QAAQ,IAAI,gBAAgB,OAAO,QAAQ,IAAI,aAAa,IAAI;AAAA,QACtE,MAAM,QAAQ,IAAI;AAAA,QAClB,UAAU,QAAQ,IAAI;AAAA,QACtB,QAAQ,QAAQ,IAAI;AAAA,MACrB;AAAA,IACD;AAEA,SAAQ,oBAAoB,OAAO,sBAA4D;AAC9F,2BAAO,MAAM,uCAAuC;AAGpD,YAAM,WAAoB;AAAA,QACzB,MAAM;AAAA,QACN,MAAM;AAAA,QACN,QAAQ;AAAA,MACT;AAEA,YAAM,yBACL,OAAO,mBAAmB,mBAAmB,aAC1C,MAAM,kBAAkB,eAAe,IACvC,mBAAmB;AAGvB,YAAM,uBAAuB,MAAM,KAAK,wBAAwB,mBAAmB,SAAS;AAG5F,YAAM,kBAAkB,CAAC,QAAkB;AAC1C,YAAI,CAAC,IAAK,QAAO,CAAC;AAElB,mBAAW,OAAO,OAAO,KAAK,GAAG,GAA2B;AAC3D,cAAI,IAAI,GAAG,MAAM,OAAW,QAAO,IAAI,GAAG;AAAA,QAC3C;AAEA,eAAO;AAAA,MACR;AAGA,aAAO;AAAA,QACN,GAAG;AAAA,QACH,GAAG,gBAAgB,oBAAoB;AAAA,QACvC,GAAG,gBAAgB,sBAAsB;AAAA,MAC1C;AAAA,IACD;AAEA,SAAO,gBAAgB,CAAyB,eAC/C,KAAK,GAAG,cAAc,UAAU;AAEjC,SAAO,UAAU,OAAO,sBAA0C;AACjE,2BAAO,MAAM,6BAA6B;AAC1C,WAAK,oBAAoB;AAEzB,UAAI,KAAK,WAAW;AACnB,6BAAO,MAAM,sBAAsB;AACnC,eAAO,KAAK;AAAA,MACb;AAEA,2BAAO,MAAM,kBAAkB;AAC/B,2BAAO,MAAM,yBAAyB;AAEtC,YAAM,SAAS,MAAM,KAAK,kBAAkB,iBAAiB;AAE7D,2BAAO,MAAM,kBAAkB;AAE/B,2BAAO,MAAM,GAAG,OAAO,UAAU,MAAM,YAAY;AAGnD,YAAM,EAAE,UAAU,GAAG,KAAK,IAAI;AAC9B,2BAAO;AAAA,QACN,EAAE,kBAAkB,KAAK;AAAA,QACzB;AAAA,MACD;AAEA,YAAM,MAAM,MAAM,qBAAS,KAAK;AAAA,QAC/B,kBAAkB;AAAA;AAAA,QAClB,aAAa,mBAAmB,uBAAuB;AAAA,QACvD,sBAAsB;AAAA,QACtB,kBAAkB;AAAA,QAClB,WAAW;AAAA,UACV,0BAA0B;AAAA,UAC1B,sBAAsB;AAAA,UACtB,oBAAoB;AAAA,QACrB;AAAA,QACA,oBAAoB;AAAA;AAAA,QAGpB,MAAM;AAAA,UACL,KAAK;AAAA,UACL,KAAK;AAAA,QACN;AAAA,QACA,GAAG;AAAA,MACJ,CAAC;AAED,2BAAO,MAAM,EAAE,QAAQ,OAAO,QAAQ,MAAM,OAAO,KAAK,GAAG,8BAA8B;AACzF,YAAM,IAAI,QAAQ;AAElB,2BAAO,MAAM,oBAAoB;AACjC,WAAK,YAAY;AACjB,aAAO;AAAA,IACR;AAEA,SAAO,QAAQ,YAAY;AAC1B,2BAAO,MAAM,6BAA6B;AAE1C,YAAM,KAAK,IAAI,MAAM,IAAI;AACzB,aAAO,KAAK;AAAA,IACb;AAAA;AAAA,EAhPA,IAAW,MAAM;AAChB,QAAI,CAAC,KAAK,WAAW;AACpB,YAAM,QAAQ,IAAI,MAAM,+CAA+C;AACvE,2BAAO,MAAM,KAAK;AAClB,YAAM;AAAA,IACP;AAEA,WAAO,KAAK;AAAA,EACb;AAAA,EAEA,IAAW,KAAK;AACf,WAAO,KAAK,mBAAoB,KAAK,IAAI;AAAA,EAC1C;AAAA,EAEA,MAAa,cACZ,UACA,iBAAiC,uCAChC;AACD,yBAAO,MAAM,iCAAiC;AAE9C,QACC,KAAK,uCACL,uBAAuB,KAAK,mCAAmC,IAC9D,uBAAuB,cAAc,GACrC;AACD,YAAM,QAAQ,IAAI;AAAA,QACjB,8BAA8B,KAAK,mCAAmC,yBAAyB,cAAc;AAAA,MAC9G;AACA,2BAAO,MAAM,KAAK;AAClB,YAAM;AAAA,IACP;AAEA,QAAI,KAAK,iBAAiB;AAEzB,2BAAO;AAAA,QACN;AAAA,MACD;AAEA,aAAO,SAAS;AAAA,IACjB,OAAO;AAEN,2BAAO,MAAM,sBAAsB;AAEnC,aAAO,KAAK,GAAG,cAAc,OAAO,OAAO;AAC1C,aAAK,kBAAkB;AACvB,aAAK,sCAAsC;AAE3C,cAAM,SAAS,KAAK,GAAG,UAAU;AACjC,YAAI,OAAO,YAAY,SAAS,gBAAgB;AAC/C,+BAAO,MAAM,6CAA6C;AAAA,QAC3D,OAAO;AACN,gBAAM,GAAG,QAAQ,2CAA2C,cAAc,EAAE;AAAA,QAC7E;AAEA,YAAI;AACJ,YAAI;AACH,mBAAS,MAAM,SAAS;AAAA,QACzB,SAAS,OAAO;AACf,+BAAO,MAAM,OAAO,sBAAsB;AAC1C,gBAAM;AAAA,QACP,UAAE;AACD,iBAAO,KAAK;AACZ,iBAAO,KAAK;AAAA,QACb;AACA,eAAO;AAAA,MACR,CAAC;AAAA,IACF;AAAA,EACD;AAAA,EAEO,aAAa,MAAiB;AACpC,WAAO,YAAY;AAClB,UAAI;AACH,cAAM,KAAK,cAAc,YAAY;AACpC,gBAAM,KAAK;AACX,gBAAM,IAAI,MAAM,+BAA+B;AAAA,QAChD,GAAG,iCAA2B;AAAA,MAC/B,SAAS,OAAO;AAGf,YAAK,MAAgB,YAAY,iCAAiC;AACjE,gBAAM;AAAA,QACP;AAAA,MACD;AAAA,IACD;AAAA,EACD;AAAA,EAEA,IAAW,gBAAgB;AAC1B,WAAO,KAAK,GAAG,UAAU,EAAE,cAAc;AAAA,EAC1C;AAyJD;AAEA,MAAM,mBAAmB;AAAA,EAAzB;AACC,SAAQ,cAAc,oBAAI,IAAoC;AAC9D,SAAQ,qBAAqB,oBAAI,IAA6C;AAgB9E,SAAO,UAAU,CAAC,IAAY,sBAAyC;AACtE,UAAI,KAAK,YAAY,IAAI,EAAE,EAAG,QAAO,KAAK,YAAY,IAAI,EAAE;AAE5D,YAAM,UAAU,IAAI,QAAgC,CAAC,SAAS,WAAW;AACxE,cAAM,WAAW,IAAI,uBAAuB;AAC5C,iBACE,QAAQ,iBAAiB,EACzB,KAAK,MAAM;AACX,+BAAO,MAAM,uCAAuC,EAAE,IAAI;AAC1D,eAAK,YAAY,IAAI,IAAI,QAAQ;AACjC,kBAAQ,QAAQ;AAAA,QACjB,CAAC,EACA,MAAM,MAAM;AAAA,MACf,CAAC;AAED,WAAK,mBAAmB,IAAI,IAAI,OAAO;AAEvC,aAAO;AAAA,IACR;AAAA;AAAA,EAhCA,iBAAiB;AAChB,WAAO,MAAM,KAAK,KAAK,YAAY,OAAO,CAAC;AAAA,EAC5C;AAAA,EAEA,IAAI,UAAkC;AACrC,UAAM,CAAC,iBAAiB,IAAI,CAAC,GAAG,KAAK,WAAW;AAChD,QAAI,CAAC;AACJ,YAAM,IAAI;AAAA,QACT;AAAA,MACD;AACD,UAAM,CAAC,GAAG,kBAAkB,IAAI;AAChC,WAAO;AAAA,EACR;AAAA,EAsBO,SAAS,IAAY;AAC3B,WAAO,KAAK,YAAY,IAAI,EAAE;AAAA,EAC/B;AAAA,EAEO,kBAAkB,IAAY;AACpC,WAAO,KAAK,mBAAmB,IAAI,EAAE;AAAA,EACtC;AAAA,EAEA,MAAa,MAAM,IAAY;AAC9B,UAAM,WAAW,KAAK,SAAS,EAAE;AACjC,UAAM,UAAU,MAAM;AACtB,WAAO;AAAA,EACR;AACD;AACO,MAAM,oBAAoB,IAAI,mBAAmB;",
4
+ "sourcesContent": ["import './utils/change-tracker';\n\nimport {\n\tAnyEntity,\n\tConnection,\n\tEntityName,\n\tIDatabaseDriver,\n\tMikroORM,\n\tOptions,\n\tReflectMetadataProvider,\n} from '@mikro-orm/core';\nimport { logger, safeErrorLog } from '@exogee/logger';\n\nimport type { EntityManager as PgEntityManager, PostgreSqlDriver } from '@mikro-orm/postgresql';\nimport type { EntityManager as MyEntityManager, MySqlDriver } from '@mikro-orm/mysql';\nimport type { EntityManager as SqliteEntityManager, SqliteDriver } from '@mikro-orm/sqlite';\ntype EntityManager =\n\t| PgEntityManager<PostgreSqlDriver>\n\t| MyEntityManager<MySqlDriver>\n\t| SqliteEntityManager<SqliteDriver>;\n\nexport type DatabaseType = 'mssql' | 'mysql' | 'postgresql' | 'sqlite';\n\nexport interface ConnectionOptions {\n\tmikroOrmConfig?: Options | (() => Options | Promise<Options>);\n\tsecretArn?: string;\n\tconnectionManagerId?: string;\n}\n\nexport enum IsolationLevel {\n\tSERIALIZABLE = 'SERIALIZABLE',\n\tREPEATABLE_READ = 'REPEATABLE READ',\n\tREAD_COMMITTED = 'READ COMMITTED',\n\tREAD_UNCOMMITTED = 'READ UNCOMMITTED',\n}\n\nconst NumericIsolationLevels = {\n\t[IsolationLevel.SERIALIZABLE]: 4,\n\t[IsolationLevel.REPEATABLE_READ]: 3,\n\t[IsolationLevel.READ_COMMITTED]: 2,\n\t[IsolationLevel.READ_UNCOMMITTED]: 1,\n};\n\nexport type Database = typeof DatabaseImplementation.prototype;\n\nclass DatabaseImplementation {\n\tprivate cachedOrm?: MikroORM<IDatabaseDriver<Connection>>;\n\tprivate transactionalEm?: EntityManager;\n\tprivate transactionInProgressIsolationLevel?: IsolationLevel;\n\tprivate connectionOptions?: ConnectionOptions;\n\n\tpublic get orm() {\n\t\tif (!this.cachedOrm) {\n\t\t\tconst error = new Error('Tried to get the ORM before it was connected.');\n\t\t\tlogger.error(error);\n\t\t\tthrow error;\n\t\t}\n\n\t\treturn this.cachedOrm;\n\t}\n\n\tpublic get em() {\n\t\treturn this.transactionalEm || (this.orm.em as EntityManager);\n\t}\n\n\tpublic async transactional<T>(\n\t\tcallback: () => Promise<T>,\n\t\tisolationLevel: IsolationLevel = IsolationLevel.READ_COMMITTED\n\t) {\n\t\tlogger.trace('Database::transactional() enter');\n\n\t\tif (\n\t\t\tthis.transactionInProgressIsolationLevel &&\n\t\t\tNumericIsolationLevels[this.transactionInProgressIsolationLevel] <\n\t\t\t\tNumericIsolationLevels[isolationLevel]\n\t\t) {\n\t\t\tconst error = new Error(\n\t\t\t\t`Transaction in progress is ${this.transactionInProgressIsolationLevel} isolation level, but ${isolationLevel} was requested, which is more restrictive. Since we can't upgrade, this is an error.`\n\t\t\t);\n\t\t\tlogger.error(error);\n\t\t\tthrow error;\n\t\t}\n\n\t\tif (this.transactionalEm) {\n\t\t\t// Transaction is already in progress that is isolated enough. Run the callback without starting a new one.\n\t\t\tlogger.trace(\n\t\t\t\t'Transaction already in progress with sufficient isolation, proceeding without new transaction.'\n\t\t\t);\n\n\t\t\treturn callback();\n\t\t} else {\n\t\t\t// Ok, start a new one.\n\t\t\tlogger.trace('Starting transaction');\n\n\t\t\treturn this.em.transactional(async (em) => {\n\t\t\t\tthis.transactionalEm = em;\n\t\t\t\tthis.transactionInProgressIsolationLevel = isolationLevel;\n\n\t\t\t\tconst driver = this.em.getDriver();\n\t\t\t\tif (driver.constructor.name === 'SqliteDriver') {\n\t\t\t\t\tlogger.trace('All transactions in SQLite are SERIALIZABLE');\n\t\t\t\t} else {\n\t\t\t\t\tawait em.execute(`SET SESSION TRANSACTION ISOLATION LEVEL ${isolationLevel}`);\n\t\t\t\t}\n\n\t\t\t\tlet result: T;\n\t\t\t\ttry {\n\t\t\t\t\tresult = await callback();\n\t\t\t\t} catch (error) {\n\t\t\t\t\tsafeErrorLog(logger, error, 'Error in transaction');\n\t\t\t\t\tthrow error;\n\t\t\t\t} finally {\n\t\t\t\t\tdelete this.transactionalEm;\n\t\t\t\t\tdelete this.transactionInProgressIsolationLevel;\n\t\t\t\t}\n\t\t\t\treturn result;\n\t\t\t});\n\t\t}\n\t}\n\n\tpublic isolatedTest(test: () => any) {\n\t\treturn async () => {\n\t\t\ttry {\n\t\t\t\tawait this.transactional(async () => {\n\t\t\t\t\tawait test();\n\t\t\t\t\tthrow new Error('Rollback transaction for test');\n\t\t\t\t}, IsolationLevel.SERIALIZABLE);\n\t\t\t} catch (error) {\n\t\t\t\t// Only need to care if this isn't our rollback from above.\n\t\t\t\t// Otherwise just gobble it.\n\t\t\t\tif ((error as Error).message !== 'Rollback transaction for test') {\n\t\t\t\t\tthrow error;\n\t\t\t\t}\n\t\t\t}\n\t\t};\n\t}\n\n\tpublic get rawConnection() {\n\t\treturn this.em.getDriver().getConnection();\n\t}\n\n\tprivate getEnvironmentOverrides = async (secretArn?: string): Promise<Options> => {\n\t\tlogger.trace('Database::getEnvironmentOverrides() - Enter');\n\t\tconst secret = secretArn ?? process.env.DATABASE_SECRET_ARN;\n\t\tif (secret) {\n\t\t\tconst { SecretsManagerClient, GetSecretValueCommand } = await import(\n\t\t\t\t'@aws-sdk/client-secrets-manager'\n\t\t\t);\n\n\t\t\tif (!SecretsManagerClient || !GetSecretValueCommand) {\n\t\t\t\tthrow new Error(\n\t\t\t\t\t'SecretsManagerClient or GetSecretValueCommand not found but a secret ARN was provided. Is @aws-sdk/client-secrets-manager available?'\n\t\t\t\t);\n\t\t\t}\n\n\t\t\tconst client = new SecretsManagerClient({\n\t\t\t\tregion: process.env.AWS_REGION,\n\t\t\t});\n\t\t\tconst command = new GetSecretValueCommand({ SecretId: secret });\n\n\t\t\ttry {\n\t\t\t\tlogger.trace('Fetching secret from Secrets Manager');\n\t\t\t\tconst response = await client.send(command);\n\t\t\t\tconst secret = JSON.parse(response.SecretString as string);\n\t\t\t\tlogger.trace('Secret fetched from Secrets Manager');\n\n\t\t\t\treturn {\n\t\t\t\t\thost: secret.host,\n\t\t\t\t\tport: secret.port,\n\t\t\t\t\tuser: secret.username,\n\t\t\t\t\tpassword: secret.password,\n\t\t\t\t\tdbName: secret.dbname,\n\t\t\t\t\tdriverOptions: {\n\t\t\t\t\t\tconnection: { ssl: true },\n\t\t\t\t\t},\n\t\t\t\t};\n\t\t\t} catch (error) {\n\t\t\t\tlogger.error('Error fetching secret from Secrets Manager');\n\t\t\t\tthrow error;\n\t\t\t}\n\t\t}\n\n\t\tlogger.trace('No secret ARN provided, using environment variables');\n\n\t\treturn {\n\t\t\thost: process.env.DATABASE_HOST,\n\t\t\tport: process.env.DATABASE_PORT ? Number(process.env.DATABASE_PORT) : undefined,\n\t\t\tuser: process.env.DATABASE_USERNAME,\n\t\t\tpassword: process.env.DATABASE_PASSWORD,\n\t\t\tdbName: process.env.DATABASE_NAME,\n\t\t};\n\t};\n\n\tprivate getConnectionInfo = async (connectionOptions?: ConnectionOptions): Promise<Options> => {\n\t\tlogger.trace('Database::getConnectionInfo() - Enter');\n\n\t\t// We have some defaults\n\t\tconst defaults: Options = {\n\t\t\thost: 'localhost',\n\t\t\tport: 5432,\n\t\t\tdbName: 'graphweaver',\n\t\t};\n\n\t\tconst resolvedMikroOrmConfig =\n\t\t\ttypeof connectionOptions?.mikroOrmConfig === 'function'\n\t\t\t\t? await connectionOptions.mikroOrmConfig()\n\t\t\t\t: connectionOptions?.mikroOrmConfig;\n\n\t\t// And finally we can override all of this with environment variables if needed.\n\t\tconst environmentOverrides = await this.getEnvironmentOverrides(connectionOptions?.secretArn);\n\n\t\t// Create a function we can use to filter out undefined values in the object.\n\t\tconst filterUndefined = (obj?: Options) => {\n\t\t\tif (!obj) return {};\n\n\t\t\tfor (const key of Object.keys(obj) as Array<keyof Options>) {\n\t\t\t\tif (obj[key] === undefined) delete obj[key];\n\t\t\t}\n\n\t\t\treturn obj;\n\t\t};\n\n\t\t// Apply each in order so the correct value wins.\n\t\treturn {\n\t\t\t...defaults,\n\t\t\t...filterUndefined(environmentOverrides),\n\t\t\t...filterUndefined(resolvedMikroOrmConfig),\n\t\t};\n\t};\n\n\tpublic getRepository = <T extends AnyEntity<T>>(entityName: EntityName<T>) =>\n\t\tthis.em.getRepository(entityName);\n\n\tpublic connect = async (connectionOptions?: ConnectionOptions) => {\n\t\tlogger.trace('Database::connect() - Enter');\n\t\tthis.connectionOptions = connectionOptions;\n\n\t\tif (this.cachedOrm) {\n\t\t\tlogger.trace('Returning cached ORM');\n\t\t\treturn this.cachedOrm;\n\t\t}\n\n\t\tlogger.trace('Creating new ORM');\n\t\tlogger.trace('Getting connection info');\n\n\t\tconst params = await this.getConnectionInfo(connectionOptions);\n\n\t\tlogger.trace('Initialising ORM');\n\n\t\tlogger.trace(`${params.entities?.length}x entities`);\n\n\t\t// Log the params, obfuscating the password used for the connection if there is one.\n\t\tconst { password, ...rest } = params;\n\t\tlogger.info(\n\t\t\t{ connectionParams: rest },\n\t\t\t'Connecting to database using MikroORM. Note: connectionParams have password removed for security.'\n\t\t);\n\n\t\tconst orm = await MikroORM.init({\n\t\t\tvalidateRequired: false, // Since v5, new entities are validated on runtime (just before executing insert queries), based on the entity metadata\n\t\t\tcontextName: connectionOptions?.connectionManagerId ?? 'default',\n\t\t\timplicitTransactions: false,\n\t\t\tmetadataProvider: ReflectMetadataProvider,\n\t\t\tdiscovery: {\n\t\t\t\tdisableDynamicFileAccess: true,\n\t\t\t\trequireEntitiesArray: false,\n\t\t\t\twarnWhenNoEntities: false,\n\t\t\t},\n\t\t\tallowGlobalContext: true,\n\n\t\t\t// Ensure we only ever create one connection to the database.\n\t\t\tpool: {\n\t\t\t\tmin: 1,\n\t\t\t\tmax: 1,\n\t\t\t},\n\t\t\t...params,\n\t\t});\n\n\t\tlogger.trace({ dbName: params.dbName, host: params.host }, 'Creating database connection');\n\t\tawait orm.connect();\n\n\t\tlogger.trace('Caching connection');\n\t\tthis.cachedOrm = orm;\n\t\treturn orm;\n\t};\n\n\tpublic close = async () => {\n\t\tlogger.trace('Closing database connection');\n\n\t\tawait this.orm.close(true);\n\t\tdelete this.cachedOrm;\n\t};\n}\n\nclass ConnectionsManager {\n\tprivate connections = new Map<string, DatabaseImplementation>();\n\tprivate connectionPromises = new Map<string, Promise<DatabaseImplementation>>();\n\n\tgetConnections() {\n\t\treturn Array.from(this.connections.values());\n\t}\n\n\tget default(): DatabaseImplementation {\n\t\tconst [defaultConnection] = [...this.connections];\n\t\tif (!defaultConnection)\n\t\t\tthrow new Error(\n\t\t\t\t'Error: No database connections. There should be at least one database connection.'\n\t\t\t);\n\t\tconst [_, databaseConnection] = defaultConnection;\n\t\treturn databaseConnection;\n\t}\n\n\tpublic connect = (id: string, connectionOptions: ConnectionOptions) => {\n\t\tif (this.connections.has(id)) return this.connections.get(id);\n\n\t\tconst connect = new Promise<DatabaseImplementation>((resolve, reject) => {\n\t\t\tconst database = new DatabaseImplementation();\n\t\t\tdatabase\n\t\t\t\t.connect(connectionOptions)\n\t\t\t\t.then(() => {\n\t\t\t\t\tlogger.trace(`Saving database connection with id \"${id}\".`);\n\t\t\t\t\tthis.connections.set(id, database);\n\t\t\t\t\tresolve(database);\n\t\t\t\t})\n\t\t\t\t.catch(reject);\n\t\t});\n\n\t\tthis.connectionPromises.set(id, connect);\n\n\t\treturn connect;\n\t};\n\n\tpublic database(id: string) {\n\t\treturn this.connections.get(id);\n\t}\n\n\tpublic awaitableDatabase(id: string) {\n\t\treturn this.connectionPromises.get(id);\n\t}\n\n\tpublic async close(id: string) {\n\t\tconst database = this.database(id);\n\t\tawait database?.close();\n\t\treturn true;\n\t}\n}\nexport const ConnectionManager = new ConnectionsManager();\n"],
5
+ "mappings": ";;;;;;;;;;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,4BAAO;AAEP,kBAQO;AACP,oBAAqC;AAkB9B,IAAK,iBAAL,kBAAKA,oBAAL;AACN,EAAAA,gBAAA,kBAAe;AACf,EAAAA,gBAAA,qBAAkB;AAClB,EAAAA,gBAAA,oBAAiB;AACjB,EAAAA,gBAAA,sBAAmB;AAJR,SAAAA;AAAA,GAAA;AAOZ,MAAM,yBAAyB;AAAA,EAC9B,CAAC,iCAA2B,GAAG;AAAA,EAC/B,CAAC,uCAA8B,GAAG;AAAA,EAClC,CAAC,qCAA6B,GAAG;AAAA,EACjC,CAAC,yCAA+B,GAAG;AACpC;AAIA,MAAM,uBAAuB;AAAA,EAA7B;AAgGC,SAAQ,0BAA0B,OAAO,cAAyC;AACjF,2BAAO,MAAM,6CAA6C;AAC1D,YAAM,SAAS,aAAa,QAAQ,IAAI;AACxC,UAAI,QAAQ;AACX,cAAM,EAAE,sBAAsB,sBAAsB,IAAI,MAAM,OAC7D,iCACD;AAEA,YAAI,CAAC,wBAAwB,CAAC,uBAAuB;AACpD,gBAAM,IAAI;AAAA,YACT;AAAA,UACD;AAAA,QACD;AAEA,cAAM,SAAS,IAAI,qBAAqB;AAAA,UACvC,QAAQ,QAAQ,IAAI;AAAA,QACrB,CAAC;AACD,cAAM,UAAU,IAAI,sBAAsB,EAAE,UAAU,OAAO,CAAC;AAE9D,YAAI;AACH,+BAAO,MAAM,sCAAsC;AACnD,gBAAM,WAAW,MAAM,OAAO,KAAK,OAAO;AAC1C,gBAAMC,UAAS,KAAK,MAAM,SAAS,YAAsB;AACzD,+BAAO,MAAM,qCAAqC;AAElD,iBAAO;AAAA,YACN,MAAMA,QAAO;AAAA,YACb,MAAMA,QAAO;AAAA,YACb,MAAMA,QAAO;AAAA,YACb,UAAUA,QAAO;AAAA,YACjB,QAAQA,QAAO;AAAA,YACf,eAAe;AAAA,cACd,YAAY,EAAE,KAAK,KAAK;AAAA,YACzB;AAAA,UACD;AAAA,QACD,SAAS,OAAO;AACf,+BAAO,MAAM,4CAA4C;AACzD,gBAAM;AAAA,QACP;AAAA,MACD;AAEA,2BAAO,MAAM,qDAAqD;AAElE,aAAO;AAAA,QACN,MAAM,QAAQ,IAAI;AAAA,QAClB,MAAM,QAAQ,IAAI,gBAAgB,OAAO,QAAQ,IAAI,aAAa,IAAI;AAAA,QACtE,MAAM,QAAQ,IAAI;AAAA,QAClB,UAAU,QAAQ,IAAI;AAAA,QACtB,QAAQ,QAAQ,IAAI;AAAA,MACrB;AAAA,IACD;AAEA,SAAQ,oBAAoB,OAAO,sBAA4D;AAC9F,2BAAO,MAAM,uCAAuC;AAGpD,YAAM,WAAoB;AAAA,QACzB,MAAM;AAAA,QACN,MAAM;AAAA,QACN,QAAQ;AAAA,MACT;AAEA,YAAM,yBACL,OAAO,mBAAmB,mBAAmB,aAC1C,MAAM,kBAAkB,eAAe,IACvC,mBAAmB;AAGvB,YAAM,uBAAuB,MAAM,KAAK,wBAAwB,mBAAmB,SAAS;AAG5F,YAAM,kBAAkB,CAAC,QAAkB;AAC1C,YAAI,CAAC,IAAK,QAAO,CAAC;AAElB,mBAAW,OAAO,OAAO,KAAK,GAAG,GAA2B;AAC3D,cAAI,IAAI,GAAG,MAAM,OAAW,QAAO,IAAI,GAAG;AAAA,QAC3C;AAEA,eAAO;AAAA,MACR;AAGA,aAAO;AAAA,QACN,GAAG;AAAA,QACH,GAAG,gBAAgB,oBAAoB;AAAA,QACvC,GAAG,gBAAgB,sBAAsB;AAAA,MAC1C;AAAA,IACD;AAEA,SAAO,gBAAgB,CAAyB,eAC/C,KAAK,GAAG,cAAc,UAAU;AAEjC,SAAO,UAAU,OAAO,sBAA0C;AACjE,2BAAO,MAAM,6BAA6B;AAC1C,WAAK,oBAAoB;AAEzB,UAAI,KAAK,WAAW;AACnB,6BAAO,MAAM,sBAAsB;AACnC,eAAO,KAAK;AAAA,MACb;AAEA,2BAAO,MAAM,kBAAkB;AAC/B,2BAAO,MAAM,yBAAyB;AAEtC,YAAM,SAAS,MAAM,KAAK,kBAAkB,iBAAiB;AAE7D,2BAAO,MAAM,kBAAkB;AAE/B,2BAAO,MAAM,GAAG,OAAO,UAAU,MAAM,YAAY;AAGnD,YAAM,EAAE,UAAU,GAAG,KAAK,IAAI;AAC9B,2BAAO;AAAA,QACN,EAAE,kBAAkB,KAAK;AAAA,QACzB;AAAA,MACD;AAEA,YAAM,MAAM,MAAM,qBAAS,KAAK;AAAA,QAC/B,kBAAkB;AAAA;AAAA,QAClB,aAAa,mBAAmB,uBAAuB;AAAA,QACvD,sBAAsB;AAAA,QACtB,kBAAkB;AAAA,QAClB,WAAW;AAAA,UACV,0BAA0B;AAAA,UAC1B,sBAAsB;AAAA,UACtB,oBAAoB;AAAA,QACrB;AAAA,QACA,oBAAoB;AAAA;AAAA,QAGpB,MAAM;AAAA,UACL,KAAK;AAAA,UACL,KAAK;AAAA,QACN;AAAA,QACA,GAAG;AAAA,MACJ,CAAC;AAED,2BAAO,MAAM,EAAE,QAAQ,OAAO,QAAQ,MAAM,OAAO,KAAK,GAAG,8BAA8B;AACzF,YAAM,IAAI,QAAQ;AAElB,2BAAO,MAAM,oBAAoB;AACjC,WAAK,YAAY;AACjB,aAAO;AAAA,IACR;AAEA,SAAO,QAAQ,YAAY;AAC1B,2BAAO,MAAM,6BAA6B;AAE1C,YAAM,KAAK,IAAI,MAAM,IAAI;AACzB,aAAO,KAAK;AAAA,IACb;AAAA;AAAA,EAhPA,IAAW,MAAM;AAChB,QAAI,CAAC,KAAK,WAAW;AACpB,YAAM,QAAQ,IAAI,MAAM,+CAA+C;AACvE,2BAAO,MAAM,KAAK;AAClB,YAAM;AAAA,IACP;AAEA,WAAO,KAAK;AAAA,EACb;AAAA,EAEA,IAAW,KAAK;AACf,WAAO,KAAK,mBAAoB,KAAK,IAAI;AAAA,EAC1C;AAAA,EAEA,MAAa,cACZ,UACA,iBAAiC,uCAChC;AACD,yBAAO,MAAM,iCAAiC;AAE9C,QACC,KAAK,uCACL,uBAAuB,KAAK,mCAAmC,IAC9D,uBAAuB,cAAc,GACrC;AACD,YAAM,QAAQ,IAAI;AAAA,QACjB,8BAA8B,KAAK,mCAAmC,yBAAyB,cAAc;AAAA,MAC9G;AACA,2BAAO,MAAM,KAAK;AAClB,YAAM;AAAA,IACP;AAEA,QAAI,KAAK,iBAAiB;AAEzB,2BAAO;AAAA,QACN;AAAA,MACD;AAEA,aAAO,SAAS;AAAA,IACjB,OAAO;AAEN,2BAAO,MAAM,sBAAsB;AAEnC,aAAO,KAAK,GAAG,cAAc,OAAO,OAAO;AAC1C,aAAK,kBAAkB;AACvB,aAAK,sCAAsC;AAE3C,cAAM,SAAS,KAAK,GAAG,UAAU;AACjC,YAAI,OAAO,YAAY,SAAS,gBAAgB;AAC/C,+BAAO,MAAM,6CAA6C;AAAA,QAC3D,OAAO;AACN,gBAAM,GAAG,QAAQ,2CAA2C,cAAc,EAAE;AAAA,QAC7E;AAEA,YAAI;AACJ,YAAI;AACH,mBAAS,MAAM,SAAS;AAAA,QACzB,SAAS,OAAO;AACf,0CAAa,sBAAQ,OAAO,sBAAsB;AAClD,gBAAM;AAAA,QACP,UAAE;AACD,iBAAO,KAAK;AACZ,iBAAO,KAAK;AAAA,QACb;AACA,eAAO;AAAA,MACR,CAAC;AAAA,IACF;AAAA,EACD;AAAA,EAEO,aAAa,MAAiB;AACpC,WAAO,YAAY;AAClB,UAAI;AACH,cAAM,KAAK,cAAc,YAAY;AACpC,gBAAM,KAAK;AACX,gBAAM,IAAI,MAAM,+BAA+B;AAAA,QAChD,GAAG,iCAA2B;AAAA,MAC/B,SAAS,OAAO;AAGf,YAAK,MAAgB,YAAY,iCAAiC;AACjE,gBAAM;AAAA,QACP;AAAA,MACD;AAAA,IACD;AAAA,EACD;AAAA,EAEA,IAAW,gBAAgB;AAC1B,WAAO,KAAK,GAAG,UAAU,EAAE,cAAc;AAAA,EAC1C;AAyJD;AAEA,MAAM,mBAAmB;AAAA,EAAzB;AACC,SAAQ,cAAc,oBAAI,IAAoC;AAC9D,SAAQ,qBAAqB,oBAAI,IAA6C;AAgB9E,SAAO,UAAU,CAAC,IAAY,sBAAyC;AACtE,UAAI,KAAK,YAAY,IAAI,EAAE,EAAG,QAAO,KAAK,YAAY,IAAI,EAAE;AAE5D,YAAM,UAAU,IAAI,QAAgC,CAAC,SAAS,WAAW;AACxE,cAAM,WAAW,IAAI,uBAAuB;AAC5C,iBACE,QAAQ,iBAAiB,EACzB,KAAK,MAAM;AACX,+BAAO,MAAM,uCAAuC,EAAE,IAAI;AAC1D,eAAK,YAAY,IAAI,IAAI,QAAQ;AACjC,kBAAQ,QAAQ;AAAA,QACjB,CAAC,EACA,MAAM,MAAM;AAAA,MACf,CAAC;AAED,WAAK,mBAAmB,IAAI,IAAI,OAAO;AAEvC,aAAO;AAAA,IACR;AAAA;AAAA,EAhCA,iBAAiB;AAChB,WAAO,MAAM,KAAK,KAAK,YAAY,OAAO,CAAC;AAAA,EAC5C;AAAA,EAEA,IAAI,UAAkC;AACrC,UAAM,CAAC,iBAAiB,IAAI,CAAC,GAAG,KAAK,WAAW;AAChD,QAAI,CAAC;AACJ,YAAM,IAAI;AAAA,QACT;AAAA,MACD;AACD,UAAM,CAAC,GAAG,kBAAkB,IAAI;AAChC,WAAO;AAAA,EACR;AAAA,EAsBO,SAAS,IAAY;AAC3B,WAAO,KAAK,YAAY,IAAI,EAAE;AAAA,EAC/B;AAAA,EAEO,kBAAkB,IAAY;AACpC,WAAO,KAAK,mBAAmB,IAAI,EAAE;AAAA,EACtC;AAAA,EAEA,MAAa,MAAM,IAAY;AAC9B,UAAM,WAAW,KAAK,SAAS,EAAE;AACjC,UAAM,UAAU,MAAM;AACtB,WAAO;AAAA,EACR;AACD;AACO,MAAM,oBAAoB,IAAI,mBAAmB;",
6
6
  "names": ["IsolationLevel", "secret"]
7
7
  }
@@ -224,7 +224,7 @@ ${file}`;
224
224
  return [];
225
225
  }
226
226
  getCommonDecoratorOptions(options, prop) {
227
- if (prop.nullable && !prop.mappedBy) {
227
+ if (prop.nullable && !prop.mappedBy || prop.mappedBy && prop.kind === import_core.ReferenceKind.ONE_TO_ONE) {
228
228
  options.nullable = true;
229
229
  }
230
230
  if (prop.default == null) {
@@ -1,7 +1,7 @@
1
1
  {
2
2
  "version": 3,
3
3
  "sources": ["../../../src/introspection/files/data-entity-file.ts"],
4
- "sourcesContent": ["// This file is a modified version of source from MikroORM, located here:\n// https://github.com/mikro-orm/mikro-orm/blob/6ba3d4004deef00b754a4ca2011cf64e44a4a3a3/packages/entity-generator/src/SourceFile.ts\n//\n// MIT License\n//\n// Copyright (c) 2018 Martin Ad\u00E1mek\n//\n// Permission is hereby granted, free of charge, to any person obtaining a copy\n// of this software and associated documentation files (the \"Software\"), to deal\n// in the Software without restriction, including without limitation the rights\n// to use, copy, modify, merge, publish, distribute, sublicense, and/or sell\n// copies of the Software, and to permit persons to whom the Software is\n// furnished to do so, subject to the following conditions:\n//\n// The above copyright notice and this permission notice shall be included in all\n// copies or substantial portions of the Software.\n//\n// THE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR\n// IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,\n// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE\n// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER\n// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,\n// OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE\n// SOFTWARE.\n\nimport type {\n\tDictionary,\n\tEntityMetadata,\n\tEntityOptions,\n\tEntityProperty,\n\tNamingStrategy,\n\tPlatform,\n} from '@mikro-orm/core';\nimport { BigIntType, ReferenceKind, UnknownType, Utils } from '@mikro-orm/core';\nimport { DatabaseType } from '../../database';\nimport { identifierForEnumValue, pascalToKebabCaseString } from '../utils';\nimport { BaseFile } from './base-file';\nimport { isEntityWithSinglePrimaryKey } from '../generate';\n\nexport class DataEntityFile extends BaseFile {\n\tprotected readonly coreImports = new Set<string>();\n\tprotected readonly entityImports = new Set<string>();\n\n\tconstructor(\n\t\tprotected readonly meta: EntityMetadata,\n\t\tprotected readonly namingStrategy: NamingStrategy,\n\t\tprotected readonly platform: Platform,\n\t\tprotected readonly databaseType: DatabaseType,\n\t\tprotected readonly entityLookup: Map<string, EntityMetadata<any>>\n\t) {\n\t\tsuper(meta, namingStrategy, platform);\n\t}\n\n\tgetBasePath() {\n\t\treturn `backend/entities/${this.databaseType}/`;\n\t}\n\n\tgetBaseName() {\n\t\tconst fileName = pascalToKebabCaseString(this.meta.className);\n\t\treturn `${fileName}.ts`;\n\t}\n\n\tgenerate(): string {\n\t\tconst enumDefinitions: string[] = [];\n\t\tlet classBody = '';\n\t\tconst generatedPropertyNames = new Set<string>();\n\t\tconst props = Object.values(this.meta.properties);\n\t\tprops.forEach((prop) => {\n\t\t\tif (generatedPropertyNames.has(prop.name)) {\n\t\t\t\t// We just gobble this property. It's a duplicate, but the Schema Entity File will complain about it,\n\t\t\t\t// and we can leave that other file as the source of truth for moaning.\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// We're going to just skip any relationships to entities that don't have a single primary key.\n\t\t\t// This is a limitation of the current implementation, but we'll fix it in the future.\n\t\t\tconst relatedEntity = this.entityLookup.get(prop.type);\n\t\t\tif (relatedEntity && !isEntityWithSinglePrimaryKey(relatedEntity)) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tgeneratedPropertyNames.add(prop.name);\n\n\t\t\tconst decorator = this.getPropertyDecorator(prop);\n\t\t\tconst definition = this.getPropertyDefinition(prop);\n\n\t\t\tif (!classBody.endsWith('\\n\\n')) {\n\t\t\t\tclassBody += '\\n';\n\t\t\t}\n\n\t\t\tclassBody += decorator;\n\t\t\tclassBody += definition;\n\n\t\t\tif (props[props.length - 1] !== prop) classBody += '\\n';\n\n\t\t\tif (prop.enum) {\n\t\t\t\tconst enumClassName = this.namingStrategy.getClassName(\n\t\t\t\t\tthis.meta.collection + '_' + prop.fieldNames[0],\n\t\t\t\t\t'_'\n\t\t\t\t);\n\t\t\t\tenumDefinitions.push(this.getEnumClassDefinition(enumClassName, prop.items as string[]));\n\t\t\t}\n\t\t});\n\n\t\tlet file = ``;\n\n\t\tthis.coreImports.add('Entity');\n\t\tconst imports = [\n\t\t\t`import { ${[...this.coreImports].sort().join(', ')} } from '@mikro-orm/core';`,\n\t\t];\n\t\tconst entityImports = [...this.entityImports].filter((e) => e !== this.meta.className);\n\t\tentityImports.sort().forEach((entity) => {\n\t\t\timports.push(`import { ${entity} } from './${pascalToKebabCaseString(entity)}';`);\n\t\t});\n\n\t\tif (enumDefinitions.length) {\n\t\t\tfile += enumDefinitions.join('\\n');\n\t\t\tfile += '\\n';\n\t\t}\n\n\t\tfile += `@Entity(${this.getCollectionDecl()})\\n`;\n\t\tfile += `export class ${this.meta.className} {`;\n\n\t\tfile += `${classBody}}\\n`;\n\n\t\tfile = `${imports.join('\\n')}\\n\\n${file}`;\n\n\t\treturn file;\n\t}\n\n\tprotected getPropertyType(prop: EntityProperty): string {\n\t\tif ([ReferenceKind.ONE_TO_ONE, ReferenceKind.MANY_TO_ONE].includes(prop.kind)) {\n\t\t\treturn prop.type.charAt(0).toUpperCase() + prop.type.slice(1);\n\t\t}\n\n\t\tconst columnType = prop.columnTypes?.[0]?.toLowerCase();\n\n\t\tif (['jsonb', 'json', 'any'].includes(columnType)) {\n\t\t\treturn `Record<string, unknown>`;\n\t\t}\n\n\t\t// Mikro doesn't infer column types for some columns very well. We can augment.\n\t\tif (prop.type === 'unknown') {\n\t\t\tif (columnType?.startsWith('nvarchar(') || columnType?.startsWith('varchar(')) {\n\t\t\t\treturn 'string';\n\t\t\t}\n\t\t}\n\n\t\tif (prop.type === 'bigint') {\n\t\t\treturn 'string';\n\t\t}\n\n\t\treturn prop.runtimeType;\n\t}\n\n\tprotected getPropertyDefinition(prop: EntityProperty): string {\n\t\tconst padding = '\\t';\n\n\t\tif ([ReferenceKind.ONE_TO_MANY, ReferenceKind.MANY_TO_MANY].includes(prop.kind)) {\n\t\t\tthis.coreImports.add('Collection');\n\t\t\tthis.entityImports.add(prop.type);\n\t\t\treturn `${padding}${prop.name} = new Collection<${prop.type}>(this);\\n`;\n\t\t}\n\n\t\t// string defaults are usually things like SQL functions, but can be also enums, for that `useDefault` should be true\n\t\tconst isEnumOrNonStringDefault = prop.enum || typeof prop.default !== 'string';\n\t\tconst useDefault = prop.default != null && isEnumOrNonStringDefault;\n\t\tconst optional = prop.nullable ? '?' : useDefault ? '' : '!';\n\n\t\tif (prop.ref) {\n\t\t\tthis.coreImports.add('Ref');\n\t\t\tthis.entityImports.add(prop.type);\n\t\t\treturn `${padding}${prop.name}${optional}: Ref<${prop.type}>;\\n`;\n\t\t}\n\n\t\tconst file = `${prop.name}${optional}: ${this.getPropertyType(prop)}`;\n\n\t\tif (!useDefault) {\n\t\t\treturn `${padding + file};\\n`;\n\t\t}\n\n\t\tif (prop.enum && typeof prop.default === 'string') {\n\t\t\treturn `${padding}${file} = ${prop.runtimeType}.${identifierForEnumValue(prop.default)};\\n`;\n\t\t}\n\n\t\t// The JSON.stringify here is for escaping things that can break JS if unescaped.\n\t\treturn `${padding}${prop.name} = ${JSON.stringify(prop.default)};\\n`;\n\t}\n\n\tprotected getEnumClassDefinition(enumClassName: string, enumValues: string[]): string {\n\t\tconst padding = '\\t';\n\t\tlet file = `export enum ${enumClassName} {\\n`;\n\n\t\tfor (const enumValue of enumValues) {\n\t\t\tfile += `${padding}${identifierForEnumValue(enumValue)} = '${enumValue}',\\n`;\n\t\t}\n\n\t\tfile += '}\\n';\n\n\t\treturn file;\n\t}\n\n\tprivate getCollectionDecl() {\n\t\tconst options: EntityOptions<unknown> = {};\n\n\t\toptions.tableName = this.quote(this.meta.collection);\n\n\t\tif (this.meta.schema && this.meta.schema !== this.platform.getDefaultSchemaName()) {\n\t\t\toptions.schema = this.quote(this.meta.schema);\n\t\t}\n\n\t\tif (!Utils.hasObjectKeys(options)) {\n\t\t\treturn '';\n\t\t}\n\n\t\treturn `{ ${Object.entries(options)\n\t\t\t.map(([opt, val]) => `${opt}: ${val}`)\n\t\t\t.join(', ')} }`;\n\t}\n\n\tprivate getPropertyDecorator(prop: EntityProperty): string {\n\t\tconst padding = '\\t';\n\t\tconst options = {} as Dictionary;\n\t\tlet decorator = this.getDecoratorType(prop);\n\t\tthis.coreImports.add(decorator.substring(1));\n\n\t\tif (prop.kind === ReferenceKind.MANY_TO_MANY) {\n\t\t\tthis.getManyToManyDecoratorOptions(options, prop);\n\t\t} else if (prop.kind === ReferenceKind.ONE_TO_MANY) {\n\t\t\tthis.getOneToManyDecoratorOptions(options, prop);\n\t\t} else if (prop.kind !== ReferenceKind.SCALAR) {\n\t\t\tthis.getForeignKeyDecoratorOptions(options, prop);\n\t\t} else {\n\t\t\tthis.getScalarPropertyDecoratorOptions(options, prop);\n\t\t}\n\n\t\tif (prop.enum) {\n\t\t\toptions.items = `() => ${prop.runtimeType}`;\n\t\t}\n\n\t\tthis.getCommonDecoratorOptions(options, prop);\n\t\tconst indexes = this.getPropertyIndexes(prop, options);\n\t\tdecorator = [...indexes.sort(), decorator].map((d) => padding + d).join('\\n');\n\n\t\tif (!Utils.hasObjectKeys(options)) {\n\t\t\treturn `${decorator}()\\n`;\n\t\t}\n\n\t\treturn `${decorator}({ ${Object.entries(options)\n\t\t\t.map(([opt, val]) => `${opt}: ${val}`)\n\t\t\t.join(', ')} })\\n`;\n\t}\n\n\tprotected getPropertyIndexes(prop: EntityProperty, options: Dictionary): string[] {\n\t\tif (prop.kind === ReferenceKind.SCALAR) {\n\t\t\tconst ret: string[] = [];\n\n\t\t\tif (prop.index) {\n\t\t\t\tthis.coreImports.add('Index');\n\t\t\t\tret.push(`@Index({ name: '${prop.index}' })`);\n\t\t\t}\n\n\t\t\tif (prop.unique) {\n\t\t\t\tthis.coreImports.add('Unique');\n\t\t\t\tret.push(`@Unique({ name: '${prop.unique}' })`);\n\t\t\t}\n\n\t\t\treturn ret;\n\t\t}\n\n\t\tconst processIndex = (type: 'index' | 'unique') => {\n\t\t\tif (!prop[type]) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tconst defaultName = this.platform.getIndexName(this.meta.collection, prop.fieldNames, type);\n\t\t\toptions[type] = defaultName === prop[type] ? 'true' : `'${prop[type]}'`;\n\t\t\tconst expected = {\n\t\t\t\tindex: this.platform.indexForeignKeys(),\n\t\t\t\tunique: prop.kind === ReferenceKind.ONE_TO_ONE,\n\t\t\t};\n\n\t\t\tif (expected[type] && options[type] === 'true') {\n\t\t\t\tdelete options[type];\n\t\t\t}\n\t\t};\n\n\t\tprocessIndex('index');\n\t\tprocessIndex('unique');\n\n\t\treturn [];\n\t}\n\n\tprotected getCommonDecoratorOptions(options: Dictionary, prop: EntityProperty): void {\n\t\tif (prop.nullable && !prop.mappedBy) {\n\t\t\toptions.nullable = true;\n\t\t}\n\n\t\tif (prop.default == null) {\n\t\t\treturn;\n\t\t}\n\n\t\tif (typeof prop.default !== 'string') {\n\t\t\toptions.default = prop.default;\n\t\t\treturn;\n\t\t}\n\n\t\tif ([`''`, ''].includes(prop.default)) {\n\t\t\toptions.default = `''`;\n\t\t} else if (prop.defaultRaw === this.quote(prop.default)) {\n\t\t\toptions.default = JSON.stringify(this.quote(prop.default)).slice(1, -1);\n\t\t} else {\n\t\t\toptions.defaultRaw = `\\`${JSON.stringify(prop.default).slice(1, -1)}\\``;\n\t\t}\n\t}\n\n\tprotected getScalarPropertyDecoratorOptions(options: Dictionary, prop: EntityProperty): void {\n\t\tlet t = prop.type.toLowerCase();\n\n\t\tif (t === 'date') {\n\t\t\tt = 'datetime';\n\t\t}\n\n\t\tif (prop.fieldNames[0] !== this.namingStrategy.propertyToColumnName(prop.name)) {\n\t\t\toptions.fieldName = `'${prop.fieldNames[0]}'`;\n\t\t}\n\n\t\t// for enum properties, we don't need a column type or the property length\n\t\t// in the decorator so return early.\n\t\tif (prop.enum) {\n\t\t\toptions.type = this.quote('string');\n\t\t\treturn;\n\t\t}\n\n\t\tconst mappedType1 = this.platform.getMappedType(t);\n\t\tconst mappedType2 = this.platform.getMappedType(prop.columnTypes[0]);\n\t\tconst columnType1 = mappedType1.getColumnType({ ...prop, autoincrement: false }, this.platform);\n\t\tconst columnType2 = mappedType2.getColumnType({ ...prop, autoincrement: false }, this.platform);\n\n\t\tif (\n\t\t\tcolumnType1 !== columnType2 ||\n\t\t\t[mappedType1, mappedType2].some((t) => t instanceof UnknownType)\n\t\t) {\n\t\t\toptions.type = this.quote(prop.columnTypes[0]);\n\t\t} else {\n\t\t\t// Special case for when prop.type is BigIntType\n\t\t\tif (mappedType1 instanceof BigIntType) {\n\t\t\t\tthis.coreImports.add('BigIntType');\n\t\t\t\toptions.type = \"new BigIntType('string')\";\n\t\t\t} else {\n\t\t\t\toptions.type = this.quote(prop.type);\n\t\t\t}\n\t\t}\n\n\t\tif (prop.length) {\n\t\t\toptions.length = prop.length;\n\t\t}\n\t}\n\n\tprotected getManyToManyDecoratorOptions(options: Dictionary, prop: EntityProperty) {\n\t\tthis.entityImports.add(prop.type);\n\t\toptions.entity = `() => ${prop.type}`;\n\n\t\tif (prop.mappedBy) {\n\t\t\toptions.mappedBy = this.quote(prop.mappedBy);\n\t\t\treturn;\n\t\t}\n\n\t\tif (\n\t\t\tprop.pivotTable !==\n\t\t\tthis.namingStrategy.joinTableName(this.meta.collection, prop.type, prop.name)\n\t\t) {\n\t\t\toptions.pivotTable = this.quote(prop.pivotTable);\n\t\t}\n\n\t\tif (prop.joinColumns.length === 1) {\n\t\t\toptions.joinColumn = this.quote(prop.joinColumns[0]);\n\t\t} else {\n\t\t\toptions.joinColumns = `[${prop.joinColumns.map(this.quote).join(', ')}]`;\n\t\t}\n\n\t\tif (prop.inverseJoinColumns.length === 1) {\n\t\t\toptions.inverseJoinColumn = this.quote(prop.inverseJoinColumns[0]);\n\t\t} else {\n\t\t\toptions.inverseJoinColumns = `[${prop.inverseJoinColumns.map(this.quote).join(', ')}]`;\n\t\t}\n\t}\n\n\tprotected getOneToManyDecoratorOptions(options: Dictionary, prop: EntityProperty) {\n\t\tthis.entityImports.add(prop.type);\n\t\toptions.entity = `() => ${prop.type}`;\n\t\toptions.mappedBy = this.quote(prop.mappedBy);\n\t}\n\n\tprotected getForeignKeyDecoratorOptions(options: Dictionary, prop: EntityProperty) {\n\t\tthis.entityImports.add(prop.type);\n\t\toptions.entity = `() => ${prop.type}`;\n\n\t\tif (prop.ref) {\n\t\t\toptions.ref = true;\n\t\t}\n\n\t\tif (prop.mappedBy) {\n\t\t\toptions.mappedBy = this.quote(prop.mappedBy);\n\t\t\treturn;\n\t\t}\n\n\t\tif (\n\t\t\tprop.fieldNames[0] !==\n\t\t\tthis.namingStrategy.joinKeyColumnName(prop.name, prop.referencedColumnNames[0])\n\t\t) {\n\t\t\toptions.fieldName = this.quote(prop.fieldNames[0]);\n\t\t}\n\n\t\tif (prop.primary) {\n\t\t\toptions.primary = true;\n\t\t}\n\t}\n\n\tprotected getDecoratorType(prop: EntityProperty): string {\n\t\tif (prop.kind === ReferenceKind.ONE_TO_ONE) {\n\t\t\treturn '@OneToOne';\n\t\t}\n\n\t\tif (prop.kind === ReferenceKind.MANY_TO_ONE) {\n\t\t\treturn '@ManyToOne';\n\t\t}\n\n\t\tif (prop.kind === ReferenceKind.ONE_TO_MANY) {\n\t\t\treturn '@OneToMany';\n\t\t}\n\n\t\tif (prop.kind === ReferenceKind.MANY_TO_MANY) {\n\t\t\treturn '@ManyToMany';\n\t\t}\n\n\t\tif (prop.primary) {\n\t\t\treturn '@PrimaryKey';\n\t\t}\n\n\t\tif (prop.enum) {\n\t\t\treturn '@Enum';\n\t\t}\n\n\t\treturn '@Property';\n\t}\n}\n"],
5
- "mappings": ";;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAiCA,kBAA8D;AAE9D,mBAAgE;AAChE,uBAAyB;AACzB,sBAA6C;AAEtC,MAAM,uBAAuB,0BAAS;AAAA,EAI5C,YACoB,MACA,gBACA,UACA,cACA,cAClB;AACD,UAAM,MAAM,gBAAgB,QAAQ;AANjB;AACA;AACA;AACA;AACA;AARpB,SAAmB,cAAc,oBAAI,IAAY;AACjD,SAAmB,gBAAgB,oBAAI,IAAY;AAAA,EAUnD;AAAA,EAEA,cAAc;AACb,WAAO,oBAAoB,KAAK,YAAY;AAAA,EAC7C;AAAA,EAEA,cAAc;AACb,UAAM,eAAW,sCAAwB,KAAK,KAAK,SAAS;AAC5D,WAAO,GAAG,QAAQ;AAAA,EACnB;AAAA,EAEA,WAAmB;AAClB,UAAM,kBAA4B,CAAC;AACnC,QAAI,YAAY;AAChB,UAAM,yBAAyB,oBAAI,IAAY;AAC/C,UAAM,QAAQ,OAAO,OAAO,KAAK,KAAK,UAAU;AAChD,UAAM,QAAQ,CAAC,SAAS;AACvB,UAAI,uBAAuB,IAAI,KAAK,IAAI,GAAG;AAG1C;AAAA,MACD;AAIA,YAAM,gBAAgB,KAAK,aAAa,IAAI,KAAK,IAAI;AACrD,UAAI,iBAAiB,KAAC,8CAA6B,aAAa,GAAG;AAClE;AAAA,MACD;AAEA,6BAAuB,IAAI,KAAK,IAAI;AAEpC,YAAM,YAAY,KAAK,qBAAqB,IAAI;AAChD,YAAM,aAAa,KAAK,sBAAsB,IAAI;AAElD,UAAI,CAAC,UAAU,SAAS,MAAM,GAAG;AAChC,qBAAa;AAAA,MACd;AAEA,mBAAa;AACb,mBAAa;AAEb,UAAI,MAAM,MAAM,SAAS,CAAC,MAAM,KAAM,cAAa;AAEnD,UAAI,KAAK,MAAM;AACd,cAAM,gBAAgB,KAAK,eAAe;AAAA,UACzC,KAAK,KAAK,aAAa,MAAM,KAAK,WAAW,CAAC;AAAA,UAC9C;AAAA,QACD;AACA,wBAAgB,KAAK,KAAK,uBAAuB,eAAe,KAAK,KAAiB,CAAC;AAAA,MACxF;AAAA,IACD,CAAC;AAED,QAAI,OAAO;AAEX,SAAK,YAAY,IAAI,QAAQ;AAC7B,UAAM,UAAU;AAAA,MACf,YAAY,CAAC,GAAG,KAAK,WAAW,EAAE,KAAK,EAAE,KAAK,IAAI,CAAC;AAAA,IACpD;AACA,UAAM,gBAAgB,CAAC,GAAG,KAAK,aAAa,EAAE,OAAO,CAAC,MAAM,MAAM,KAAK,KAAK,SAAS;AACrF,kBAAc,KAAK,EAAE,QAAQ,CAAC,WAAW;AACxC,cAAQ,KAAK,YAAY,MAAM,kBAAc,sCAAwB,MAAM,CAAC,IAAI;AAAA,IACjF,CAAC;AAED,QAAI,gBAAgB,QAAQ;AAC3B,cAAQ,gBAAgB,KAAK,IAAI;AACjC,cAAQ;AAAA,IACT;AAEA,YAAQ,WAAW,KAAK,kBAAkB,CAAC;AAAA;AAC3C,YAAQ,gBAAgB,KAAK,KAAK,SAAS;AAE3C,YAAQ,GAAG,SAAS;AAAA;AAEpB,WAAO,GAAG,QAAQ,KAAK,IAAI,CAAC;AAAA;AAAA,EAAO,IAAI;AAEvC,WAAO;AAAA,EACR;AAAA,EAEU,gBAAgB,MAA8B;AACvD,QAAI,CAAC,0BAAc,YAAY,0BAAc,WAAW,EAAE,SAAS,KAAK,IAAI,GAAG;AAC9E,aAAO,KAAK,KAAK,OAAO,CAAC,EAAE,YAAY,IAAI,KAAK,KAAK,MAAM,CAAC;AAAA,IAC7D;AAEA,UAAM,aAAa,KAAK,cAAc,CAAC,GAAG,YAAY;AAEtD,QAAI,CAAC,SAAS,QAAQ,KAAK,EAAE,SAAS,UAAU,GAAG;AAClD,aAAO;AAAA,IACR;AAGA,QAAI,KAAK,SAAS,WAAW;AAC5B,UAAI,YAAY,WAAW,WAAW,KAAK,YAAY,WAAW,UAAU,GAAG;AAC9E,eAAO;AAAA,MACR;AAAA,IACD;AAEA,QAAI,KAAK,SAAS,UAAU;AAC3B,aAAO;AAAA,IACR;AAEA,WAAO,KAAK;AAAA,EACb;AAAA,EAEU,sBAAsB,MAA8B;AAC7D,UAAM,UAAU;AAEhB,QAAI,CAAC,0BAAc,aAAa,0BAAc,YAAY,EAAE,SAAS,KAAK,IAAI,GAAG;AAChF,WAAK,YAAY,IAAI,YAAY;AACjC,WAAK,cAAc,IAAI,KAAK,IAAI;AAChC,aAAO,GAAG,OAAO,GAAG,KAAK,IAAI,qBAAqB,KAAK,IAAI;AAAA;AAAA,IAC5D;AAGA,UAAM,2BAA2B,KAAK,QAAQ,OAAO,KAAK,YAAY;AACtE,UAAM,aAAa,KAAK,WAAW,QAAQ;AAC3C,UAAM,WAAW,KAAK,WAAW,MAAM,aAAa,KAAK;AAEzD,QAAI,KAAK,KAAK;AACb,WAAK,YAAY,IAAI,KAAK;AAC1B,WAAK,cAAc,IAAI,KAAK,IAAI;AAChC,aAAO,GAAG,OAAO,GAAG,KAAK,IAAI,GAAG,QAAQ,SAAS,KAAK,IAAI;AAAA;AAAA,IAC3D;AAEA,UAAM,OAAO,GAAG,KAAK,IAAI,GAAG,QAAQ,KAAK,KAAK,gBAAgB,IAAI,CAAC;AAEnE,QAAI,CAAC,YAAY;AAChB,aAAO,GAAG,UAAU,IAAI;AAAA;AAAA,IACzB;AAEA,QAAI,KAAK,QAAQ,OAAO,KAAK,YAAY,UAAU;AAClD,aAAO,GAAG,OAAO,GAAG,IAAI,MAAM,KAAK,WAAW,QAAI,qCAAuB,KAAK,OAAO,CAAC;AAAA;AAAA,IACvF;AAGA,WAAO,GAAG,OAAO,GAAG,KAAK,IAAI,MAAM,KAAK,UAAU,KAAK,OAAO,CAAC;AAAA;AAAA,EAChE;AAAA,EAEU,uBAAuB,eAAuB,YAA8B;AACrF,UAAM,UAAU;AAChB,QAAI,OAAO,eAAe,aAAa;AAAA;AAEvC,eAAW,aAAa,YAAY;AACnC,cAAQ,GAAG,OAAO,OAAG,qCAAuB,SAAS,CAAC,OAAO,SAAS;AAAA;AAAA,IACvE;AAEA,YAAQ;AAER,WAAO;AAAA,EACR;AAAA,EAEQ,oBAAoB;AAC3B,UAAM,UAAkC,CAAC;AAEzC,YAAQ,YAAY,KAAK,MAAM,KAAK,KAAK,UAAU;AAEnD,QAAI,KAAK,KAAK,UAAU,KAAK,KAAK,WAAW,KAAK,SAAS,qBAAqB,GAAG;AAClF,cAAQ,SAAS,KAAK,MAAM,KAAK,KAAK,MAAM;AAAA,IAC7C;AAEA,QAAI,CAAC,kBAAM,cAAc,OAAO,GAAG;AAClC,aAAO;AAAA,IACR;AAEA,WAAO,KAAK,OAAO,QAAQ,OAAO,EAChC,IAAI,CAAC,CAAC,KAAK,GAAG,MAAM,GAAG,GAAG,KAAK,GAAG,EAAE,EACpC,KAAK,IAAI,CAAC;AAAA,EACb;AAAA,EAEQ,qBAAqB,MAA8B;AAC1D,UAAM,UAAU;AAChB,UAAM,UAAU,CAAC;AACjB,QAAI,YAAY,KAAK,iBAAiB,IAAI;AAC1C,SAAK,YAAY,IAAI,UAAU,UAAU,CAAC,CAAC;AAE3C,QAAI,KAAK,SAAS,0BAAc,cAAc;AAC7C,WAAK,8BAA8B,SAAS,IAAI;AAAA,IACjD,WAAW,KAAK,SAAS,0BAAc,aAAa;AACnD,WAAK,6BAA6B,SAAS,IAAI;AAAA,IAChD,WAAW,KAAK,SAAS,0BAAc,QAAQ;AAC9C,WAAK,8BAA8B,SAAS,IAAI;AAAA,IACjD,OAAO;AACN,WAAK,kCAAkC,SAAS,IAAI;AAAA,IACrD;AAEA,QAAI,KAAK,MAAM;AACd,cAAQ,QAAQ,SAAS,KAAK,WAAW;AAAA,IAC1C;AAEA,SAAK,0BAA0B,SAAS,IAAI;AAC5C,UAAM,UAAU,KAAK,mBAAmB,MAAM,OAAO;AACrD,gBAAY,CAAC,GAAG,QAAQ,KAAK,GAAG,SAAS,EAAE,IAAI,CAAC,MAAM,UAAU,CAAC,EAAE,KAAK,IAAI;AAE5E,QAAI,CAAC,kBAAM,cAAc,OAAO,GAAG;AAClC,aAAO,GAAG,SAAS;AAAA;AAAA,IACpB;AAEA,WAAO,GAAG,SAAS,MAAM,OAAO,QAAQ,OAAO,EAC7C,IAAI,CAAC,CAAC,KAAK,GAAG,MAAM,GAAG,GAAG,KAAK,GAAG,EAAE,EACpC,KAAK,IAAI,CAAC;AAAA;AAAA,EACb;AAAA,EAEU,mBAAmB,MAAsB,SAA+B;AACjF,QAAI,KAAK,SAAS,0BAAc,QAAQ;AACvC,YAAM,MAAgB,CAAC;AAEvB,UAAI,KAAK,OAAO;AACf,aAAK,YAAY,IAAI,OAAO;AAC5B,YAAI,KAAK,mBAAmB,KAAK,KAAK,MAAM;AAAA,MAC7C;AAEA,UAAI,KAAK,QAAQ;AAChB,aAAK,YAAY,IAAI,QAAQ;AAC7B,YAAI,KAAK,oBAAoB,KAAK,MAAM,MAAM;AAAA,MAC/C;AAEA,aAAO;AAAA,IACR;AAEA,UAAM,eAAe,CAAC,SAA6B;AAClD,UAAI,CAAC,KAAK,IAAI,GAAG;AAChB;AAAA,MACD;AAEA,YAAM,cAAc,KAAK,SAAS,aAAa,KAAK,KAAK,YAAY,KAAK,YAAY,IAAI;AAC1F,cAAQ,IAAI,IAAI,gBAAgB,KAAK,IAAI,IAAI,SAAS,IAAI,KAAK,IAAI,CAAC;AACpE,YAAM,WAAW;AAAA,QAChB,OAAO,KAAK,SAAS,iBAAiB;AAAA,QACtC,QAAQ,KAAK,SAAS,0BAAc;AAAA,MACrC;AAEA,UAAI,SAAS,IAAI,KAAK,QAAQ,IAAI,MAAM,QAAQ;AAC/C,eAAO,QAAQ,IAAI;AAAA,MACpB;AAAA,IACD;AAEA,iBAAa,OAAO;AACpB,iBAAa,QAAQ;AAErB,WAAO,CAAC;AAAA,EACT;AAAA,EAEU,0BAA0B,SAAqB,MAA4B;AACpF,QAAI,KAAK,YAAY,CAAC,KAAK,UAAU;AACpC,cAAQ,WAAW;AAAA,IACpB;AAEA,QAAI,KAAK,WAAW,MAAM;AACzB;AAAA,IACD;AAEA,QAAI,OAAO,KAAK,YAAY,UAAU;AACrC,cAAQ,UAAU,KAAK;AACvB;AAAA,IACD;AAEA,QAAI,CAAC,MAAM,EAAE,EAAE,SAAS,KAAK,OAAO,GAAG;AACtC,cAAQ,UAAU;AAAA,IACnB,WAAW,KAAK,eAAe,KAAK,MAAM,KAAK,OAAO,GAAG;AACxD,cAAQ,UAAU,KAAK,UAAU,KAAK,MAAM,KAAK,OAAO,CAAC,EAAE,MAAM,GAAG,EAAE;AAAA,IACvE,OAAO;AACN,cAAQ,aAAa,KAAK,KAAK,UAAU,KAAK,OAAO,EAAE,MAAM,GAAG,EAAE,CAAC;AAAA,IACpE;AAAA,EACD;AAAA,EAEU,kCAAkC,SAAqB,MAA4B;AAC5F,QAAI,IAAI,KAAK,KAAK,YAAY;AAE9B,QAAI,MAAM,QAAQ;AACjB,UAAI;AAAA,IACL;AAEA,QAAI,KAAK,WAAW,CAAC,MAAM,KAAK,eAAe,qBAAqB,KAAK,IAAI,GAAG;AAC/E,cAAQ,YAAY,IAAI,KAAK,WAAW,CAAC,CAAC;AAAA,IAC3C;AAIA,QAAI,KAAK,MAAM;AACd,cAAQ,OAAO,KAAK,MAAM,QAAQ;AAClC;AAAA,IACD;AAEA,UAAM,cAAc,KAAK,SAAS,cAAc,CAAC;AACjD,UAAM,cAAc,KAAK,SAAS,cAAc,KAAK,YAAY,CAAC,CAAC;AACnE,UAAM,cAAc,YAAY,cAAc,EAAE,GAAG,MAAM,eAAe,MAAM,GAAG,KAAK,QAAQ;AAC9F,UAAM,cAAc,YAAY,cAAc,EAAE,GAAG,MAAM,eAAe,MAAM,GAAG,KAAK,QAAQ;AAE9F,QACC,gBAAgB,eAChB,CAAC,aAAa,WAAW,EAAE,KAAK,CAACA,OAAMA,cAAa,uBAAW,GAC9D;AACD,cAAQ,OAAO,KAAK,MAAM,KAAK,YAAY,CAAC,CAAC;AAAA,IAC9C,OAAO;AAEN,UAAI,uBAAuB,wBAAY;AACtC,aAAK,YAAY,IAAI,YAAY;AACjC,gBAAQ,OAAO;AAAA,MAChB,OAAO;AACN,gBAAQ,OAAO,KAAK,MAAM,KAAK,IAAI;AAAA,MACpC;AAAA,IACD;AAEA,QAAI,KAAK,QAAQ;AAChB,cAAQ,SAAS,KAAK;AAAA,IACvB;AAAA,EACD;AAAA,EAEU,8BAA8B,SAAqB,MAAsB;AAClF,SAAK,cAAc,IAAI,KAAK,IAAI;AAChC,YAAQ,SAAS,SAAS,KAAK,IAAI;AAEnC,QAAI,KAAK,UAAU;AAClB,cAAQ,WAAW,KAAK,MAAM,KAAK,QAAQ;AAC3C;AAAA,IACD;AAEA,QACC,KAAK,eACL,KAAK,eAAe,cAAc,KAAK,KAAK,YAAY,KAAK,MAAM,KAAK,IAAI,GAC3E;AACD,cAAQ,aAAa,KAAK,MAAM,KAAK,UAAU;AAAA,IAChD;AAEA,QAAI,KAAK,YAAY,WAAW,GAAG;AAClC,cAAQ,aAAa,KAAK,MAAM,KAAK,YAAY,CAAC,CAAC;AAAA,IACpD,OAAO;AACN,cAAQ,cAAc,IAAI,KAAK,YAAY,IAAI,KAAK,KAAK,EAAE,KAAK,IAAI,CAAC;AAAA,IACtE;AAEA,QAAI,KAAK,mBAAmB,WAAW,GAAG;AACzC,cAAQ,oBAAoB,KAAK,MAAM,KAAK,mBAAmB,CAAC,CAAC;AAAA,IAClE,OAAO;AACN,cAAQ,qBAAqB,IAAI,KAAK,mBAAmB,IAAI,KAAK,KAAK,EAAE,KAAK,IAAI,CAAC;AAAA,IACpF;AAAA,EACD;AAAA,EAEU,6BAA6B,SAAqB,MAAsB;AACjF,SAAK,cAAc,IAAI,KAAK,IAAI;AAChC,YAAQ,SAAS,SAAS,KAAK,IAAI;AACnC,YAAQ,WAAW,KAAK,MAAM,KAAK,QAAQ;AAAA,EAC5C;AAAA,EAEU,8BAA8B,SAAqB,MAAsB;AAClF,SAAK,cAAc,IAAI,KAAK,IAAI;AAChC,YAAQ,SAAS,SAAS,KAAK,IAAI;AAEnC,QAAI,KAAK,KAAK;AACb,cAAQ,MAAM;AAAA,IACf;AAEA,QAAI,KAAK,UAAU;AAClB,cAAQ,WAAW,KAAK,MAAM,KAAK,QAAQ;AAC3C;AAAA,IACD;AAEA,QACC,KAAK,WAAW,CAAC,MACjB,KAAK,eAAe,kBAAkB,KAAK,MAAM,KAAK,sBAAsB,CAAC,CAAC,GAC7E;AACD,cAAQ,YAAY,KAAK,MAAM,KAAK,WAAW,CAAC,CAAC;AAAA,IAClD;AAEA,QAAI,KAAK,SAAS;AACjB,cAAQ,UAAU;AAAA,IACnB;AAAA,EACD;AAAA,EAEU,iBAAiB,MAA8B;AACxD,QAAI,KAAK,SAAS,0BAAc,YAAY;AAC3C,aAAO;AAAA,IACR;AAEA,QAAI,KAAK,SAAS,0BAAc,aAAa;AAC5C,aAAO;AAAA,IACR;AAEA,QAAI,KAAK,SAAS,0BAAc,aAAa;AAC5C,aAAO;AAAA,IACR;AAEA,QAAI,KAAK,SAAS,0BAAc,cAAc;AAC7C,aAAO;AAAA,IACR;AAEA,QAAI,KAAK,SAAS;AACjB,aAAO;AAAA,IACR;AAEA,QAAI,KAAK,MAAM;AACd,aAAO;AAAA,IACR;AAEA,WAAO;AAAA,EACR;AACD;",
4
+ "sourcesContent": ["// This file is a modified version of source from MikroORM, located here:\n// https://github.com/mikro-orm/mikro-orm/blob/6ba3d4004deef00b754a4ca2011cf64e44a4a3a3/packages/entity-generator/src/SourceFile.ts\n//\n// MIT License\n//\n// Copyright (c) 2018 Martin Ad\u00E1mek\n//\n// Permission is hereby granted, free of charge, to any person obtaining a copy\n// of this software and associated documentation files (the \"Software\"), to deal\n// in the Software without restriction, including without limitation the rights\n// to use, copy, modify, merge, publish, distribute, sublicense, and/or sell\n// copies of the Software, and to permit persons to whom the Software is\n// furnished to do so, subject to the following conditions:\n//\n// The above copyright notice and this permission notice shall be included in all\n// copies or substantial portions of the Software.\n//\n// THE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR\n// IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,\n// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE\n// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER\n// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,\n// OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE\n// SOFTWARE.\n\nimport type {\n\tDictionary,\n\tEntityMetadata,\n\tEntityOptions,\n\tEntityProperty,\n\tNamingStrategy,\n\tPlatform,\n} from '@mikro-orm/core';\nimport { BigIntType, ReferenceKind, UnknownType, Utils } from '@mikro-orm/core';\nimport { DatabaseType } from '../../database';\nimport { identifierForEnumValue, pascalToKebabCaseString } from '../utils';\nimport { BaseFile } from './base-file';\nimport { isEntityWithSinglePrimaryKey } from '../generate';\n\nexport class DataEntityFile extends BaseFile {\n\tprotected readonly coreImports = new Set<string>();\n\tprotected readonly entityImports = new Set<string>();\n\n\tconstructor(\n\t\tprotected readonly meta: EntityMetadata,\n\t\tprotected readonly namingStrategy: NamingStrategy,\n\t\tprotected readonly platform: Platform,\n\t\tprotected readonly databaseType: DatabaseType,\n\t\tprotected readonly entityLookup: Map<string, EntityMetadata<any>>\n\t) {\n\t\tsuper(meta, namingStrategy, platform);\n\t}\n\n\tgetBasePath() {\n\t\treturn `backend/entities/${this.databaseType}/`;\n\t}\n\n\tgetBaseName() {\n\t\tconst fileName = pascalToKebabCaseString(this.meta.className);\n\t\treturn `${fileName}.ts`;\n\t}\n\n\tgenerate(): string {\n\t\tconst enumDefinitions: string[] = [];\n\t\tlet classBody = '';\n\t\tconst generatedPropertyNames = new Set<string>();\n\t\tconst props = Object.values(this.meta.properties);\n\t\tprops.forEach((prop) => {\n\t\t\tif (generatedPropertyNames.has(prop.name)) {\n\t\t\t\t// We just gobble this property. It's a duplicate, but the Schema Entity File will complain about it,\n\t\t\t\t// and we can leave that other file as the source of truth for moaning.\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// We're going to just skip any relationships to entities that don't have a single primary key.\n\t\t\t// This is a limitation of the current implementation, but we'll fix it in the future.\n\t\t\tconst relatedEntity = this.entityLookup.get(prop.type);\n\t\t\tif (relatedEntity && !isEntityWithSinglePrimaryKey(relatedEntity)) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tgeneratedPropertyNames.add(prop.name);\n\n\t\t\tconst decorator = this.getPropertyDecorator(prop);\n\t\t\tconst definition = this.getPropertyDefinition(prop);\n\n\t\t\tif (!classBody.endsWith('\\n\\n')) {\n\t\t\t\tclassBody += '\\n';\n\t\t\t}\n\n\t\t\tclassBody += decorator;\n\t\t\tclassBody += definition;\n\n\t\t\tif (props[props.length - 1] !== prop) classBody += '\\n';\n\n\t\t\tif (prop.enum) {\n\t\t\t\tconst enumClassName = this.namingStrategy.getClassName(\n\t\t\t\t\tthis.meta.collection + '_' + prop.fieldNames[0],\n\t\t\t\t\t'_'\n\t\t\t\t);\n\t\t\t\tenumDefinitions.push(this.getEnumClassDefinition(enumClassName, prop.items as string[]));\n\t\t\t}\n\t\t});\n\n\t\tlet file = ``;\n\n\t\tthis.coreImports.add('Entity');\n\t\tconst imports = [\n\t\t\t`import { ${[...this.coreImports].sort().join(', ')} } from '@mikro-orm/core';`,\n\t\t];\n\t\tconst entityImports = [...this.entityImports].filter((e) => e !== this.meta.className);\n\t\tentityImports.sort().forEach((entity) => {\n\t\t\timports.push(`import { ${entity} } from './${pascalToKebabCaseString(entity)}';`);\n\t\t});\n\n\t\tif (enumDefinitions.length) {\n\t\t\tfile += enumDefinitions.join('\\n');\n\t\t\tfile += '\\n';\n\t\t}\n\n\t\tfile += `@Entity(${this.getCollectionDecl()})\\n`;\n\t\tfile += `export class ${this.meta.className} {`;\n\n\t\tfile += `${classBody}}\\n`;\n\n\t\tfile = `${imports.join('\\n')}\\n\\n${file}`;\n\n\t\treturn file;\n\t}\n\n\tprotected getPropertyType(prop: EntityProperty): string {\n\t\tif ([ReferenceKind.ONE_TO_ONE, ReferenceKind.MANY_TO_ONE].includes(prop.kind)) {\n\t\t\treturn prop.type.charAt(0).toUpperCase() + prop.type.slice(1);\n\t\t}\n\n\t\tconst columnType = prop.columnTypes?.[0]?.toLowerCase();\n\n\t\tif (['jsonb', 'json', 'any'].includes(columnType)) {\n\t\t\treturn `Record<string, unknown>`;\n\t\t}\n\n\t\t// Mikro doesn't infer column types for some columns very well. We can augment.\n\t\tif (prop.type === 'unknown') {\n\t\t\tif (columnType?.startsWith('nvarchar(') || columnType?.startsWith('varchar(')) {\n\t\t\t\treturn 'string';\n\t\t\t}\n\t\t}\n\n\t\tif (prop.type === 'bigint') {\n\t\t\treturn 'string';\n\t\t}\n\n\t\treturn prop.runtimeType;\n\t}\n\n\tprotected getPropertyDefinition(prop: EntityProperty): string {\n\t\tconst padding = '\\t';\n\n\t\tif ([ReferenceKind.ONE_TO_MANY, ReferenceKind.MANY_TO_MANY].includes(prop.kind)) {\n\t\t\tthis.coreImports.add('Collection');\n\t\t\tthis.entityImports.add(prop.type);\n\t\t\treturn `${padding}${prop.name} = new Collection<${prop.type}>(this);\\n`;\n\t\t}\n\n\t\t// string defaults are usually things like SQL functions, but can be also enums, for that `useDefault` should be true\n\t\tconst isEnumOrNonStringDefault = prop.enum || typeof prop.default !== 'string';\n\t\tconst useDefault = prop.default != null && isEnumOrNonStringDefault;\n\t\tconst optional = prop.nullable ? '?' : useDefault ? '' : '!';\n\n\t\tif (prop.ref) {\n\t\t\tthis.coreImports.add('Ref');\n\t\t\tthis.entityImports.add(prop.type);\n\t\t\treturn `${padding}${prop.name}${optional}: Ref<${prop.type}>;\\n`;\n\t\t}\n\n\t\tconst file = `${prop.name}${optional}: ${this.getPropertyType(prop)}`;\n\n\t\tif (!useDefault) {\n\t\t\treturn `${padding + file};\\n`;\n\t\t}\n\n\t\tif (prop.enum && typeof prop.default === 'string') {\n\t\t\treturn `${padding}${file} = ${prop.runtimeType}.${identifierForEnumValue(prop.default)};\\n`;\n\t\t}\n\n\t\t// The JSON.stringify here is for escaping things that can break JS if unescaped.\n\t\treturn `${padding}${prop.name} = ${JSON.stringify(prop.default)};\\n`;\n\t}\n\n\tprotected getEnumClassDefinition(enumClassName: string, enumValues: string[]): string {\n\t\tconst padding = '\\t';\n\t\tlet file = `export enum ${enumClassName} {\\n`;\n\n\t\tfor (const enumValue of enumValues) {\n\t\t\tfile += `${padding}${identifierForEnumValue(enumValue)} = '${enumValue}',\\n`;\n\t\t}\n\n\t\tfile += '}\\n';\n\n\t\treturn file;\n\t}\n\n\tprivate getCollectionDecl() {\n\t\tconst options: EntityOptions<unknown> = {};\n\n\t\toptions.tableName = this.quote(this.meta.collection);\n\n\t\tif (this.meta.schema && this.meta.schema !== this.platform.getDefaultSchemaName()) {\n\t\t\toptions.schema = this.quote(this.meta.schema);\n\t\t}\n\n\t\tif (!Utils.hasObjectKeys(options)) {\n\t\t\treturn '';\n\t\t}\n\n\t\treturn `{ ${Object.entries(options)\n\t\t\t.map(([opt, val]) => `${opt}: ${val}`)\n\t\t\t.join(', ')} }`;\n\t}\n\n\tprivate getPropertyDecorator(prop: EntityProperty): string {\n\t\tconst padding = '\\t';\n\t\tconst options = {} as Dictionary;\n\t\tlet decorator = this.getDecoratorType(prop);\n\t\tthis.coreImports.add(decorator.substring(1));\n\n\t\tif (prop.kind === ReferenceKind.MANY_TO_MANY) {\n\t\t\tthis.getManyToManyDecoratorOptions(options, prop);\n\t\t} else if (prop.kind === ReferenceKind.ONE_TO_MANY) {\n\t\t\tthis.getOneToManyDecoratorOptions(options, prop);\n\t\t} else if (prop.kind !== ReferenceKind.SCALAR) {\n\t\t\tthis.getForeignKeyDecoratorOptions(options, prop);\n\t\t} else {\n\t\t\tthis.getScalarPropertyDecoratorOptions(options, prop);\n\t\t}\n\n\t\tif (prop.enum) {\n\t\t\toptions.items = `() => ${prop.runtimeType}`;\n\t\t}\n\n\t\tthis.getCommonDecoratorOptions(options, prop);\n\t\tconst indexes = this.getPropertyIndexes(prop, options);\n\t\tdecorator = [...indexes.sort(), decorator].map((d) => padding + d).join('\\n');\n\n\t\tif (!Utils.hasObjectKeys(options)) {\n\t\t\treturn `${decorator}()\\n`;\n\t\t}\n\n\t\treturn `${decorator}({ ${Object.entries(options)\n\t\t\t.map(([opt, val]) => `${opt}: ${val}`)\n\t\t\t.join(', ')} })\\n`;\n\t}\n\n\tprotected getPropertyIndexes(prop: EntityProperty, options: Dictionary): string[] {\n\t\tif (prop.kind === ReferenceKind.SCALAR) {\n\t\t\tconst ret: string[] = [];\n\n\t\t\tif (prop.index) {\n\t\t\t\tthis.coreImports.add('Index');\n\t\t\t\tret.push(`@Index({ name: '${prop.index}' })`);\n\t\t\t}\n\n\t\t\tif (prop.unique) {\n\t\t\t\tthis.coreImports.add('Unique');\n\t\t\t\tret.push(`@Unique({ name: '${prop.unique}' })`);\n\t\t\t}\n\n\t\t\treturn ret;\n\t\t}\n\n\t\tconst processIndex = (type: 'index' | 'unique') => {\n\t\t\tif (!prop[type]) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tconst defaultName = this.platform.getIndexName(this.meta.collection, prop.fieldNames, type);\n\t\t\toptions[type] = defaultName === prop[type] ? 'true' : `'${prop[type]}'`;\n\t\t\tconst expected = {\n\t\t\t\tindex: this.platform.indexForeignKeys(),\n\t\t\t\tunique: prop.kind === ReferenceKind.ONE_TO_ONE,\n\t\t\t};\n\n\t\t\tif (expected[type] && options[type] === 'true') {\n\t\t\t\tdelete options[type];\n\t\t\t}\n\t\t};\n\n\t\tprocessIndex('index');\n\t\tprocessIndex('unique');\n\n\t\treturn [];\n\t}\n\n\tprotected getCommonDecoratorOptions(options: Dictionary, prop: EntityProperty): void {\n\t\t// Owning side: use the FK's nullability\n\t\t// Non-owning side of 1:1 is always nullable because we aren't guaranteed to have a row for every single\n\t\t// entity created on the non-owning side of the relationship.\n\t\tif (\n\t\t\t(prop.nullable && !prop.mappedBy) ||\n\t\t\t(prop.mappedBy && prop.kind === ReferenceKind.ONE_TO_ONE)\n\t\t) {\n\t\t\toptions.nullable = true;\n\t\t}\n\n\t\tif (prop.default == null) {\n\t\t\treturn;\n\t\t}\n\n\t\tif (typeof prop.default !== 'string') {\n\t\t\toptions.default = prop.default;\n\t\t\treturn;\n\t\t}\n\n\t\tif ([`''`, ''].includes(prop.default)) {\n\t\t\toptions.default = `''`;\n\t\t} else if (prop.defaultRaw === this.quote(prop.default)) {\n\t\t\toptions.default = JSON.stringify(this.quote(prop.default)).slice(1, -1);\n\t\t} else {\n\t\t\toptions.defaultRaw = `\\`${JSON.stringify(prop.default).slice(1, -1)}\\``;\n\t\t}\n\t}\n\n\tprotected getScalarPropertyDecoratorOptions(options: Dictionary, prop: EntityProperty): void {\n\t\tlet t = prop.type.toLowerCase();\n\n\t\tif (t === 'date') {\n\t\t\tt = 'datetime';\n\t\t}\n\n\t\tif (prop.fieldNames[0] !== this.namingStrategy.propertyToColumnName(prop.name)) {\n\t\t\toptions.fieldName = `'${prop.fieldNames[0]}'`;\n\t\t}\n\n\t\t// for enum properties, we don't need a column type or the property length\n\t\t// in the decorator so return early.\n\t\tif (prop.enum) {\n\t\t\toptions.type = this.quote('string');\n\t\t\treturn;\n\t\t}\n\n\t\tconst mappedType1 = this.platform.getMappedType(t);\n\t\tconst mappedType2 = this.platform.getMappedType(prop.columnTypes[0]);\n\t\tconst columnType1 = mappedType1.getColumnType({ ...prop, autoincrement: false }, this.platform);\n\t\tconst columnType2 = mappedType2.getColumnType({ ...prop, autoincrement: false }, this.platform);\n\n\t\tif (\n\t\t\tcolumnType1 !== columnType2 ||\n\t\t\t[mappedType1, mappedType2].some((t) => t instanceof UnknownType)\n\t\t) {\n\t\t\toptions.type = this.quote(prop.columnTypes[0]);\n\t\t} else {\n\t\t\t// Special case for when prop.type is BigIntType\n\t\t\tif (mappedType1 instanceof BigIntType) {\n\t\t\t\tthis.coreImports.add('BigIntType');\n\t\t\t\toptions.type = \"new BigIntType('string')\";\n\t\t\t} else {\n\t\t\t\toptions.type = this.quote(prop.type);\n\t\t\t}\n\t\t}\n\n\t\tif (prop.length) {\n\t\t\toptions.length = prop.length;\n\t\t}\n\t}\n\n\tprotected getManyToManyDecoratorOptions(options: Dictionary, prop: EntityProperty) {\n\t\tthis.entityImports.add(prop.type);\n\t\toptions.entity = `() => ${prop.type}`;\n\n\t\tif (prop.mappedBy) {\n\t\t\toptions.mappedBy = this.quote(prop.mappedBy);\n\t\t\treturn;\n\t\t}\n\n\t\tif (\n\t\t\tprop.pivotTable !==\n\t\t\tthis.namingStrategy.joinTableName(this.meta.collection, prop.type, prop.name)\n\t\t) {\n\t\t\toptions.pivotTable = this.quote(prop.pivotTable);\n\t\t}\n\n\t\tif (prop.joinColumns.length === 1) {\n\t\t\toptions.joinColumn = this.quote(prop.joinColumns[0]);\n\t\t} else {\n\t\t\toptions.joinColumns = `[${prop.joinColumns.map(this.quote).join(', ')}]`;\n\t\t}\n\n\t\tif (prop.inverseJoinColumns.length === 1) {\n\t\t\toptions.inverseJoinColumn = this.quote(prop.inverseJoinColumns[0]);\n\t\t} else {\n\t\t\toptions.inverseJoinColumns = `[${prop.inverseJoinColumns.map(this.quote).join(', ')}]`;\n\t\t}\n\t}\n\n\tprotected getOneToManyDecoratorOptions(options: Dictionary, prop: EntityProperty) {\n\t\tthis.entityImports.add(prop.type);\n\t\toptions.entity = `() => ${prop.type}`;\n\t\toptions.mappedBy = this.quote(prop.mappedBy);\n\t}\n\n\tprotected getForeignKeyDecoratorOptions(options: Dictionary, prop: EntityProperty) {\n\t\tthis.entityImports.add(prop.type);\n\t\toptions.entity = `() => ${prop.type}`;\n\n\t\tif (prop.ref) {\n\t\t\toptions.ref = true;\n\t\t}\n\n\t\tif (prop.mappedBy) {\n\t\t\toptions.mappedBy = this.quote(prop.mappedBy);\n\t\t\treturn;\n\t\t}\n\n\t\tif (\n\t\t\tprop.fieldNames[0] !==\n\t\t\tthis.namingStrategy.joinKeyColumnName(prop.name, prop.referencedColumnNames[0])\n\t\t) {\n\t\t\toptions.fieldName = this.quote(prop.fieldNames[0]);\n\t\t}\n\n\t\tif (prop.primary) {\n\t\t\toptions.primary = true;\n\t\t}\n\t}\n\n\tprotected getDecoratorType(prop: EntityProperty): string {\n\t\tif (prop.kind === ReferenceKind.ONE_TO_ONE) {\n\t\t\treturn '@OneToOne';\n\t\t}\n\n\t\tif (prop.kind === ReferenceKind.MANY_TO_ONE) {\n\t\t\treturn '@ManyToOne';\n\t\t}\n\n\t\tif (prop.kind === ReferenceKind.ONE_TO_MANY) {\n\t\t\treturn '@OneToMany';\n\t\t}\n\n\t\tif (prop.kind === ReferenceKind.MANY_TO_MANY) {\n\t\t\treturn '@ManyToMany';\n\t\t}\n\n\t\tif (prop.primary) {\n\t\t\treturn '@PrimaryKey';\n\t\t}\n\n\t\tif (prop.enum) {\n\t\t\treturn '@Enum';\n\t\t}\n\n\t\treturn '@Property';\n\t}\n}\n"],
5
+ "mappings": ";;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAiCA,kBAA8D;AAE9D,mBAAgE;AAChE,uBAAyB;AACzB,sBAA6C;AAEtC,MAAM,uBAAuB,0BAAS;AAAA,EAI5C,YACoB,MACA,gBACA,UACA,cACA,cAClB;AACD,UAAM,MAAM,gBAAgB,QAAQ;AANjB;AACA;AACA;AACA;AACA;AARpB,SAAmB,cAAc,oBAAI,IAAY;AACjD,SAAmB,gBAAgB,oBAAI,IAAY;AAAA,EAUnD;AAAA,EAEA,cAAc;AACb,WAAO,oBAAoB,KAAK,YAAY;AAAA,EAC7C;AAAA,EAEA,cAAc;AACb,UAAM,eAAW,sCAAwB,KAAK,KAAK,SAAS;AAC5D,WAAO,GAAG,QAAQ;AAAA,EACnB;AAAA,EAEA,WAAmB;AAClB,UAAM,kBAA4B,CAAC;AACnC,QAAI,YAAY;AAChB,UAAM,yBAAyB,oBAAI,IAAY;AAC/C,UAAM,QAAQ,OAAO,OAAO,KAAK,KAAK,UAAU;AAChD,UAAM,QAAQ,CAAC,SAAS;AACvB,UAAI,uBAAuB,IAAI,KAAK,IAAI,GAAG;AAG1C;AAAA,MACD;AAIA,YAAM,gBAAgB,KAAK,aAAa,IAAI,KAAK,IAAI;AACrD,UAAI,iBAAiB,KAAC,8CAA6B,aAAa,GAAG;AAClE;AAAA,MACD;AAEA,6BAAuB,IAAI,KAAK,IAAI;AAEpC,YAAM,YAAY,KAAK,qBAAqB,IAAI;AAChD,YAAM,aAAa,KAAK,sBAAsB,IAAI;AAElD,UAAI,CAAC,UAAU,SAAS,MAAM,GAAG;AAChC,qBAAa;AAAA,MACd;AAEA,mBAAa;AACb,mBAAa;AAEb,UAAI,MAAM,MAAM,SAAS,CAAC,MAAM,KAAM,cAAa;AAEnD,UAAI,KAAK,MAAM;AACd,cAAM,gBAAgB,KAAK,eAAe;AAAA,UACzC,KAAK,KAAK,aAAa,MAAM,KAAK,WAAW,CAAC;AAAA,UAC9C;AAAA,QACD;AACA,wBAAgB,KAAK,KAAK,uBAAuB,eAAe,KAAK,KAAiB,CAAC;AAAA,MACxF;AAAA,IACD,CAAC;AAED,QAAI,OAAO;AAEX,SAAK,YAAY,IAAI,QAAQ;AAC7B,UAAM,UAAU;AAAA,MACf,YAAY,CAAC,GAAG,KAAK,WAAW,EAAE,KAAK,EAAE,KAAK,IAAI,CAAC;AAAA,IACpD;AACA,UAAM,gBAAgB,CAAC,GAAG,KAAK,aAAa,EAAE,OAAO,CAAC,MAAM,MAAM,KAAK,KAAK,SAAS;AACrF,kBAAc,KAAK,EAAE,QAAQ,CAAC,WAAW;AACxC,cAAQ,KAAK,YAAY,MAAM,kBAAc,sCAAwB,MAAM,CAAC,IAAI;AAAA,IACjF,CAAC;AAED,QAAI,gBAAgB,QAAQ;AAC3B,cAAQ,gBAAgB,KAAK,IAAI;AACjC,cAAQ;AAAA,IACT;AAEA,YAAQ,WAAW,KAAK,kBAAkB,CAAC;AAAA;AAC3C,YAAQ,gBAAgB,KAAK,KAAK,SAAS;AAE3C,YAAQ,GAAG,SAAS;AAAA;AAEpB,WAAO,GAAG,QAAQ,KAAK,IAAI,CAAC;AAAA;AAAA,EAAO,IAAI;AAEvC,WAAO;AAAA,EACR;AAAA,EAEU,gBAAgB,MAA8B;AACvD,QAAI,CAAC,0BAAc,YAAY,0BAAc,WAAW,EAAE,SAAS,KAAK,IAAI,GAAG;AAC9E,aAAO,KAAK,KAAK,OAAO,CAAC,EAAE,YAAY,IAAI,KAAK,KAAK,MAAM,CAAC;AAAA,IAC7D;AAEA,UAAM,aAAa,KAAK,cAAc,CAAC,GAAG,YAAY;AAEtD,QAAI,CAAC,SAAS,QAAQ,KAAK,EAAE,SAAS,UAAU,GAAG;AAClD,aAAO;AAAA,IACR;AAGA,QAAI,KAAK,SAAS,WAAW;AAC5B,UAAI,YAAY,WAAW,WAAW,KAAK,YAAY,WAAW,UAAU,GAAG;AAC9E,eAAO;AAAA,MACR;AAAA,IACD;AAEA,QAAI,KAAK,SAAS,UAAU;AAC3B,aAAO;AAAA,IACR;AAEA,WAAO,KAAK;AAAA,EACb;AAAA,EAEU,sBAAsB,MAA8B;AAC7D,UAAM,UAAU;AAEhB,QAAI,CAAC,0BAAc,aAAa,0BAAc,YAAY,EAAE,SAAS,KAAK,IAAI,GAAG;AAChF,WAAK,YAAY,IAAI,YAAY;AACjC,WAAK,cAAc,IAAI,KAAK,IAAI;AAChC,aAAO,GAAG,OAAO,GAAG,KAAK,IAAI,qBAAqB,KAAK,IAAI;AAAA;AAAA,IAC5D;AAGA,UAAM,2BAA2B,KAAK,QAAQ,OAAO,KAAK,YAAY;AACtE,UAAM,aAAa,KAAK,WAAW,QAAQ;AAC3C,UAAM,WAAW,KAAK,WAAW,MAAM,aAAa,KAAK;AAEzD,QAAI,KAAK,KAAK;AACb,WAAK,YAAY,IAAI,KAAK;AAC1B,WAAK,cAAc,IAAI,KAAK,IAAI;AAChC,aAAO,GAAG,OAAO,GAAG,KAAK,IAAI,GAAG,QAAQ,SAAS,KAAK,IAAI;AAAA;AAAA,IAC3D;AAEA,UAAM,OAAO,GAAG,KAAK,IAAI,GAAG,QAAQ,KAAK,KAAK,gBAAgB,IAAI,CAAC;AAEnE,QAAI,CAAC,YAAY;AAChB,aAAO,GAAG,UAAU,IAAI;AAAA;AAAA,IACzB;AAEA,QAAI,KAAK,QAAQ,OAAO,KAAK,YAAY,UAAU;AAClD,aAAO,GAAG,OAAO,GAAG,IAAI,MAAM,KAAK,WAAW,QAAI,qCAAuB,KAAK,OAAO,CAAC;AAAA;AAAA,IACvF;AAGA,WAAO,GAAG,OAAO,GAAG,KAAK,IAAI,MAAM,KAAK,UAAU,KAAK,OAAO,CAAC;AAAA;AAAA,EAChE;AAAA,EAEU,uBAAuB,eAAuB,YAA8B;AACrF,UAAM,UAAU;AAChB,QAAI,OAAO,eAAe,aAAa;AAAA;AAEvC,eAAW,aAAa,YAAY;AACnC,cAAQ,GAAG,OAAO,OAAG,qCAAuB,SAAS,CAAC,OAAO,SAAS;AAAA;AAAA,IACvE;AAEA,YAAQ;AAER,WAAO;AAAA,EACR;AAAA,EAEQ,oBAAoB;AAC3B,UAAM,UAAkC,CAAC;AAEzC,YAAQ,YAAY,KAAK,MAAM,KAAK,KAAK,UAAU;AAEnD,QAAI,KAAK,KAAK,UAAU,KAAK,KAAK,WAAW,KAAK,SAAS,qBAAqB,GAAG;AAClF,cAAQ,SAAS,KAAK,MAAM,KAAK,KAAK,MAAM;AAAA,IAC7C;AAEA,QAAI,CAAC,kBAAM,cAAc,OAAO,GAAG;AAClC,aAAO;AAAA,IACR;AAEA,WAAO,KAAK,OAAO,QAAQ,OAAO,EAChC,IAAI,CAAC,CAAC,KAAK,GAAG,MAAM,GAAG,GAAG,KAAK,GAAG,EAAE,EACpC,KAAK,IAAI,CAAC;AAAA,EACb;AAAA,EAEQ,qBAAqB,MAA8B;AAC1D,UAAM,UAAU;AAChB,UAAM,UAAU,CAAC;AACjB,QAAI,YAAY,KAAK,iBAAiB,IAAI;AAC1C,SAAK,YAAY,IAAI,UAAU,UAAU,CAAC,CAAC;AAE3C,QAAI,KAAK,SAAS,0BAAc,cAAc;AAC7C,WAAK,8BAA8B,SAAS,IAAI;AAAA,IACjD,WAAW,KAAK,SAAS,0BAAc,aAAa;AACnD,WAAK,6BAA6B,SAAS,IAAI;AAAA,IAChD,WAAW,KAAK,SAAS,0BAAc,QAAQ;AAC9C,WAAK,8BAA8B,SAAS,IAAI;AAAA,IACjD,OAAO;AACN,WAAK,kCAAkC,SAAS,IAAI;AAAA,IACrD;AAEA,QAAI,KAAK,MAAM;AACd,cAAQ,QAAQ,SAAS,KAAK,WAAW;AAAA,IAC1C;AAEA,SAAK,0BAA0B,SAAS,IAAI;AAC5C,UAAM,UAAU,KAAK,mBAAmB,MAAM,OAAO;AACrD,gBAAY,CAAC,GAAG,QAAQ,KAAK,GAAG,SAAS,EAAE,IAAI,CAAC,MAAM,UAAU,CAAC,EAAE,KAAK,IAAI;AAE5E,QAAI,CAAC,kBAAM,cAAc,OAAO,GAAG;AAClC,aAAO,GAAG,SAAS;AAAA;AAAA,IACpB;AAEA,WAAO,GAAG,SAAS,MAAM,OAAO,QAAQ,OAAO,EAC7C,IAAI,CAAC,CAAC,KAAK,GAAG,MAAM,GAAG,GAAG,KAAK,GAAG,EAAE,EACpC,KAAK,IAAI,CAAC;AAAA;AAAA,EACb;AAAA,EAEU,mBAAmB,MAAsB,SAA+B;AACjF,QAAI,KAAK,SAAS,0BAAc,QAAQ;AACvC,YAAM,MAAgB,CAAC;AAEvB,UAAI,KAAK,OAAO;AACf,aAAK,YAAY,IAAI,OAAO;AAC5B,YAAI,KAAK,mBAAmB,KAAK,KAAK,MAAM;AAAA,MAC7C;AAEA,UAAI,KAAK,QAAQ;AAChB,aAAK,YAAY,IAAI,QAAQ;AAC7B,YAAI,KAAK,oBAAoB,KAAK,MAAM,MAAM;AAAA,MAC/C;AAEA,aAAO;AAAA,IACR;AAEA,UAAM,eAAe,CAAC,SAA6B;AAClD,UAAI,CAAC,KAAK,IAAI,GAAG;AAChB;AAAA,MACD;AAEA,YAAM,cAAc,KAAK,SAAS,aAAa,KAAK,KAAK,YAAY,KAAK,YAAY,IAAI;AAC1F,cAAQ,IAAI,IAAI,gBAAgB,KAAK,IAAI,IAAI,SAAS,IAAI,KAAK,IAAI,CAAC;AACpE,YAAM,WAAW;AAAA,QAChB,OAAO,KAAK,SAAS,iBAAiB;AAAA,QACtC,QAAQ,KAAK,SAAS,0BAAc;AAAA,MACrC;AAEA,UAAI,SAAS,IAAI,KAAK,QAAQ,IAAI,MAAM,QAAQ;AAC/C,eAAO,QAAQ,IAAI;AAAA,MACpB;AAAA,IACD;AAEA,iBAAa,OAAO;AACpB,iBAAa,QAAQ;AAErB,WAAO,CAAC;AAAA,EACT;AAAA,EAEU,0BAA0B,SAAqB,MAA4B;AAIpF,QACE,KAAK,YAAY,CAAC,KAAK,YACvB,KAAK,YAAY,KAAK,SAAS,0BAAc,YAC7C;AACD,cAAQ,WAAW;AAAA,IACpB;AAEA,QAAI,KAAK,WAAW,MAAM;AACzB;AAAA,IACD;AAEA,QAAI,OAAO,KAAK,YAAY,UAAU;AACrC,cAAQ,UAAU,KAAK;AACvB;AAAA,IACD;AAEA,QAAI,CAAC,MAAM,EAAE,EAAE,SAAS,KAAK,OAAO,GAAG;AACtC,cAAQ,UAAU;AAAA,IACnB,WAAW,KAAK,eAAe,KAAK,MAAM,KAAK,OAAO,GAAG;AACxD,cAAQ,UAAU,KAAK,UAAU,KAAK,MAAM,KAAK,OAAO,CAAC,EAAE,MAAM,GAAG,EAAE;AAAA,IACvE,OAAO;AACN,cAAQ,aAAa,KAAK,KAAK,UAAU,KAAK,OAAO,EAAE,MAAM,GAAG,EAAE,CAAC;AAAA,IACpE;AAAA,EACD;AAAA,EAEU,kCAAkC,SAAqB,MAA4B;AAC5F,QAAI,IAAI,KAAK,KAAK,YAAY;AAE9B,QAAI,MAAM,QAAQ;AACjB,UAAI;AAAA,IACL;AAEA,QAAI,KAAK,WAAW,CAAC,MAAM,KAAK,eAAe,qBAAqB,KAAK,IAAI,GAAG;AAC/E,cAAQ,YAAY,IAAI,KAAK,WAAW,CAAC,CAAC;AAAA,IAC3C;AAIA,QAAI,KAAK,MAAM;AACd,cAAQ,OAAO,KAAK,MAAM,QAAQ;AAClC;AAAA,IACD;AAEA,UAAM,cAAc,KAAK,SAAS,cAAc,CAAC;AACjD,UAAM,cAAc,KAAK,SAAS,cAAc,KAAK,YAAY,CAAC,CAAC;AACnE,UAAM,cAAc,YAAY,cAAc,EAAE,GAAG,MAAM,eAAe,MAAM,GAAG,KAAK,QAAQ;AAC9F,UAAM,cAAc,YAAY,cAAc,EAAE,GAAG,MAAM,eAAe,MAAM,GAAG,KAAK,QAAQ;AAE9F,QACC,gBAAgB,eAChB,CAAC,aAAa,WAAW,EAAE,KAAK,CAACA,OAAMA,cAAa,uBAAW,GAC9D;AACD,cAAQ,OAAO,KAAK,MAAM,KAAK,YAAY,CAAC,CAAC;AAAA,IAC9C,OAAO;AAEN,UAAI,uBAAuB,wBAAY;AACtC,aAAK,YAAY,IAAI,YAAY;AACjC,gBAAQ,OAAO;AAAA,MAChB,OAAO;AACN,gBAAQ,OAAO,KAAK,MAAM,KAAK,IAAI;AAAA,MACpC;AAAA,IACD;AAEA,QAAI,KAAK,QAAQ;AAChB,cAAQ,SAAS,KAAK;AAAA,IACvB;AAAA,EACD;AAAA,EAEU,8BAA8B,SAAqB,MAAsB;AAClF,SAAK,cAAc,IAAI,KAAK,IAAI;AAChC,YAAQ,SAAS,SAAS,KAAK,IAAI;AAEnC,QAAI,KAAK,UAAU;AAClB,cAAQ,WAAW,KAAK,MAAM,KAAK,QAAQ;AAC3C;AAAA,IACD;AAEA,QACC,KAAK,eACL,KAAK,eAAe,cAAc,KAAK,KAAK,YAAY,KAAK,MAAM,KAAK,IAAI,GAC3E;AACD,cAAQ,aAAa,KAAK,MAAM,KAAK,UAAU;AAAA,IAChD;AAEA,QAAI,KAAK,YAAY,WAAW,GAAG;AAClC,cAAQ,aAAa,KAAK,MAAM,KAAK,YAAY,CAAC,CAAC;AAAA,IACpD,OAAO;AACN,cAAQ,cAAc,IAAI,KAAK,YAAY,IAAI,KAAK,KAAK,EAAE,KAAK,IAAI,CAAC;AAAA,IACtE;AAEA,QAAI,KAAK,mBAAmB,WAAW,GAAG;AACzC,cAAQ,oBAAoB,KAAK,MAAM,KAAK,mBAAmB,CAAC,CAAC;AAAA,IAClE,OAAO;AACN,cAAQ,qBAAqB,IAAI,KAAK,mBAAmB,IAAI,KAAK,KAAK,EAAE,KAAK,IAAI,CAAC;AAAA,IACpF;AAAA,EACD;AAAA,EAEU,6BAA6B,SAAqB,MAAsB;AACjF,SAAK,cAAc,IAAI,KAAK,IAAI;AAChC,YAAQ,SAAS,SAAS,KAAK,IAAI;AACnC,YAAQ,WAAW,KAAK,MAAM,KAAK,QAAQ;AAAA,EAC5C;AAAA,EAEU,8BAA8B,SAAqB,MAAsB;AAClF,SAAK,cAAc,IAAI,KAAK,IAAI;AAChC,YAAQ,SAAS,SAAS,KAAK,IAAI;AAEnC,QAAI,KAAK,KAAK;AACb,cAAQ,MAAM;AAAA,IACf;AAEA,QAAI,KAAK,UAAU;AAClB,cAAQ,WAAW,KAAK,MAAM,KAAK,QAAQ;AAC3C;AAAA,IACD;AAEA,QACC,KAAK,WAAW,CAAC,MACjB,KAAK,eAAe,kBAAkB,KAAK,MAAM,KAAK,sBAAsB,CAAC,CAAC,GAC7E;AACD,cAAQ,YAAY,KAAK,MAAM,KAAK,WAAW,CAAC,CAAC;AAAA,IAClD;AAEA,QAAI,KAAK,SAAS;AACjB,cAAQ,UAAU;AAAA,IACnB;AAAA,EACD;AAAA,EAEU,iBAAiB,MAA8B;AACxD,QAAI,KAAK,SAAS,0BAAc,YAAY;AAC3C,aAAO;AAAA,IACR;AAEA,QAAI,KAAK,SAAS,0BAAc,aAAa;AAC5C,aAAO;AAAA,IACR;AAEA,QAAI,KAAK,SAAS,0BAAc,aAAa;AAC5C,aAAO;AAAA,IACR;AAEA,QAAI,KAAK,SAAS,0BAAc,cAAc;AAC7C,aAAO;AAAA,IACR;AAEA,QAAI,KAAK,SAAS;AACjB,aAAO;AAAA,IACR;AAEA,QAAI,KAAK,MAAM;AACd,aAAO;AAAA,IACR;AAEA,WAAO;AAAA,EACR;AACD;",
6
6
  "names": ["t"]
7
7
  }
@@ -259,7 +259,7 @@ ${file}`;
259
259
  `;
260
260
  }
261
261
  getCommonDecoratorOptions(options, prop) {
262
- if (prop.nullable && !prop.mappedBy) {
262
+ if (prop.nullable && !prop.mappedBy || prop.mappedBy && prop.kind === import_core.ReferenceKind.ONE_TO_ONE) {
263
263
  options.nullable = true;
264
264
  }
265
265
  if (prop.primary) {
@@ -1,7 +1,7 @@
1
1
  {
2
2
  "version": 3,
3
3
  "sources": ["../../../src/introspection/files/schema-entity-file.ts"],
4
- "sourcesContent": ["import type {\n\tDictionary,\n\tEntityMetadata,\n\tEntityProperty,\n\tNamingStrategy,\n\tPlatform,\n} from '@mikro-orm/core';\nimport { ReferenceKind, Utils } from '@mikro-orm/core';\nimport pluralize from 'pluralize';\nimport { identifierForEnumValue, pascalToCamelCaseString, pascalToKebabCaseString } from '../utils';\nimport { BaseFile } from './base-file';\nimport { DatabaseType } from '../../database';\nimport { isEntityWithSinglePrimaryKey } from '../generate';\n\nconst friendlyNameForDatabaseType = (type: DatabaseType) => {\n\tif (type === 'mssql') return 'SQL Server';\n\tif (type === 'mysql') return 'MySQL';\n\tif (type === 'postgresql') return 'PostgreSQL';\n\tif (type === 'sqlite') return 'SQLite';\n\n\tthrow new Error('Unimplemented database type: ' + type);\n};\n\nexport class SchemaEntityFile extends BaseFile {\n\tprotected readonly coreImports = new Set<string>();\n\tprotected readonly scalarImports = new Set<string>();\n\tprotected readonly entityImports = new Set<string>();\n\tprotected readonly enumImports = new Set<string>();\n\tpublic readonly errors: string[] = [];\n\n\tconstructor(\n\t\tprotected readonly meta: EntityMetadata,\n\t\tprotected readonly namingStrategy: NamingStrategy,\n\t\tprotected readonly platform: Platform,\n\t\tprotected readonly databaseType: DatabaseType,\n\t\tprotected readonly entityLookup: Map<string, EntityMetadata<any>>\n\t) {\n\t\tsuper(meta, namingStrategy, platform);\n\t}\n\n\tgetBasePath() {\n\t\treturn `backend/schema/`;\n\t}\n\n\tgetBaseName() {\n\t\tconst fileName = pascalToKebabCaseString(this.meta.className);\n\t\treturn `${fileName}.ts`;\n\t}\n\n\tgenerate(): string {\n\t\tconst enumDefinitions: string[] = [];\n\t\tlet classBody = '';\n\t\tconst generatedPropertyNames = new Set<string>();\n\t\tconst props = Object.values(this.meta.properties);\n\t\tprops.forEach((prop) => {\n\t\t\tconst relatedEntity = this.entityLookup.get(prop.type);\n\t\t\tif (relatedEntity) {\n\t\t\t\t// These are not supported yet, just skip them.\n\t\t\t\tif (!isEntityWithSinglePrimaryKey(relatedEntity)) {\n\t\t\t\t\tthis.errors.push(\n\t\t\t\t\t\t` - Warning: Composite primary keys are not supported. ${this.meta.className} entity references ${prop.type} entity with composite primary key.`\n\t\t\t\t\t);\n\t\t\t\t\treturn;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tif (generatedPropertyNames.has(prop.name)) {\n\t\t\t\tthis.errors.push(\n\t\t\t\t\t` - Warning: Property ${prop.name} on ${this.meta.className} entity is not unique. Additional instances of this property were ignored.`\n\t\t\t\t);\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tgeneratedPropertyNames.add(prop.name);\n\n\t\t\tconst decorator = this.getPropertyDecorator(prop);\n\t\t\tconst definition = this.getPropertyDefinition(prop);\n\n\t\t\tif (classBody && !classBody.endsWith('\\n\\n')) {\n\t\t\t\tclassBody += '\\n';\n\t\t\t}\n\n\t\t\tclassBody += decorator;\n\t\t\tclassBody += definition;\n\n\t\t\tif (props[props.length - 1] !== prop) classBody += '\\n';\n\n\t\t\tif (prop.enum) {\n\t\t\t\tconst enumClassName = this.namingStrategy.getClassName(\n\t\t\t\t\tthis.meta.collection + '_' + prop.fieldNames[0],\n\t\t\t\t\t'_'\n\t\t\t\t);\n\t\t\t\tenumDefinitions.push(this.getEnumClassDefinition(enumClassName));\n\t\t\t}\n\t\t});\n\n\t\tlet file = '';\n\n\t\tif (enumDefinitions.length) {\n\t\t\tfile += enumDefinitions.join('\\n');\n\t\t\tfile += '\\n\\n';\n\t\t}\n\n\t\tthis.coreImports.add('Entity');\n\n\t\tfile += `@Entity<${this.meta.className}>(${this.quote(this.meta.className)}, {\\n\\tprovider: new MikroBackendProvider(Orm${this.meta.className}, connection, { backendDisplayName: '${friendlyNameForDatabaseType(this.databaseType)}'})`;\n\n\t\tif (props.length === 1 && props[0].primary) {\n\t\t\t// Special case. If there's a single primary key field in this entity, right now that requires that it's a client side generated primary key.\n\t\t\t// There's no reason this has to be the case, but it's a current limitation, so we should generate a working project for them.\n\t\t\t// We should be able to remove this in the future and allow users to use it both ways.\n\t\t\tfile += `,\\n\\tapiOptions: { clientGeneratedPrimaryKeys: true },\\n})\\n`;\n\t\t} else {\n\t\t\tfile += `\\n})\\n`;\n\t\t}\n\n\t\tfile += `export class ${this.meta.className} {\\n`;\n\t\tfile += `${classBody}}\\n`;\n\t\tconst imports = [\n\t\t\t`import { ${[...this.coreImports].sort().join(', ')} } from '@exogee/graphweaver';`,\n\t\t];\n\n\t\tif (this.scalarImports.size > 0) {\n\t\t\timports.push(\n\t\t\t\t`import { ${[...this.scalarImports]\n\t\t\t\t\t.sort()\n\t\t\t\t\t.join(', ')} } from '@exogee/graphweaver-scalars';`\n\t\t\t);\n\t\t}\n\n\t\timports.push(`import { MikroBackendProvider } from '@exogee/graphweaver-mikroorm';`);\n\n\t\tconst entityImports = [...this.entityImports].filter((e) => e !== this.meta.className);\n\t\tentityImports.sort().forEach((entity) => {\n\t\t\timports.push(`import { ${entity} } from './${pascalToKebabCaseString(entity)}';`);\n\t\t});\n\n\t\timports.push(\n\t\t\t`import { ${this.enumImports.size > 0 ? [...this.enumImports].sort().join(', ') + ', ' : ''}${\n\t\t\t\tthis.meta.className\n\t\t\t} as Orm${this.meta.className} } from '../entities';`,\n\t\t\t`import { connection } from '../database';`\n\t\t);\n\n\t\tfile = `${imports.join('\\n')}\\n\\n${file}`;\n\n\t\treturn file;\n\t}\n\n\tprotected getTypescriptPropertyType(prop: EntityProperty): string {\n\t\tif ([ReferenceKind.ONE_TO_ONE, ReferenceKind.MANY_TO_ONE].includes(prop.kind)) {\n\t\t\treturn prop.type.charAt(0).toUpperCase() + prop.type.slice(1);\n\t\t}\n\n\t\tif (['jsonb', 'json', 'any'].includes(prop.columnTypes?.[0])) {\n\t\t\treturn `Record<string, unknown>`;\n\t\t}\n\n\t\tif (prop.columnTypes?.[0] === 'date') {\n\t\t\treturn 'Date';\n\t\t}\n\n\t\tif (prop.type === 'unknown') {\n\t\t\t//fallback to string if unknown\n\t\t\treturn 'string';\n\t\t}\n\n\t\tif (prop.type === 'bigint') {\n\t\t\treturn 'string';\n\t\t}\n\n\t\treturn prop.runtimeType;\n\t}\n\n\tprotected getPropertyDefinition(prop: EntityProperty): string {\n\t\tconst padding = '\\t';\n\n\t\tif ([ReferenceKind.ONE_TO_MANY, ReferenceKind.MANY_TO_MANY].includes(prop.kind)) {\n\t\t\tthis.entityImports.add(prop.type);\n\t\t\treturn `${padding}${prop.name}!: ${prop.type}[];\\n`;\n\t\t}\n\n\t\t// string defaults are usually things like SQL functions, but can be also enums, for that `useDefault` should be true\n\t\tconst isEnumOrNonStringDefault = prop.enum || typeof prop.default !== 'string';\n\t\tconst useDefault = prop.default != null && isEnumOrNonStringDefault;\n\t\tconst optional = prop.nullable ? '?' : useDefault ? '' : '!';\n\n\t\tconst file = `${prop.name}${optional}: ${this.getTypescriptPropertyType(prop)}`;\n\n\t\tif (!useDefault) {\n\t\t\treturn `${padding + file};\\n`;\n\t\t}\n\n\t\tif (prop.enum && typeof prop.default === 'string') {\n\t\t\treturn `${padding}${file} = ${prop.runtimeType}.${identifierForEnumValue(prop.default)};\\n`;\n\t\t}\n\n\t\treturn `${padding}${prop.name} = ${prop.default};\\n`;\n\t}\n\n\tprotected getEnumClassDefinition(enumClassName: string): string {\n\t\tthis.coreImports.add('graphweaverMetadata');\n\t\tthis.enumImports.add(enumClassName);\n\t\treturn `graphweaverMetadata.collectEnumInformation({ target: ${enumClassName}, name: ${this.quote(enumClassName)} });`;\n\t}\n\n\tprivate getGraphQLPropertyType(prop: EntityProperty): string {\n\t\tif (prop.primary) {\n\t\t\tthis.coreImports.add('ID');\n\t\t\treturn 'ID';\n\t\t}\n\n\t\tif (prop.runtimeType === 'Date') {\n\t\t\tthis.scalarImports.add('ISODateStringScalar');\n\t\t\treturn 'ISODateStringScalar';\n\t\t}\n\n\t\tif (prop.columnTypes?.[0] === 'date') {\n\t\t\tthis.scalarImports.add('DateScalar');\n\t\t\treturn 'DateScalar';\n\t\t}\n\n\t\tif (prop.runtimeType === 'unknown') {\n\t\t\treturn 'String';\n\t\t}\n\n\t\tif (prop.runtimeType === 'bigint') {\n\t\t\tthis.scalarImports.add('GraphQLBigInt');\n\t\t\treturn 'GraphQLBigInt';\n\t\t}\n\n\t\tif (prop.runtimeType === 'Buffer') {\n\t\t\tthis.scalarImports.add('GraphQLByte');\n\t\t\treturn 'GraphQLByte';\n\t\t}\n\n\t\tif (['jsonb', 'json', 'any'].includes(prop.columnTypes?.[0])) {\n\t\t\tthis.scalarImports.add('GraphQLJSON');\n\t\t\treturn `GraphQLJSON`;\n\t\t}\n\n\t\tif (prop.runtimeType?.includes('[]')) {\n\t\t\treturn `[${prop.type.charAt(0).toUpperCase() + prop.type.slice(1).replace('[]', '')}]`;\n\t\t}\n\n\t\tif ([ReferenceKind.ONE_TO_ONE, ReferenceKind.MANY_TO_ONE].includes(prop.kind)) {\n\t\t\treturn prop.type.charAt(0).toUpperCase() + prop.type.slice(1);\n\t\t}\n\n\t\tif ([ReferenceKind.MANY_TO_MANY, ReferenceKind.ONE_TO_MANY].includes(prop.kind)) {\n\t\t\treturn `[${prop.type.charAt(0).toUpperCase() + prop.type.slice(1).replace('[]', '')}]`;\n\t\t}\n\n\t\tif (prop.pivotTable) {\n\t\t\treturn `[${prop.type.charAt(0).toUpperCase() + prop.type.slice(1)}]`;\n\t\t}\n\n\t\tconst lastChanceType = prop.runtimeType ?? prop.type;\n\n\t\tif (!lastChanceType) {\n\t\t\tconsole.error(`Property is malformed, it has no type or runtimeType:`, prop);\n\t\t\tthrow new Error(`Property ${prop.name} on ${prop.entity} entity has no type or runtimeType.`);\n\t\t}\n\n\t\treturn lastChanceType.charAt(0).toUpperCase() + lastChanceType.slice(1);\n\t}\n\n\tprivate getPropertyDecorator(prop: EntityProperty): string {\n\t\tconst padding = '\\t';\n\t\tconst options = {} as Dictionary;\n\t\tlet decorator = this.getDecoratorType(prop);\n\n\t\tif (prop.kind === ReferenceKind.MANY_TO_MANY) {\n\t\t\tthis.getManyToManyDecoratorOptions(options, prop);\n\t\t} else if (prop.kind === ReferenceKind.ONE_TO_MANY) {\n\t\t\tthis.getOneToManyDecoratorOptions(options, prop);\n\t\t} else if (prop.kind !== ReferenceKind.SCALAR) {\n\t\t\tthis.getForeignKeyDecoratorOptions(options, prop);\n\t\t}\n\n\t\tthis.getCommonDecoratorOptions(options, prop);\n\t\tdecorator = [decorator].map((d) => padding + d).join('\\n');\n\n\t\tif (!Utils.hasObjectKeys(options)) {\n\t\t\treturn `${decorator}(() => ${this.getGraphQLPropertyType(prop)})\\n`;\n\t\t}\n\n\t\treturn `${decorator}(() => ${this.getGraphQLPropertyType(prop)}, { ${Object.entries(options)\n\t\t\t.map(([opt, val]) => `${opt}: ${JSON.stringify(val).replaceAll('\"', '')}`)\n\t\t\t.join(', ')} })\\n`;\n\t}\n\n\tprotected getCommonDecoratorOptions(options: Dictionary, prop: EntityProperty): void {\n\t\tif (prop.nullable && !prop.mappedBy) {\n\t\t\toptions.nullable = true;\n\t\t}\n\n\t\tif (prop.primary) {\n\t\t\toptions.primaryKeyField = true;\n\t\t}\n\n\t\t// If there's a property called 'name' it should be the summary field. If not, and there's a field called 'title'\n\t\t// then it should be the summary field.\n\t\tif (prop.name === 'name') {\n\t\t\toptions.adminUIOptions = { summaryField: true };\n\t\t} else if (prop.name === 'title' && !this.meta.props.find((prop) => prop.name === 'name')) {\n\t\t\toptions.adminUIOptions = { summaryField: true };\n\t\t}\n\t}\n\n\tprotected getManyToManyDecoratorOptions(options: Dictionary, prop: EntityProperty) {\n\t\tthis.entityImports.add(prop.type);\n\t\toptions.relatedField = this.quote(pluralize(pascalToCamelCaseString(this.meta.className)));\n\t}\n\n\tprotected getOneToManyDecoratorOptions(options: Dictionary, prop: EntityProperty) {\n\t\tthis.entityImports.add(prop.type);\n\t\toptions.relatedField = this.quote(prop.mappedBy);\n\t}\n\n\tprotected getForeignKeyDecoratorOptions(options: Dictionary, prop: EntityProperty) {\n\t\tthis.entityImports.add(prop.type);\n\n\t\tconst relatedEntity = this.entityLookup.get(prop.type);\n\t\tif (!relatedEntity) {\n\t\t\tthrow new Error(\n\t\t\t\t`Internal Error: Related entity ${prop.type} should exist but could not be found in the entity lookup.`\n\t\t\t);\n\t\t}\n\t\tif (!isEntityWithSinglePrimaryKey(relatedEntity)) {\n\t\t\tthrow new Error(`Composite primary keys are not supported.`);\n\t\t}\n\t\tconst [primaryKey] = relatedEntity.getPrimaryProps();\n\n\t\toptions.id = `(entity) => entity.${prop.name}?.${primaryKey.name}`;\n\t}\n\n\tprotected getDecoratorType(prop: EntityProperty): string {\n\t\tif ([ReferenceKind.ONE_TO_ONE, ReferenceKind.MANY_TO_ONE].includes(prop.kind)) {\n\t\t\tthis.coreImports.add('RelationshipField');\n\t\t\treturn `@RelationshipField<${this.meta.className}>`;\n\t\t}\n\n\t\tif ([ReferenceKind.ONE_TO_MANY, ReferenceKind.MANY_TO_MANY].includes(prop.kind)) {\n\t\t\tthis.coreImports.add('RelationshipField');\n\t\t\treturn `@RelationshipField<${prop.type}>`;\n\t\t}\n\n\t\tthis.coreImports.add('Field');\n\t\treturn '@Field';\n\t}\n}\n"],
5
- "mappings": ";;;;;;;;;;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAOA,kBAAqC;AACrC,uBAAsB;AACtB,mBAAyF;AACzF,uBAAyB;AAEzB,sBAA6C;AAE7C,MAAM,8BAA8B,CAAC,SAAuB;AAC3D,MAAI,SAAS,QAAS,QAAO;AAC7B,MAAI,SAAS,QAAS,QAAO;AAC7B,MAAI,SAAS,aAAc,QAAO;AAClC,MAAI,SAAS,SAAU,QAAO;AAE9B,QAAM,IAAI,MAAM,kCAAkC,IAAI;AACvD;AAEO,MAAM,yBAAyB,0BAAS;AAAA,EAO9C,YACoB,MACA,gBACA,UACA,cACA,cAClB;AACD,UAAM,MAAM,gBAAgB,QAAQ;AANjB;AACA;AACA;AACA;AACA;AAXpB,SAAmB,cAAc,oBAAI,IAAY;AACjD,SAAmB,gBAAgB,oBAAI,IAAY;AACnD,SAAmB,gBAAgB,oBAAI,IAAY;AACnD,SAAmB,cAAc,oBAAI,IAAY;AACjD,SAAgB,SAAmB,CAAC;AAAA,EAUpC;AAAA,EAEA,cAAc;AACb,WAAO;AAAA,EACR;AAAA,EAEA,cAAc;AACb,UAAM,eAAW,sCAAwB,KAAK,KAAK,SAAS;AAC5D,WAAO,GAAG,QAAQ;AAAA,EACnB;AAAA,EAEA,WAAmB;AAClB,UAAM,kBAA4B,CAAC;AACnC,QAAI,YAAY;AAChB,UAAM,yBAAyB,oBAAI,IAAY;AAC/C,UAAM,QAAQ,OAAO,OAAO,KAAK,KAAK,UAAU;AAChD,UAAM,QAAQ,CAAC,SAAS;AACvB,YAAM,gBAAgB,KAAK,aAAa,IAAI,KAAK,IAAI;AACrD,UAAI,eAAe;AAElB,YAAI,KAAC,8CAA6B,aAAa,GAAG;AACjD,eAAK,OAAO;AAAA,YACX,yDAAyD,KAAK,KAAK,SAAS,sBAAsB,KAAK,IAAI;AAAA,UAC5G;AACA;AAAA,QACD;AAAA,MACD;AAEA,UAAI,uBAAuB,IAAI,KAAK,IAAI,GAAG;AAC1C,aAAK,OAAO;AAAA,UACX,wBAAwB,KAAK,IAAI,OAAO,KAAK,KAAK,SAAS;AAAA,QAC5D;AACA;AAAA,MACD;AAEA,6BAAuB,IAAI,KAAK,IAAI;AAEpC,YAAM,YAAY,KAAK,qBAAqB,IAAI;AAChD,YAAM,aAAa,KAAK,sBAAsB,IAAI;AAElD,UAAI,aAAa,CAAC,UAAU,SAAS,MAAM,GAAG;AAC7C,qBAAa;AAAA,MACd;AAEA,mBAAa;AACb,mBAAa;AAEb,UAAI,MAAM,MAAM,SAAS,CAAC,MAAM,KAAM,cAAa;AAEnD,UAAI,KAAK,MAAM;AACd,cAAM,gBAAgB,KAAK,eAAe;AAAA,UACzC,KAAK,KAAK,aAAa,MAAM,KAAK,WAAW,CAAC;AAAA,UAC9C;AAAA,QACD;AACA,wBAAgB,KAAK,KAAK,uBAAuB,aAAa,CAAC;AAAA,MAChE;AAAA,IACD,CAAC;AAED,QAAI,OAAO;AAEX,QAAI,gBAAgB,QAAQ;AAC3B,cAAQ,gBAAgB,KAAK,IAAI;AACjC,cAAQ;AAAA,IACT;AAEA,SAAK,YAAY,IAAI,QAAQ;AAE7B,YAAQ,WAAW,KAAK,KAAK,SAAS,KAAK,KAAK,MAAM,KAAK,KAAK,SAAS,CAAC;AAAA,yCAAgD,KAAK,KAAK,SAAS,wCAAwC,4BAA4B,KAAK,YAAY,CAAC;AAEnO,QAAI,MAAM,WAAW,KAAK,MAAM,CAAC,EAAE,SAAS;AAI3C,cAAQ;AAAA;AAAA;AAAA;AAAA,IACT,OAAO;AACN,cAAQ;AAAA;AAAA;AAAA,IACT;AAEA,YAAQ,gBAAgB,KAAK,KAAK,SAAS;AAAA;AAC3C,YAAQ,GAAG,SAAS;AAAA;AACpB,UAAM,UAAU;AAAA,MACf,YAAY,CAAC,GAAG,KAAK,WAAW,EAAE,KAAK,EAAE,KAAK,IAAI,CAAC;AAAA,IACpD;AAEA,QAAI,KAAK,cAAc,OAAO,GAAG;AAChC,cAAQ;AAAA,QACP,YAAY,CAAC,GAAG,KAAK,aAAa,EAChC,KAAK,EACL,KAAK,IAAI,CAAC;AAAA,MACb;AAAA,IACD;AAEA,YAAQ,KAAK,sEAAsE;AAEnF,UAAM,gBAAgB,CAAC,GAAG,KAAK,aAAa,EAAE,OAAO,CAAC,MAAM,MAAM,KAAK,KAAK,SAAS;AACrF,kBAAc,KAAK,EAAE,QAAQ,CAAC,WAAW;AACxC,cAAQ,KAAK,YAAY,MAAM,kBAAc,sCAAwB,MAAM,CAAC,IAAI;AAAA,IACjF,CAAC;AAED,YAAQ;AAAA,MACP,YAAY,KAAK,YAAY,OAAO,IAAI,CAAC,GAAG,KAAK,WAAW,EAAE,KAAK,EAAE,KAAK,IAAI,IAAI,OAAO,EAAE,GAC1F,KAAK,KAAK,SACX,UAAU,KAAK,KAAK,SAAS;AAAA,MAC7B;AAAA,IACD;AAEA,WAAO,GAAG,QAAQ,KAAK,IAAI,CAAC;AAAA;AAAA,EAAO,IAAI;AAEvC,WAAO;AAAA,EACR;AAAA,EAEU,0BAA0B,MAA8B;AACjE,QAAI,CAAC,0BAAc,YAAY,0BAAc,WAAW,EAAE,SAAS,KAAK,IAAI,GAAG;AAC9E,aAAO,KAAK,KAAK,OAAO,CAAC,EAAE,YAAY,IAAI,KAAK,KAAK,MAAM,CAAC;AAAA,IAC7D;AAEA,QAAI,CAAC,SAAS,QAAQ,KAAK,EAAE,SAAS,KAAK,cAAc,CAAC,CAAC,GAAG;AAC7D,aAAO;AAAA,IACR;AAEA,QAAI,KAAK,cAAc,CAAC,MAAM,QAAQ;AACrC,aAAO;AAAA,IACR;AAEA,QAAI,KAAK,SAAS,WAAW;AAE5B,aAAO;AAAA,IACR;AAEA,QAAI,KAAK,SAAS,UAAU;AAC3B,aAAO;AAAA,IACR;AAEA,WAAO,KAAK;AAAA,EACb;AAAA,EAEU,sBAAsB,MAA8B;AAC7D,UAAM,UAAU;AAEhB,QAAI,CAAC,0BAAc,aAAa,0BAAc,YAAY,EAAE,SAAS,KAAK,IAAI,GAAG;AAChF,WAAK,cAAc,IAAI,KAAK,IAAI;AAChC,aAAO,GAAG,OAAO,GAAG,KAAK,IAAI,MAAM,KAAK,IAAI;AAAA;AAAA,IAC7C;AAGA,UAAM,2BAA2B,KAAK,QAAQ,OAAO,KAAK,YAAY;AACtE,UAAM,aAAa,KAAK,WAAW,QAAQ;AAC3C,UAAM,WAAW,KAAK,WAAW,MAAM,aAAa,KAAK;AAEzD,UAAM,OAAO,GAAG,KAAK,IAAI,GAAG,QAAQ,KAAK,KAAK,0BAA0B,IAAI,CAAC;AAE7E,QAAI,CAAC,YAAY;AAChB,aAAO,GAAG,UAAU,IAAI;AAAA;AAAA,IACzB;AAEA,QAAI,KAAK,QAAQ,OAAO,KAAK,YAAY,UAAU;AAClD,aAAO,GAAG,OAAO,GAAG,IAAI,MAAM,KAAK,WAAW,QAAI,qCAAuB,KAAK,OAAO,CAAC;AAAA;AAAA,IACvF;AAEA,WAAO,GAAG,OAAO,GAAG,KAAK,IAAI,MAAM,KAAK,OAAO;AAAA;AAAA,EAChD;AAAA,EAEU,uBAAuB,eAA+B;AAC/D,SAAK,YAAY,IAAI,qBAAqB;AAC1C,SAAK,YAAY,IAAI,aAAa;AAClC,WAAO,wDAAwD,aAAa,WAAW,KAAK,MAAM,aAAa,CAAC;AAAA,EACjH;AAAA,EAEQ,uBAAuB,MAA8B;AAC5D,QAAI,KAAK,SAAS;AACjB,WAAK,YAAY,IAAI,IAAI;AACzB,aAAO;AAAA,IACR;AAEA,QAAI,KAAK,gBAAgB,QAAQ;AAChC,WAAK,cAAc,IAAI,qBAAqB;AAC5C,aAAO;AAAA,IACR;AAEA,QAAI,KAAK,cAAc,CAAC,MAAM,QAAQ;AACrC,WAAK,cAAc,IAAI,YAAY;AACnC,aAAO;AAAA,IACR;AAEA,QAAI,KAAK,gBAAgB,WAAW;AACnC,aAAO;AAAA,IACR;AAEA,QAAI,KAAK,gBAAgB,UAAU;AAClC,WAAK,cAAc,IAAI,eAAe;AACtC,aAAO;AAAA,IACR;AAEA,QAAI,KAAK,gBAAgB,UAAU;AAClC,WAAK,cAAc,IAAI,aAAa;AACpC,aAAO;AAAA,IACR;AAEA,QAAI,CAAC,SAAS,QAAQ,KAAK,EAAE,SAAS,KAAK,cAAc,CAAC,CAAC,GAAG;AAC7D,WAAK,cAAc,IAAI,aAAa;AACpC,aAAO;AAAA,IACR;AAEA,QAAI,KAAK,aAAa,SAAS,IAAI,GAAG;AACrC,aAAO,IAAI,KAAK,KAAK,OAAO,CAAC,EAAE,YAAY,IAAI,KAAK,KAAK,MAAM,CAAC,EAAE,QAAQ,MAAM,EAAE,CAAC;AAAA,IACpF;AAEA,QAAI,CAAC,0BAAc,YAAY,0BAAc,WAAW,EAAE,SAAS,KAAK,IAAI,GAAG;AAC9E,aAAO,KAAK,KAAK,OAAO,CAAC,EAAE,YAAY,IAAI,KAAK,KAAK,MAAM,CAAC;AAAA,IAC7D;AAEA,QAAI,CAAC,0BAAc,cAAc,0BAAc,WAAW,EAAE,SAAS,KAAK,IAAI,GAAG;AAChF,aAAO,IAAI,KAAK,KAAK,OAAO,CAAC,EAAE,YAAY,IAAI,KAAK,KAAK,MAAM,CAAC,EAAE,QAAQ,MAAM,EAAE,CAAC;AAAA,IACpF;AAEA,QAAI,KAAK,YAAY;AACpB,aAAO,IAAI,KAAK,KAAK,OAAO,CAAC,EAAE,YAAY,IAAI,KAAK,KAAK,MAAM,CAAC,CAAC;AAAA,IAClE;AAEA,UAAM,iBAAiB,KAAK,eAAe,KAAK;AAEhD,QAAI,CAAC,gBAAgB;AACpB,cAAQ,MAAM,yDAAyD,IAAI;AAC3E,YAAM,IAAI,MAAM,YAAY,KAAK,IAAI,OAAO,KAAK,MAAM,qCAAqC;AAAA,IAC7F;AAEA,WAAO,eAAe,OAAO,CAAC,EAAE,YAAY,IAAI,eAAe,MAAM,CAAC;AAAA,EACvE;AAAA,EAEQ,qBAAqB,MAA8B;AAC1D,UAAM,UAAU;AAChB,UAAM,UAAU,CAAC;AACjB,QAAI,YAAY,KAAK,iBAAiB,IAAI;AAE1C,QAAI,KAAK,SAAS,0BAAc,cAAc;AAC7C,WAAK,8BAA8B,SAAS,IAAI;AAAA,IACjD,WAAW,KAAK,SAAS,0BAAc,aAAa;AACnD,WAAK,6BAA6B,SAAS,IAAI;AAAA,IAChD,WAAW,KAAK,SAAS,0BAAc,QAAQ;AAC9C,WAAK,8BAA8B,SAAS,IAAI;AAAA,IACjD;AAEA,SAAK,0BAA0B,SAAS,IAAI;AAC5C,gBAAY,CAAC,SAAS,EAAE,IAAI,CAAC,MAAM,UAAU,CAAC,EAAE,KAAK,IAAI;AAEzD,QAAI,CAAC,kBAAM,cAAc,OAAO,GAAG;AAClC,aAAO,GAAG,SAAS,UAAU,KAAK,uBAAuB,IAAI,CAAC;AAAA;AAAA,IAC/D;AAEA,WAAO,GAAG,SAAS,UAAU,KAAK,uBAAuB,IAAI,CAAC,OAAO,OAAO,QAAQ,OAAO,EACzF,IAAI,CAAC,CAAC,KAAK,GAAG,MAAM,GAAG,GAAG,KAAK,KAAK,UAAU,GAAG,EAAE,WAAW,KAAK,EAAE,CAAC,EAAE,EACxE,KAAK,IAAI,CAAC;AAAA;AAAA,EACb;AAAA,EAEU,0BAA0B,SAAqB,MAA4B;AACpF,QAAI,KAAK,YAAY,CAAC,KAAK,UAAU;AACpC,cAAQ,WAAW;AAAA,IACpB;AAEA,QAAI,KAAK,SAAS;AACjB,cAAQ,kBAAkB;AAAA,IAC3B;AAIA,QAAI,KAAK,SAAS,QAAQ;AACzB,cAAQ,iBAAiB,EAAE,cAAc,KAAK;AAAA,IAC/C,WAAW,KAAK,SAAS,WAAW,CAAC,KAAK,KAAK,MAAM,KAAK,CAACA,UAASA,MAAK,SAAS,MAAM,GAAG;AAC1F,cAAQ,iBAAiB,EAAE,cAAc,KAAK;AAAA,IAC/C;AAAA,EACD;AAAA,EAEU,8BAA8B,SAAqB,MAAsB;AAClF,SAAK,cAAc,IAAI,KAAK,IAAI;AAChC,YAAQ,eAAe,KAAK,UAAM,iBAAAC,aAAU,sCAAwB,KAAK,KAAK,SAAS,CAAC,CAAC;AAAA,EAC1F;AAAA,EAEU,6BAA6B,SAAqB,MAAsB;AACjF,SAAK,cAAc,IAAI,KAAK,IAAI;AAChC,YAAQ,eAAe,KAAK,MAAM,KAAK,QAAQ;AAAA,EAChD;AAAA,EAEU,8BAA8B,SAAqB,MAAsB;AAClF,SAAK,cAAc,IAAI,KAAK,IAAI;AAEhC,UAAM,gBAAgB,KAAK,aAAa,IAAI,KAAK,IAAI;AACrD,QAAI,CAAC,eAAe;AACnB,YAAM,IAAI;AAAA,QACT,kCAAkC,KAAK,IAAI;AAAA,MAC5C;AAAA,IACD;AACA,QAAI,KAAC,8CAA6B,aAAa,GAAG;AACjD,YAAM,IAAI,MAAM,2CAA2C;AAAA,IAC5D;AACA,UAAM,CAAC,UAAU,IAAI,cAAc,gBAAgB;AAEnD,YAAQ,KAAK,sBAAsB,KAAK,IAAI,KAAK,WAAW,IAAI;AAAA,EACjE;AAAA,EAEU,iBAAiB,MAA8B;AACxD,QAAI,CAAC,0BAAc,YAAY,0BAAc,WAAW,EAAE,SAAS,KAAK,IAAI,GAAG;AAC9E,WAAK,YAAY,IAAI,mBAAmB;AACxC,aAAO,sBAAsB,KAAK,KAAK,SAAS;AAAA,IACjD;AAEA,QAAI,CAAC,0BAAc,aAAa,0BAAc,YAAY,EAAE,SAAS,KAAK,IAAI,GAAG;AAChF,WAAK,YAAY,IAAI,mBAAmB;AACxC,aAAO,sBAAsB,KAAK,IAAI;AAAA,IACvC;AAEA,SAAK,YAAY,IAAI,OAAO;AAC5B,WAAO;AAAA,EACR;AACD;",
4
+ "sourcesContent": ["import type {\n\tDictionary,\n\tEntityMetadata,\n\tEntityProperty,\n\tNamingStrategy,\n\tPlatform,\n} from '@mikro-orm/core';\nimport { ReferenceKind, Utils } from '@mikro-orm/core';\nimport pluralize from 'pluralize';\nimport { identifierForEnumValue, pascalToCamelCaseString, pascalToKebabCaseString } from '../utils';\nimport { BaseFile } from './base-file';\nimport { DatabaseType } from '../../database';\nimport { isEntityWithSinglePrimaryKey } from '../generate';\n\nconst friendlyNameForDatabaseType = (type: DatabaseType) => {\n\tif (type === 'mssql') return 'SQL Server';\n\tif (type === 'mysql') return 'MySQL';\n\tif (type === 'postgresql') return 'PostgreSQL';\n\tif (type === 'sqlite') return 'SQLite';\n\n\tthrow new Error('Unimplemented database type: ' + type);\n};\n\nexport class SchemaEntityFile extends BaseFile {\n\tprotected readonly coreImports = new Set<string>();\n\tprotected readonly scalarImports = new Set<string>();\n\tprotected readonly entityImports = new Set<string>();\n\tprotected readonly enumImports = new Set<string>();\n\tpublic readonly errors: string[] = [];\n\n\tconstructor(\n\t\tprotected readonly meta: EntityMetadata,\n\t\tprotected readonly namingStrategy: NamingStrategy,\n\t\tprotected readonly platform: Platform,\n\t\tprotected readonly databaseType: DatabaseType,\n\t\tprotected readonly entityLookup: Map<string, EntityMetadata<any>>\n\t) {\n\t\tsuper(meta, namingStrategy, platform);\n\t}\n\n\tgetBasePath() {\n\t\treturn `backend/schema/`;\n\t}\n\n\tgetBaseName() {\n\t\tconst fileName = pascalToKebabCaseString(this.meta.className);\n\t\treturn `${fileName}.ts`;\n\t}\n\n\tgenerate(): string {\n\t\tconst enumDefinitions: string[] = [];\n\t\tlet classBody = '';\n\t\tconst generatedPropertyNames = new Set<string>();\n\t\tconst props = Object.values(this.meta.properties);\n\t\tprops.forEach((prop) => {\n\t\t\tconst relatedEntity = this.entityLookup.get(prop.type);\n\t\t\tif (relatedEntity) {\n\t\t\t\t// These are not supported yet, just skip them.\n\t\t\t\tif (!isEntityWithSinglePrimaryKey(relatedEntity)) {\n\t\t\t\t\tthis.errors.push(\n\t\t\t\t\t\t` - Warning: Composite primary keys are not supported. ${this.meta.className} entity references ${prop.type} entity with composite primary key.`\n\t\t\t\t\t);\n\t\t\t\t\treturn;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tif (generatedPropertyNames.has(prop.name)) {\n\t\t\t\tthis.errors.push(\n\t\t\t\t\t` - Warning: Property ${prop.name} on ${this.meta.className} entity is not unique. Additional instances of this property were ignored.`\n\t\t\t\t);\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tgeneratedPropertyNames.add(prop.name);\n\n\t\t\tconst decorator = this.getPropertyDecorator(prop);\n\t\t\tconst definition = this.getPropertyDefinition(prop);\n\n\t\t\tif (classBody && !classBody.endsWith('\\n\\n')) {\n\t\t\t\tclassBody += '\\n';\n\t\t\t}\n\n\t\t\tclassBody += decorator;\n\t\t\tclassBody += definition;\n\n\t\t\tif (props[props.length - 1] !== prop) classBody += '\\n';\n\n\t\t\tif (prop.enum) {\n\t\t\t\tconst enumClassName = this.namingStrategy.getClassName(\n\t\t\t\t\tthis.meta.collection + '_' + prop.fieldNames[0],\n\t\t\t\t\t'_'\n\t\t\t\t);\n\t\t\t\tenumDefinitions.push(this.getEnumClassDefinition(enumClassName));\n\t\t\t}\n\t\t});\n\n\t\tlet file = '';\n\n\t\tif (enumDefinitions.length) {\n\t\t\tfile += enumDefinitions.join('\\n');\n\t\t\tfile += '\\n\\n';\n\t\t}\n\n\t\tthis.coreImports.add('Entity');\n\n\t\tfile += `@Entity<${this.meta.className}>(${this.quote(this.meta.className)}, {\\n\\tprovider: new MikroBackendProvider(Orm${this.meta.className}, connection, { backendDisplayName: '${friendlyNameForDatabaseType(this.databaseType)}'})`;\n\n\t\tif (props.length === 1 && props[0].primary) {\n\t\t\t// Special case. If there's a single primary key field in this entity, right now that requires that it's a client side generated primary key.\n\t\t\t// There's no reason this has to be the case, but it's a current limitation, so we should generate a working project for them.\n\t\t\t// We should be able to remove this in the future and allow users to use it both ways.\n\t\t\tfile += `,\\n\\tapiOptions: { clientGeneratedPrimaryKeys: true },\\n})\\n`;\n\t\t} else {\n\t\t\tfile += `\\n})\\n`;\n\t\t}\n\n\t\tfile += `export class ${this.meta.className} {\\n`;\n\t\tfile += `${classBody}}\\n`;\n\t\tconst imports = [\n\t\t\t`import { ${[...this.coreImports].sort().join(', ')} } from '@exogee/graphweaver';`,\n\t\t];\n\n\t\tif (this.scalarImports.size > 0) {\n\t\t\timports.push(\n\t\t\t\t`import { ${[...this.scalarImports]\n\t\t\t\t\t.sort()\n\t\t\t\t\t.join(', ')} } from '@exogee/graphweaver-scalars';`\n\t\t\t);\n\t\t}\n\n\t\timports.push(`import { MikroBackendProvider } from '@exogee/graphweaver-mikroorm';`);\n\n\t\tconst entityImports = [...this.entityImports].filter((e) => e !== this.meta.className);\n\t\tentityImports.sort().forEach((entity) => {\n\t\t\timports.push(`import { ${entity} } from './${pascalToKebabCaseString(entity)}';`);\n\t\t});\n\n\t\timports.push(\n\t\t\t`import { ${this.enumImports.size > 0 ? [...this.enumImports].sort().join(', ') + ', ' : ''}${\n\t\t\t\tthis.meta.className\n\t\t\t} as Orm${this.meta.className} } from '../entities';`,\n\t\t\t`import { connection } from '../database';`\n\t\t);\n\n\t\tfile = `${imports.join('\\n')}\\n\\n${file}`;\n\n\t\treturn file;\n\t}\n\n\tprotected getTypescriptPropertyType(prop: EntityProperty): string {\n\t\tif ([ReferenceKind.ONE_TO_ONE, ReferenceKind.MANY_TO_ONE].includes(prop.kind)) {\n\t\t\treturn prop.type.charAt(0).toUpperCase() + prop.type.slice(1);\n\t\t}\n\n\t\tif (['jsonb', 'json', 'any'].includes(prop.columnTypes?.[0])) {\n\t\t\treturn `Record<string, unknown>`;\n\t\t}\n\n\t\tif (prop.columnTypes?.[0] === 'date') {\n\t\t\treturn 'Date';\n\t\t}\n\n\t\tif (prop.type === 'unknown') {\n\t\t\t//fallback to string if unknown\n\t\t\treturn 'string';\n\t\t}\n\n\t\tif (prop.type === 'bigint') {\n\t\t\treturn 'string';\n\t\t}\n\n\t\treturn prop.runtimeType;\n\t}\n\n\tprotected getPropertyDefinition(prop: EntityProperty): string {\n\t\tconst padding = '\\t';\n\n\t\tif ([ReferenceKind.ONE_TO_MANY, ReferenceKind.MANY_TO_MANY].includes(prop.kind)) {\n\t\t\tthis.entityImports.add(prop.type);\n\t\t\treturn `${padding}${prop.name}!: ${prop.type}[];\\n`;\n\t\t}\n\n\t\t// string defaults are usually things like SQL functions, but can be also enums, for that `useDefault` should be true\n\t\tconst isEnumOrNonStringDefault = prop.enum || typeof prop.default !== 'string';\n\t\tconst useDefault = prop.default != null && isEnumOrNonStringDefault;\n\t\tconst optional = prop.nullable ? '?' : useDefault ? '' : '!';\n\n\t\tconst file = `${prop.name}${optional}: ${this.getTypescriptPropertyType(prop)}`;\n\n\t\tif (!useDefault) {\n\t\t\treturn `${padding + file};\\n`;\n\t\t}\n\n\t\tif (prop.enum && typeof prop.default === 'string') {\n\t\t\treturn `${padding}${file} = ${prop.runtimeType}.${identifierForEnumValue(prop.default)};\\n`;\n\t\t}\n\n\t\treturn `${padding}${prop.name} = ${prop.default};\\n`;\n\t}\n\n\tprotected getEnumClassDefinition(enumClassName: string): string {\n\t\tthis.coreImports.add('graphweaverMetadata');\n\t\tthis.enumImports.add(enumClassName);\n\t\treturn `graphweaverMetadata.collectEnumInformation({ target: ${enumClassName}, name: ${this.quote(enumClassName)} });`;\n\t}\n\n\tprivate getGraphQLPropertyType(prop: EntityProperty): string {\n\t\tif (prop.primary) {\n\t\t\tthis.coreImports.add('ID');\n\t\t\treturn 'ID';\n\t\t}\n\n\t\tif (prop.runtimeType === 'Date') {\n\t\t\tthis.scalarImports.add('ISODateStringScalar');\n\t\t\treturn 'ISODateStringScalar';\n\t\t}\n\n\t\tif (prop.columnTypes?.[0] === 'date') {\n\t\t\tthis.scalarImports.add('DateScalar');\n\t\t\treturn 'DateScalar';\n\t\t}\n\n\t\tif (prop.runtimeType === 'unknown') {\n\t\t\treturn 'String';\n\t\t}\n\n\t\tif (prop.runtimeType === 'bigint') {\n\t\t\tthis.scalarImports.add('GraphQLBigInt');\n\t\t\treturn 'GraphQLBigInt';\n\t\t}\n\n\t\tif (prop.runtimeType === 'Buffer') {\n\t\t\tthis.scalarImports.add('GraphQLByte');\n\t\t\treturn 'GraphQLByte';\n\t\t}\n\n\t\tif (['jsonb', 'json', 'any'].includes(prop.columnTypes?.[0])) {\n\t\t\tthis.scalarImports.add('GraphQLJSON');\n\t\t\treturn `GraphQLJSON`;\n\t\t}\n\n\t\tif (prop.runtimeType?.includes('[]')) {\n\t\t\treturn `[${prop.type.charAt(0).toUpperCase() + prop.type.slice(1).replace('[]', '')}]`;\n\t\t}\n\n\t\tif ([ReferenceKind.ONE_TO_ONE, ReferenceKind.MANY_TO_ONE].includes(prop.kind)) {\n\t\t\treturn prop.type.charAt(0).toUpperCase() + prop.type.slice(1);\n\t\t}\n\n\t\tif ([ReferenceKind.MANY_TO_MANY, ReferenceKind.ONE_TO_MANY].includes(prop.kind)) {\n\t\t\treturn `[${prop.type.charAt(0).toUpperCase() + prop.type.slice(1).replace('[]', '')}]`;\n\t\t}\n\n\t\tif (prop.pivotTable) {\n\t\t\treturn `[${prop.type.charAt(0).toUpperCase() + prop.type.slice(1)}]`;\n\t\t}\n\n\t\tconst lastChanceType = prop.runtimeType ?? prop.type;\n\n\t\tif (!lastChanceType) {\n\t\t\tconsole.error(`Property is malformed, it has no type or runtimeType:`, prop);\n\t\t\tthrow new Error(`Property ${prop.name} on ${prop.entity} entity has no type or runtimeType.`);\n\t\t}\n\n\t\treturn lastChanceType.charAt(0).toUpperCase() + lastChanceType.slice(1);\n\t}\n\n\tprivate getPropertyDecorator(prop: EntityProperty): string {\n\t\tconst padding = '\\t';\n\t\tconst options = {} as Dictionary;\n\t\tlet decorator = this.getDecoratorType(prop);\n\n\t\tif (prop.kind === ReferenceKind.MANY_TO_MANY) {\n\t\t\tthis.getManyToManyDecoratorOptions(options, prop);\n\t\t} else if (prop.kind === ReferenceKind.ONE_TO_MANY) {\n\t\t\tthis.getOneToManyDecoratorOptions(options, prop);\n\t\t} else if (prop.kind !== ReferenceKind.SCALAR) {\n\t\t\tthis.getForeignKeyDecoratorOptions(options, prop);\n\t\t}\n\n\t\tthis.getCommonDecoratorOptions(options, prop);\n\t\tdecorator = [decorator].map((d) => padding + d).join('\\n');\n\n\t\tif (!Utils.hasObjectKeys(options)) {\n\t\t\treturn `${decorator}(() => ${this.getGraphQLPropertyType(prop)})\\n`;\n\t\t}\n\n\t\treturn `${decorator}(() => ${this.getGraphQLPropertyType(prop)}, { ${Object.entries(options)\n\t\t\t.map(([opt, val]) => `${opt}: ${JSON.stringify(val).replaceAll('\"', '')}`)\n\t\t\t.join(', ')} })\\n`;\n\t}\n\n\tprotected getCommonDecoratorOptions(options: Dictionary, prop: EntityProperty): void {\n\t\t// Owning side: use the FK's nullability\n\t\t// Non-owning side of 1:1 is always nullable because we aren't guaranteed to have a row for every single\n\t\t// entity created on the non-owning side of the relationship.\n\t\tif (\n\t\t\t(prop.nullable && !prop.mappedBy) ||\n\t\t\t(prop.mappedBy && prop.kind === ReferenceKind.ONE_TO_ONE)\n\t\t) {\n\t\t\toptions.nullable = true;\n\t\t}\n\n\t\tif (prop.primary) {\n\t\t\toptions.primaryKeyField = true;\n\t\t}\n\n\t\t// If there's a property called 'name' it should be the summary field. If not, and there's a field called 'title'\n\t\t// then it should be the summary field.\n\t\tif (prop.name === 'name') {\n\t\t\toptions.adminUIOptions = { summaryField: true };\n\t\t} else if (prop.name === 'title' && !this.meta.props.find((prop) => prop.name === 'name')) {\n\t\t\toptions.adminUIOptions = { summaryField: true };\n\t\t}\n\t}\n\n\tprotected getManyToManyDecoratorOptions(options: Dictionary, prop: EntityProperty) {\n\t\tthis.entityImports.add(prop.type);\n\t\toptions.relatedField = this.quote(pluralize(pascalToCamelCaseString(this.meta.className)));\n\t}\n\n\tprotected getOneToManyDecoratorOptions(options: Dictionary, prop: EntityProperty) {\n\t\tthis.entityImports.add(prop.type);\n\t\toptions.relatedField = this.quote(prop.mappedBy);\n\t}\n\n\tprotected getForeignKeyDecoratorOptions(options: Dictionary, prop: EntityProperty) {\n\t\tthis.entityImports.add(prop.type);\n\n\t\tconst relatedEntity = this.entityLookup.get(prop.type);\n\t\tif (!relatedEntity) {\n\t\t\tthrow new Error(\n\t\t\t\t`Internal Error: Related entity ${prop.type} should exist but could not be found in the entity lookup.`\n\t\t\t);\n\t\t}\n\t\tif (!isEntityWithSinglePrimaryKey(relatedEntity)) {\n\t\t\tthrow new Error(`Composite primary keys are not supported.`);\n\t\t}\n\t\tconst [primaryKey] = relatedEntity.getPrimaryProps();\n\n\t\toptions.id = `(entity) => entity.${prop.name}?.${primaryKey.name}`;\n\t}\n\n\tprotected getDecoratorType(prop: EntityProperty): string {\n\t\tif ([ReferenceKind.ONE_TO_ONE, ReferenceKind.MANY_TO_ONE].includes(prop.kind)) {\n\t\t\tthis.coreImports.add('RelationshipField');\n\t\t\treturn `@RelationshipField<${this.meta.className}>`;\n\t\t}\n\n\t\tif ([ReferenceKind.ONE_TO_MANY, ReferenceKind.MANY_TO_MANY].includes(prop.kind)) {\n\t\t\tthis.coreImports.add('RelationshipField');\n\t\t\treturn `@RelationshipField<${prop.type}>`;\n\t\t}\n\n\t\tthis.coreImports.add('Field');\n\t\treturn '@Field';\n\t}\n}\n"],
5
+ "mappings": ";;;;;;;;;;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAOA,kBAAqC;AACrC,uBAAsB;AACtB,mBAAyF;AACzF,uBAAyB;AAEzB,sBAA6C;AAE7C,MAAM,8BAA8B,CAAC,SAAuB;AAC3D,MAAI,SAAS,QAAS,QAAO;AAC7B,MAAI,SAAS,QAAS,QAAO;AAC7B,MAAI,SAAS,aAAc,QAAO;AAClC,MAAI,SAAS,SAAU,QAAO;AAE9B,QAAM,IAAI,MAAM,kCAAkC,IAAI;AACvD;AAEO,MAAM,yBAAyB,0BAAS;AAAA,EAO9C,YACoB,MACA,gBACA,UACA,cACA,cAClB;AACD,UAAM,MAAM,gBAAgB,QAAQ;AANjB;AACA;AACA;AACA;AACA;AAXpB,SAAmB,cAAc,oBAAI,IAAY;AACjD,SAAmB,gBAAgB,oBAAI,IAAY;AACnD,SAAmB,gBAAgB,oBAAI,IAAY;AACnD,SAAmB,cAAc,oBAAI,IAAY;AACjD,SAAgB,SAAmB,CAAC;AAAA,EAUpC;AAAA,EAEA,cAAc;AACb,WAAO;AAAA,EACR;AAAA,EAEA,cAAc;AACb,UAAM,eAAW,sCAAwB,KAAK,KAAK,SAAS;AAC5D,WAAO,GAAG,QAAQ;AAAA,EACnB;AAAA,EAEA,WAAmB;AAClB,UAAM,kBAA4B,CAAC;AACnC,QAAI,YAAY;AAChB,UAAM,yBAAyB,oBAAI,IAAY;AAC/C,UAAM,QAAQ,OAAO,OAAO,KAAK,KAAK,UAAU;AAChD,UAAM,QAAQ,CAAC,SAAS;AACvB,YAAM,gBAAgB,KAAK,aAAa,IAAI,KAAK,IAAI;AACrD,UAAI,eAAe;AAElB,YAAI,KAAC,8CAA6B,aAAa,GAAG;AACjD,eAAK,OAAO;AAAA,YACX,yDAAyD,KAAK,KAAK,SAAS,sBAAsB,KAAK,IAAI;AAAA,UAC5G;AACA;AAAA,QACD;AAAA,MACD;AAEA,UAAI,uBAAuB,IAAI,KAAK,IAAI,GAAG;AAC1C,aAAK,OAAO;AAAA,UACX,wBAAwB,KAAK,IAAI,OAAO,KAAK,KAAK,SAAS;AAAA,QAC5D;AACA;AAAA,MACD;AAEA,6BAAuB,IAAI,KAAK,IAAI;AAEpC,YAAM,YAAY,KAAK,qBAAqB,IAAI;AAChD,YAAM,aAAa,KAAK,sBAAsB,IAAI;AAElD,UAAI,aAAa,CAAC,UAAU,SAAS,MAAM,GAAG;AAC7C,qBAAa;AAAA,MACd;AAEA,mBAAa;AACb,mBAAa;AAEb,UAAI,MAAM,MAAM,SAAS,CAAC,MAAM,KAAM,cAAa;AAEnD,UAAI,KAAK,MAAM;AACd,cAAM,gBAAgB,KAAK,eAAe;AAAA,UACzC,KAAK,KAAK,aAAa,MAAM,KAAK,WAAW,CAAC;AAAA,UAC9C;AAAA,QACD;AACA,wBAAgB,KAAK,KAAK,uBAAuB,aAAa,CAAC;AAAA,MAChE;AAAA,IACD,CAAC;AAED,QAAI,OAAO;AAEX,QAAI,gBAAgB,QAAQ;AAC3B,cAAQ,gBAAgB,KAAK,IAAI;AACjC,cAAQ;AAAA,IACT;AAEA,SAAK,YAAY,IAAI,QAAQ;AAE7B,YAAQ,WAAW,KAAK,KAAK,SAAS,KAAK,KAAK,MAAM,KAAK,KAAK,SAAS,CAAC;AAAA,yCAAgD,KAAK,KAAK,SAAS,wCAAwC,4BAA4B,KAAK,YAAY,CAAC;AAEnO,QAAI,MAAM,WAAW,KAAK,MAAM,CAAC,EAAE,SAAS;AAI3C,cAAQ;AAAA;AAAA;AAAA;AAAA,IACT,OAAO;AACN,cAAQ;AAAA;AAAA;AAAA,IACT;AAEA,YAAQ,gBAAgB,KAAK,KAAK,SAAS;AAAA;AAC3C,YAAQ,GAAG,SAAS;AAAA;AACpB,UAAM,UAAU;AAAA,MACf,YAAY,CAAC,GAAG,KAAK,WAAW,EAAE,KAAK,EAAE,KAAK,IAAI,CAAC;AAAA,IACpD;AAEA,QAAI,KAAK,cAAc,OAAO,GAAG;AAChC,cAAQ;AAAA,QACP,YAAY,CAAC,GAAG,KAAK,aAAa,EAChC,KAAK,EACL,KAAK,IAAI,CAAC;AAAA,MACb;AAAA,IACD;AAEA,YAAQ,KAAK,sEAAsE;AAEnF,UAAM,gBAAgB,CAAC,GAAG,KAAK,aAAa,EAAE,OAAO,CAAC,MAAM,MAAM,KAAK,KAAK,SAAS;AACrF,kBAAc,KAAK,EAAE,QAAQ,CAAC,WAAW;AACxC,cAAQ,KAAK,YAAY,MAAM,kBAAc,sCAAwB,MAAM,CAAC,IAAI;AAAA,IACjF,CAAC;AAED,YAAQ;AAAA,MACP,YAAY,KAAK,YAAY,OAAO,IAAI,CAAC,GAAG,KAAK,WAAW,EAAE,KAAK,EAAE,KAAK,IAAI,IAAI,OAAO,EAAE,GAC1F,KAAK,KAAK,SACX,UAAU,KAAK,KAAK,SAAS;AAAA,MAC7B;AAAA,IACD;AAEA,WAAO,GAAG,QAAQ,KAAK,IAAI,CAAC;AAAA;AAAA,EAAO,IAAI;AAEvC,WAAO;AAAA,EACR;AAAA,EAEU,0BAA0B,MAA8B;AACjE,QAAI,CAAC,0BAAc,YAAY,0BAAc,WAAW,EAAE,SAAS,KAAK,IAAI,GAAG;AAC9E,aAAO,KAAK,KAAK,OAAO,CAAC,EAAE,YAAY,IAAI,KAAK,KAAK,MAAM,CAAC;AAAA,IAC7D;AAEA,QAAI,CAAC,SAAS,QAAQ,KAAK,EAAE,SAAS,KAAK,cAAc,CAAC,CAAC,GAAG;AAC7D,aAAO;AAAA,IACR;AAEA,QAAI,KAAK,cAAc,CAAC,MAAM,QAAQ;AACrC,aAAO;AAAA,IACR;AAEA,QAAI,KAAK,SAAS,WAAW;AAE5B,aAAO;AAAA,IACR;AAEA,QAAI,KAAK,SAAS,UAAU;AAC3B,aAAO;AAAA,IACR;AAEA,WAAO,KAAK;AAAA,EACb;AAAA,EAEU,sBAAsB,MAA8B;AAC7D,UAAM,UAAU;AAEhB,QAAI,CAAC,0BAAc,aAAa,0BAAc,YAAY,EAAE,SAAS,KAAK,IAAI,GAAG;AAChF,WAAK,cAAc,IAAI,KAAK,IAAI;AAChC,aAAO,GAAG,OAAO,GAAG,KAAK,IAAI,MAAM,KAAK,IAAI;AAAA;AAAA,IAC7C;AAGA,UAAM,2BAA2B,KAAK,QAAQ,OAAO,KAAK,YAAY;AACtE,UAAM,aAAa,KAAK,WAAW,QAAQ;AAC3C,UAAM,WAAW,KAAK,WAAW,MAAM,aAAa,KAAK;AAEzD,UAAM,OAAO,GAAG,KAAK,IAAI,GAAG,QAAQ,KAAK,KAAK,0BAA0B,IAAI,CAAC;AAE7E,QAAI,CAAC,YAAY;AAChB,aAAO,GAAG,UAAU,IAAI;AAAA;AAAA,IACzB;AAEA,QAAI,KAAK,QAAQ,OAAO,KAAK,YAAY,UAAU;AAClD,aAAO,GAAG,OAAO,GAAG,IAAI,MAAM,KAAK,WAAW,QAAI,qCAAuB,KAAK,OAAO,CAAC;AAAA;AAAA,IACvF;AAEA,WAAO,GAAG,OAAO,GAAG,KAAK,IAAI,MAAM,KAAK,OAAO;AAAA;AAAA,EAChD;AAAA,EAEU,uBAAuB,eAA+B;AAC/D,SAAK,YAAY,IAAI,qBAAqB;AAC1C,SAAK,YAAY,IAAI,aAAa;AAClC,WAAO,wDAAwD,aAAa,WAAW,KAAK,MAAM,aAAa,CAAC;AAAA,EACjH;AAAA,EAEQ,uBAAuB,MAA8B;AAC5D,QAAI,KAAK,SAAS;AACjB,WAAK,YAAY,IAAI,IAAI;AACzB,aAAO;AAAA,IACR;AAEA,QAAI,KAAK,gBAAgB,QAAQ;AAChC,WAAK,cAAc,IAAI,qBAAqB;AAC5C,aAAO;AAAA,IACR;AAEA,QAAI,KAAK,cAAc,CAAC,MAAM,QAAQ;AACrC,WAAK,cAAc,IAAI,YAAY;AACnC,aAAO;AAAA,IACR;AAEA,QAAI,KAAK,gBAAgB,WAAW;AACnC,aAAO;AAAA,IACR;AAEA,QAAI,KAAK,gBAAgB,UAAU;AAClC,WAAK,cAAc,IAAI,eAAe;AACtC,aAAO;AAAA,IACR;AAEA,QAAI,KAAK,gBAAgB,UAAU;AAClC,WAAK,cAAc,IAAI,aAAa;AACpC,aAAO;AAAA,IACR;AAEA,QAAI,CAAC,SAAS,QAAQ,KAAK,EAAE,SAAS,KAAK,cAAc,CAAC,CAAC,GAAG;AAC7D,WAAK,cAAc,IAAI,aAAa;AACpC,aAAO;AAAA,IACR;AAEA,QAAI,KAAK,aAAa,SAAS,IAAI,GAAG;AACrC,aAAO,IAAI,KAAK,KAAK,OAAO,CAAC,EAAE,YAAY,IAAI,KAAK,KAAK,MAAM,CAAC,EAAE,QAAQ,MAAM,EAAE,CAAC;AAAA,IACpF;AAEA,QAAI,CAAC,0BAAc,YAAY,0BAAc,WAAW,EAAE,SAAS,KAAK,IAAI,GAAG;AAC9E,aAAO,KAAK,KAAK,OAAO,CAAC,EAAE,YAAY,IAAI,KAAK,KAAK,MAAM,CAAC;AAAA,IAC7D;AAEA,QAAI,CAAC,0BAAc,cAAc,0BAAc,WAAW,EAAE,SAAS,KAAK,IAAI,GAAG;AAChF,aAAO,IAAI,KAAK,KAAK,OAAO,CAAC,EAAE,YAAY,IAAI,KAAK,KAAK,MAAM,CAAC,EAAE,QAAQ,MAAM,EAAE,CAAC;AAAA,IACpF;AAEA,QAAI,KAAK,YAAY;AACpB,aAAO,IAAI,KAAK,KAAK,OAAO,CAAC,EAAE,YAAY,IAAI,KAAK,KAAK,MAAM,CAAC,CAAC;AAAA,IAClE;AAEA,UAAM,iBAAiB,KAAK,eAAe,KAAK;AAEhD,QAAI,CAAC,gBAAgB;AACpB,cAAQ,MAAM,yDAAyD,IAAI;AAC3E,YAAM,IAAI,MAAM,YAAY,KAAK,IAAI,OAAO,KAAK,MAAM,qCAAqC;AAAA,IAC7F;AAEA,WAAO,eAAe,OAAO,CAAC,EAAE,YAAY,IAAI,eAAe,MAAM,CAAC;AAAA,EACvE;AAAA,EAEQ,qBAAqB,MAA8B;AAC1D,UAAM,UAAU;AAChB,UAAM,UAAU,CAAC;AACjB,QAAI,YAAY,KAAK,iBAAiB,IAAI;AAE1C,QAAI,KAAK,SAAS,0BAAc,cAAc;AAC7C,WAAK,8BAA8B,SAAS,IAAI;AAAA,IACjD,WAAW,KAAK,SAAS,0BAAc,aAAa;AACnD,WAAK,6BAA6B,SAAS,IAAI;AAAA,IAChD,WAAW,KAAK,SAAS,0BAAc,QAAQ;AAC9C,WAAK,8BAA8B,SAAS,IAAI;AAAA,IACjD;AAEA,SAAK,0BAA0B,SAAS,IAAI;AAC5C,gBAAY,CAAC,SAAS,EAAE,IAAI,CAAC,MAAM,UAAU,CAAC,EAAE,KAAK,IAAI;AAEzD,QAAI,CAAC,kBAAM,cAAc,OAAO,GAAG;AAClC,aAAO,GAAG,SAAS,UAAU,KAAK,uBAAuB,IAAI,CAAC;AAAA;AAAA,IAC/D;AAEA,WAAO,GAAG,SAAS,UAAU,KAAK,uBAAuB,IAAI,CAAC,OAAO,OAAO,QAAQ,OAAO,EACzF,IAAI,CAAC,CAAC,KAAK,GAAG,MAAM,GAAG,GAAG,KAAK,KAAK,UAAU,GAAG,EAAE,WAAW,KAAK,EAAE,CAAC,EAAE,EACxE,KAAK,IAAI,CAAC;AAAA;AAAA,EACb;AAAA,EAEU,0BAA0B,SAAqB,MAA4B;AAIpF,QACE,KAAK,YAAY,CAAC,KAAK,YACvB,KAAK,YAAY,KAAK,SAAS,0BAAc,YAC7C;AACD,cAAQ,WAAW;AAAA,IACpB;AAEA,QAAI,KAAK,SAAS;AACjB,cAAQ,kBAAkB;AAAA,IAC3B;AAIA,QAAI,KAAK,SAAS,QAAQ;AACzB,cAAQ,iBAAiB,EAAE,cAAc,KAAK;AAAA,IAC/C,WAAW,KAAK,SAAS,WAAW,CAAC,KAAK,KAAK,MAAM,KAAK,CAACA,UAASA,MAAK,SAAS,MAAM,GAAG;AAC1F,cAAQ,iBAAiB,EAAE,cAAc,KAAK;AAAA,IAC/C;AAAA,EACD;AAAA,EAEU,8BAA8B,SAAqB,MAAsB;AAClF,SAAK,cAAc,IAAI,KAAK,IAAI;AAChC,YAAQ,eAAe,KAAK,UAAM,iBAAAC,aAAU,sCAAwB,KAAK,KAAK,SAAS,CAAC,CAAC;AAAA,EAC1F;AAAA,EAEU,6BAA6B,SAAqB,MAAsB;AACjF,SAAK,cAAc,IAAI,KAAK,IAAI;AAChC,YAAQ,eAAe,KAAK,MAAM,KAAK,QAAQ;AAAA,EAChD;AAAA,EAEU,8BAA8B,SAAqB,MAAsB;AAClF,SAAK,cAAc,IAAI,KAAK,IAAI;AAEhC,UAAM,gBAAgB,KAAK,aAAa,IAAI,KAAK,IAAI;AACrD,QAAI,CAAC,eAAe;AACnB,YAAM,IAAI;AAAA,QACT,kCAAkC,KAAK,IAAI;AAAA,MAC5C;AAAA,IACD;AACA,QAAI,KAAC,8CAA6B,aAAa,GAAG;AACjD,YAAM,IAAI,MAAM,2CAA2C;AAAA,IAC5D;AACA,UAAM,CAAC,UAAU,IAAI,cAAc,gBAAgB;AAEnD,YAAQ,KAAK,sBAAsB,KAAK,IAAI,KAAK,WAAW,IAAI;AAAA,EACjE;AAAA,EAEU,iBAAiB,MAA8B;AACxD,QAAI,CAAC,0BAAc,YAAY,0BAAc,WAAW,EAAE,SAAS,KAAK,IAAI,GAAG;AAC9E,WAAK,YAAY,IAAI,mBAAmB;AACxC,aAAO,sBAAsB,KAAK,KAAK,SAAS;AAAA,IACjD;AAEA,QAAI,CAAC,0BAAc,aAAa,0BAAc,YAAY,EAAE,SAAS,KAAK,IAAI,GAAG;AAChF,WAAK,YAAY,IAAI,mBAAmB;AACxC,aAAO,sBAAsB,KAAK,IAAI;AAAA,IACvC;AAEA,SAAK,YAAY,IAAI,OAAO;AAC5B,WAAO;AAAA,EACR;AACD;",
6
6
  "names": ["prop", "pluralize"]
7
7
  }
@@ -288,7 +288,7 @@ class MikroBackendProvider {
288
288
  import_logger.logger.trace(`find ${this.entityType.name} result: ${result.length} rows`);
289
289
  return result;
290
290
  } catch (err) {
291
- import_logger.logger.error(`find ${this.entityType.name} error: ${JSON.stringify(err)}`);
291
+ (0, import_logger.safeErrorLog)(import_logger.logger, err, `find ${this.entityType.name} error`);
292
292
  if (err?.routine === "InitializeSessionUserId") {
293
293
  throw new Error(
294
294
  "Database connection failed, please check you are using the correct user credentials for the database."
@@ -578,7 +578,7 @@ class MikroBackendProvider {
578
578
  }
579
579
  }
580
580
  } catch (err) {
581
- import_logger.logger.error(`find ${this.entityType.name} error: ${JSON.stringify(err)}`);
581
+ (0, import_logger.safeErrorLog)(import_logger.logger, err, `find ${this.entityType.name} error`);
582
582
  if (err?.routine === "InitializeSessionUserId") {
583
583
  throw new Error(
584
584
  "Database connection failed, please check you are using the correct user credentials for the database."
@@ -1,7 +1,7 @@
1
1
  {
2
2
  "version": 3,
3
3
  "sources": ["../../src/provider/provider.ts"],
4
- "sourcesContent": ["import {\n\tAggregationType,\n\tBackendProvider,\n\tgraphweaverMetadata,\n\tGraphweaverPluginNextFunction,\n\tGraphweaverRequestEvent,\n\tSort,\n\ttrace as startTrace,\n\tTraceMethod,\n\ttraceSync,\n} from '@exogee/graphweaver';\nimport type {\n\tAggregationResult,\n\tBackendProviderConfig,\n\tEntityMetadata,\n\tFieldMetadata,\n\tFilter,\n\tPaginationOptions,\n\tTraceOptions,\n} from '@exogee/graphweaver';\nimport { logger } from '@exogee/logger';\nimport {\n\tAutoPath,\n\tLoadStrategy,\n\tPopulateHint,\n\tReference,\n\tRequestContext,\n\tsql,\n} from '@mikro-orm/core';\nimport { pluginManager, apolloPluginManager } from '@exogee/graphweaver-server';\n\nimport {\n\tLockMode,\n\tQueryFlag,\n\tReferenceKind,\n\tConnectionManager,\n\texternalIdFieldMap,\n\tAnyEntity,\n\tIsolationLevel,\n\tConnectionOptions,\n\tconnectToDatabase,\n\tDatabaseType,\n} from '..';\n\nimport { OptimisticLockError, sanitiseFilterForLogging } from '../utils';\nimport { assign } from './assign';\n\ntype PostgresError = {\n\tcode: string;\n\troutine: string;\n};\n\nconst objectOperations = new Set(['_and', '_or', '_not']);\nconst mikroObjectOperations = new Set(['$and', '$or', '$not']);\nconst nullBooleanOperations = new Set(['null', 'notnull']);\n\nconst appendPath = (path: string, newPath: string) =>\n\tpath.length ? `${path}.${newPath}` : newPath;\n\nexport const gqlToMikro = (filter: any, databaseType?: DatabaseType): any => {\n\tif (Array.isArray(filter)) {\n\t\treturn filter.map((element) => gqlToMikro(element, databaseType));\n\t} else if (typeof filter === 'object' && filter !== null) {\n\t\tfor (const key of Object.keys(filter)) {\n\t\t\t// A null here is a user-specified value and is valid to filter on\n\t\t\tif (filter[key] === null) continue;\n\n\t\t\tif (objectOperations.has(key)) {\n\t\t\t\t// { _not: '1' } => { $not: '1' }\n\t\t\t\tfilter[key.replace('_', '$')] = gqlToMikro(filter[key], databaseType);\n\t\t\t\tdelete filter[key];\n\t\t\t} else if (typeof filter[key] === 'object' && !Array.isArray(filter[key])) {\n\t\t\t\t// Recurse over nested filters only (arrays are an argument to a filter, not a nested filter)\n\t\t\t\tfilter[key] = gqlToMikro(filter[key], databaseType);\n\t\t\t} else if (key.indexOf('_') >= 0) {\n\t\t\t\tconst [newKey, operator] = key.split('_');\n\t\t\t\tlet newValue;\n\t\t\t\tif (nullBooleanOperations.has(operator) && typeof filter[key] === 'boolean') {\n\t\t\t\t\t// { firstName_null: true } => { firstName: { $eq: null } } or { firstName_null: false } => { firstName: { $ne: null } }\n\t\t\t\t\t// { firstName_notnull: true } => { firstName: { $ne: null } } or { firstName_notnull: false } => { firstName: { $eq: null } }\n\t\t\t\t\tnewValue =\n\t\t\t\t\t\t(filter[key] && operator === 'null') || (!filter[key] && operator === 'notnull')\n\t\t\t\t\t\t\t? { $eq: null }\n\t\t\t\t\t\t\t: { $ne: null };\n\t\t\t\t} else if (operator === 'ilike' && databaseType !== 'postgresql') {\n\t\t\t\t\tlogger.warn(\n\t\t\t\t\t\t`The $ilike operator is not supported by ${databaseType} databases. Operator coerced to $like.`\n\t\t\t\t\t);\n\t\t\t\t\tnewValue = { $like: filter[key] };\n\t\t\t\t} else {\n\t\t\t\t\t// { firstName_in: ['k', 'b'] } => { firstName: { $in: ['k', 'b'] } }\n\t\t\t\t\tnewValue = { [`$${operator}`]: gqlToMikro(filter[key], databaseType) };\n\t\t\t\t\t// They can construct multiple filters for the same key. In that case we need\n\t\t\t\t\t// to append them all into an object.\n\t\t\t\t}\n\n\t\t\t\tif (typeof filter[newKey] !== 'undefined') {\n\t\t\t\t\tif (typeof filter[newKey] !== 'object') {\n\t\t\t\t\t\tif (typeof newValue === 'object' && '$eq' in newValue) {\n\t\t\t\t\t\t\tthrow new Error(\n\t\t\t\t\t\t\t\t`property ${newKey} on filter is ambiguous. There are two values for this property: ${filter[newKey]} and ${newValue.$eq}`\n\t\t\t\t\t\t\t);\n\t\t\t\t\t\t}\n\t\t\t\t\t\tfilter[newKey] = { ...{ $eq: filter[newKey] }, ...newValue };\n\t\t\t\t\t} else {\n\t\t\t\t\t\tif (newValue && typeof newValue === 'object' && '$eq' in newValue) {\n\t\t\t\t\t\t\tthrow new Error(\n\t\t\t\t\t\t\t\t`property ${newKey} on filter is ambiguous. There are two values for this property: ${JSON.stringify(\n\t\t\t\t\t\t\t\t\tfilter[newKey]\n\t\t\t\t\t\t\t\t)} and ${JSON.stringify(newValue)}`\n\t\t\t\t\t\t\t);\n\t\t\t\t\t\t}\n\t\t\t\t\t\tfilter[newKey] = { ...filter[newKey], ...newValue };\n\t\t\t\t\t}\n\t\t\t\t} else {\n\t\t\t\t\tfilter[newKey] = newValue;\n\t\t\t\t}\n\n\t\t\t\tdelete filter[key];\n\t\t\t}\n\t\t}\n\t}\n\treturn filter;\n};\n\nexport interface AdditionalOptions {\n\ttransactionIsolationLevel?: IsolationLevel;\n\tbackendDisplayName?: string;\n}\n\nexport class MikroBackendProvider<D> implements BackendProvider<D> {\n\tprivate _backendId: string;\n\n\tprivate connection: ConnectionOptions;\n\n\tpublic entityType: new () => D;\n\tpublic connectionManagerId?: string;\n\tprivate transactionIsolationLevel!: IsolationLevel;\n\n\t// This is an optional setting that allows you to control how this provider is displayed in the Admin UI.\n\t// If you do not set a value, it will default to 'REST (hostname of baseUrl)'. Entities are grouped by\n\t// their backend's display name, so if you want to group them in a more specific way, this is the way to do it.\n\tpublic readonly backendDisplayName?: string;\n\n\tpublic readonly supportsInFilter = true;\n\n\t// Default backend provider config\n\tpublic readonly backendProviderConfig: BackendProviderConfig = {\n\t\tfilter: true,\n\t\tpagination: false,\n\t\torderBy: false,\n\t\tsupportedAggregationTypes: new Set<AggregationType>([AggregationType.COUNT]),\n\t\tsupportsPseudoCursorPagination: true,\n\t};\n\n\tget backendId() {\n\t\treturn this._backendId;\n\t}\n\n\tprivate get database() {\n\t\t// If we have a connection manager ID then use that else fallback to the Database\n\t\tif (!this.connectionManagerId) return ConnectionManager.default;\n\t\treturn ConnectionManager.database(this.connectionManagerId) || ConnectionManager.default;\n\t}\n\n\t// This is exposed for use in the RLS package\n\tpublic get transactional() {\n\t\treturn this.database.transactional;\n\t}\n\n\tpublic async withTransaction<T>(callback: () => Promise<T>) {\n\t\treturn this.database.transactional<T>(callback, this.transactionIsolationLevel);\n\t}\n\n\t// This is exposed for use in the RLS package\n\tpublic get em() {\n\t\treturn this.database.em;\n\t}\n\n\tpublic constructor(\n\t\tmikroType: new () => D,\n\t\tconnection: ConnectionOptions,\n\t\ttransactionIsolationLevel?: IsolationLevel\n\t);\n\tpublic constructor(\n\t\tmikroType: new () => D,\n\t\tconnection: ConnectionOptions,\n\t\tadditionalOptions?: AdditionalOptions\n\t);\n\tpublic constructor(\n\t\tmikroType: new () => D,\n\t\tconnection: ConnectionOptions,\n\t\toptionsOrIsolationLevel: AdditionalOptions | IsolationLevel = {\n\t\t\ttransactionIsolationLevel: IsolationLevel.REPEATABLE_READ,\n\t\t}\n\t) {\n\t\tconst options =\n\t\t\ttypeof optionsOrIsolationLevel === 'object'\n\t\t\t\t? optionsOrIsolationLevel\n\t\t\t\t: {\n\t\t\t\t\t\ttransactionIsolationLevel: optionsOrIsolationLevel,\n\t\t\t\t\t};\n\n\t\tthis.entityType = mikroType;\n\t\tthis.connectionManagerId = connection.connectionManagerId;\n\t\tthis._backendId = `mikro-orm-${connection.connectionManagerId || ''}`;\n\t\tthis.transactionIsolationLevel =\n\t\t\toptions.transactionIsolationLevel ?? IsolationLevel.REPEATABLE_READ;\n\t\tthis.backendDisplayName = options.backendDisplayName;\n\t\tthis.connection = connection;\n\t\tthis.addRequestContext();\n\t\tthis.connectToDatabase();\n\t}\n\tprivate getDbType(): DatabaseType {\n\t\tconst driver = this.em.getDriver().constructor.name;\n\t\t// This used to import the actual drivers, but since they're optional it makes more sense\n\t\t// to just use the strings.\n\t\tswitch (driver) {\n\t\t\tcase 'MsSqlDriver':\n\t\t\t\treturn 'mssql';\n\t\t\tcase 'MySqlDriver':\n\t\t\t\treturn 'mysql';\n\t\t\tcase 'PostgreSqlDriver':\n\t\t\t\treturn 'postgresql';\n\t\t\tcase 'SqliteDriver':\n\t\t\t\treturn 'sqlite';\n\t\t\tdefault:\n\t\t\t\tthrow new Error(`This driver (${driver}) is not supported!`);\n\t\t}\n\t}\n\n\tprivate connectToDatabase = async () => {\n\t\tconst connectionManagerId = this.connectionManagerId;\n\t\tif (!connectionManagerId) {\n\t\t\tthrow new Error('Expected connectionManagerId to be defined when calling addRequestContext.');\n\t\t}\n\n\t\tapolloPluginManager.addPlugin(connectionManagerId, connectToDatabase(this.connection));\n\t};\n\n\tprivate addRequestContext = () => {\n\t\tconst connectionManagerId = this.connectionManagerId;\n\t\tif (!connectionManagerId) {\n\t\t\tthrow new Error('Expected connectionManagerId to be defined when calling addRequestContext.');\n\t\t}\n\n\t\tconst connectionPlugin = {\n\t\t\tname: connectionManagerId,\n\t\t\tevent: GraphweaverRequestEvent.OnRequest,\n\t\t\tnext: async (_: GraphweaverRequestEvent, _next: GraphweaverPluginNextFunction) => {\n\t\t\t\tlogger.trace(`Graphweaver OnRequest plugin called`);\n\n\t\t\t\tconst connection = await ConnectionManager.awaitableDatabase(connectionManagerId);\n\n\t\t\t\tif (!connection) {\n\t\t\t\t\tthrow new Error(\n\t\t\t\t\t\t`No database connection found for connectionManagerId: ${connectionManagerId} after waiting for connection. This should not happen.`\n\t\t\t\t\t);\n\t\t\t\t}\n\n\t\t\t\treturn RequestContext.create(connection.orm.em, _next, {});\n\t\t\t},\n\t\t};\n\t\tpluginManager.addPlugin(connectionPlugin);\n\t};\n\n\tprivate mapAndAssignKeys = (result: D, entityType: new () => D, inputArgs: Partial<D>) => {\n\t\t// Clean the input and remove any GraphQL classes from the object\n\t\tconst assignmentObj = this.applyExternalIdFields(entityType, inputArgs);\n\t\treturn assign(result, assignmentObj, undefined, undefined, this.database.em);\n\t};\n\n\tprivate applyExternalIdFields = (target: AnyEntity | string, values: any) => {\n\t\tconst targetName = typeof target === 'string' ? target : target.name;\n\t\tconst map = externalIdFieldMap.get(targetName);\n\n\t\tconst mapFieldNames = (partialFilterObj: any) => {\n\t\t\tfor (const [from, to] of Object.entries(map || {})) {\n\t\t\t\tif (partialFilterObj[from]) {\n\t\t\t\t\tconst keys = Object.keys(partialFilterObj[from]);\n\t\t\t\t\tif (keys.length > 1) {\n\t\t\t\t\t\tthrow new Error(\n\t\t\t\t\t\t\t`Expected precisely 1 key in queryObj.${from} on ${target}, got ${JSON.stringify(\n\t\t\t\t\t\t\t\tpartialFilterObj[from],\n\t\t\t\t\t\t\t\tnull,\n\t\t\t\t\t\t\t\t4\n\t\t\t\t\t\t\t)}`\n\t\t\t\t\t\t);\n\t\t\t\t\t}\n\n\t\t\t\t\tpartialFilterObj[to] = partialFilterObj[from][keys[0]];\n\t\t\t\t\tdelete partialFilterObj[from];\n\t\t\t\t}\n\t\t\t}\n\t\t};\n\n\t\t// Check for and/or/etc at the root level and handle correctly\n\t\tfor (const rootLevelKey of Object.keys(values)) {\n\t\t\tif (mikroObjectOperations.has(rootLevelKey)) {\n\t\t\t\tif (Array.isArray(values[rootLevelKey])) {\n\t\t\t\t\tfor (const field of values[rootLevelKey]) {\n\t\t\t\t\t\tmapFieldNames(field);\n\t\t\t\t\t}\n\t\t\t\t} else {\n\t\t\t\t\tmapFieldNames(values[rootLevelKey]);\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t\t// Map the rest of the field names as well\n\t\tmapFieldNames(values);\n\n\t\t// Traverse the nested entities\n\t\tconst { properties } = this.database.em.getMetadata().get(targetName);\n\t\tObject.values(properties)\n\t\t\t.filter((property) => typeof property.entity !== 'undefined' && values[property.name])\n\t\t\t.forEach((property) => {\n\t\t\t\tif (Array.isArray(values[property.name])) {\n\t\t\t\t\tvalues[property.name].forEach((value: any) =>\n\t\t\t\t\t\tthis.applyExternalIdFields(property.type, value)\n\t\t\t\t\t);\n\t\t\t\t} else {\n\t\t\t\t\tvalues[property.name] = this.applyExternalIdFields(property.type, values[property.name]);\n\t\t\t\t}\n\t\t\t});\n\n\t\treturn values;\n\t};\n\n\t// Check if we have any keys that are a collection of entities\n\tpublic visitPathForPopulate = (entityName: string, updateArgBranch: any, populateBranch = '') => {\n\t\tconst { properties } = this.database.em.getMetadata().get(entityName);\n\t\tconst collectedPaths = populateBranch ? new Set<string>([populateBranch]) : new Set<string>([]);\n\n\t\tfor (const [key, value] of Object.entries(updateArgBranch ?? {})) {\n\t\t\tif (\n\t\t\t\t// If it's a relationship, go ahead and and '.' it in, recurse.\n\t\t\t\tproperties[key]?.kind === ReferenceKind.ONE_TO_ONE ||\n\t\t\t\tproperties[key]?.kind === ReferenceKind.ONE_TO_MANY ||\n\t\t\t\tproperties[key]?.kind === ReferenceKind.MANY_TO_ONE ||\n\t\t\t\tproperties[key]?.kind === ReferenceKind.MANY_TO_MANY\n\t\t\t) {\n\t\t\t\tif (Array.isArray(value)) {\n\t\t\t\t\t// In the case where the array is empty we also need to make sure we load the collection.\n\t\t\t\t\tcollectedPaths.add(appendPath(populateBranch, key));\n\n\t\t\t\t\tfor (const entry of value) {\n\t\t\t\t\t\t// Recurse\n\t\t\t\t\t\tconst newPaths = this.visitPathForPopulate(\n\t\t\t\t\t\t\tproperties[key].type,\n\t\t\t\t\t\t\tentry,\n\t\t\t\t\t\t\tappendPath(populateBranch, key)\n\t\t\t\t\t\t);\n\t\t\t\t\t\tnewPaths.forEach((path) => collectedPaths.add(path));\n\t\t\t\t\t}\n\t\t\t\t} else if (typeof value === 'object') {\n\t\t\t\t\t// Recurse\n\t\t\t\t\tconst newPaths = this.visitPathForPopulate(\n\t\t\t\t\t\tproperties[key].type,\n\t\t\t\t\t\tvalue,\n\t\t\t\t\t\tappendPath(populateBranch, key)\n\t\t\t\t\t);\n\t\t\t\t\tnewPaths.forEach((path) => collectedPaths.add(path));\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\treturn collectedPaths;\n\t};\n\n\t@TraceMethod()\n\tpublic async find(\n\t\tfilter: Filter<D>,\n\t\tpagination?: PaginationOptions,\n\t\tentityMetadata?: EntityMetadata,\n\t\ttrace?: TraceOptions\n\t): Promise<D[]> {\n\t\t// If we have a span, update the name\n\t\ttrace?.span.updateName(`Mikro-Orm - Find ${this.entityType.name}`);\n\n\t\tlogger.trace(\n\t\t\t{ filter: sanitiseFilterForLogging(filter), entity: this.entityType.name },\n\t\t\t'Running find with filter'\n\t\t);\n\n\t\t// Strip custom types out of the equation.\n\t\t// This query only works if we JSON.parse(JSON.stringify(filter)):\n\t\tconst where = traceSync((trace?: TraceOptions) => {\n\t\t\ttrace?.span.updateName('Convert filter to Mikro-Orm format');\n\t\t\treturn filter ? gqlToMikro(JSON.parse(JSON.stringify(filter)), this.getDbType()) : undefined;\n\t\t})();\n\n\t\t// Convert from: { account: {id: '6' }}\n\t\t// to { accountId: '6' }\n\t\t// This conversion only works on root level objects\n\t\tconst whereWithAppliedExternalIdFields = where\n\t\t\t? this.applyExternalIdFields(this.entityType, where)\n\t\t\t: {};\n\n\t\t// Regions need some fancy handling with Query Builder. Process the where further\n\t\t// and return a Query Builder instance.\n\t\tconst query = this.em.createQueryBuilder(this.entityType);\n\t\tif (Object.keys(whereWithAppliedExternalIdFields).length > 0) {\n\t\t\tquery.andWhere(whereWithAppliedExternalIdFields);\n\t\t}\n\n\t\t// If we have specified a limit, offset or order then update the query\n\t\tif (pagination?.limit) query.limit(pagination.limit);\n\t\tif (pagination?.offset) query.offset(pagination.offset);\n\t\tif (pagination?.orderBy) query.orderBy({ ...pagination.orderBy });\n\n\t\t// Certain query filters can result in duplicate records once all joins are resolved\n\t\t// These duplicates can be discarded as related entities are returned to the\n\t\t// API consumer via field resolvers\n\t\tquery.setFlag(QueryFlag.DISTINCT);\n\n\t\t// 1:1 relations that aren't on the owning side need to get populated so the references get set.\n\t\t// This method is protected, but we need to use it from here, hence the `as any`.\n\t\tconst driver = this.database.em.getDriver();\n\t\tconst meta = this.database.em.getMetadata().get(this.entityType.name);\n\t\tquery.populate((driver as any).autoJoinOneToOneOwner(meta, []));\n\n\t\ttry {\n\t\t\tconst result = await startTrace(async (trace?: TraceOptions) => {\n\t\t\t\ttrace?.span.updateName('Mikro-Orm - Fetch Data');\n\t\t\t\treturn query.getResult();\n\t\t\t})();\n\n\t\t\tlogger.trace(`find ${this.entityType.name} result: ${result.length} rows`);\n\n\t\t\treturn result;\n\t\t} catch (err) {\n\t\t\tlogger.error(`find ${this.entityType.name} error: ${JSON.stringify(err)}`);\n\n\t\t\tif ((err as PostgresError)?.routine === 'InitializeSessionUserId') {\n\t\t\t\t// Throw if the user credentials are incorrect\n\t\t\t\tthrow new Error(\n\t\t\t\t\t'Database connection failed, please check you are using the correct user credentials for the database.'\n\t\t\t\t);\n\t\t\t} else if ((err as PostgresError)?.code === 'ECONNREFUSED') {\n\t\t\t\t// Throw if the database address or port is incorrect\n\t\t\t\tthrow new Error(\n\t\t\t\t\t'Database connection failed, please check you are using the correct address and port for the database.'\n\t\t\t\t);\n\t\t\t} else {\n\t\t\t\tthrow err;\n\t\t\t}\n\t\t}\n\t}\n\n\t@TraceMethod()\n\tpublic async findOne(\n\t\tfilter: Filter<D>,\n\t\tentityMetadata?: EntityMetadata,\n\t\ttrace?: TraceOptions\n\t): Promise<D | null> {\n\t\ttrace?.span.updateName(`Mikro-Orm - FindOne ${this.entityType.name}`);\n\t\tlogger.trace(\n\t\t\t{ entity: this.entityType.name, filter: sanitiseFilterForLogging(filter) },\n\t\t\t'Running findOne with filter'\n\t\t);\n\n\t\tconst metadata = this.em.getMetadata().get(this.entityType.name);\n\t\tlet primaryKeyField = metadata.primaryKeys[0];\n\n\t\tif (!primaryKeyField && entityMetadata) {\n\t\t\t// When using virtual entities, MikroORM will have no primary keys.\n\t\t\t// In this scenario we actually know what the primary key is from\n\t\t\t// the GraphQL metadata, so we can go ahead and use it.\n\t\t\tprimaryKeyField = graphweaverMetadata.primaryKeyFieldForEntity(entityMetadata);\n\t\t}\n\n\t\tif (!primaryKeyField || metadata.primaryKeys.length > 1) {\n\t\t\tthrow new Error(\n\t\t\t\t`Entity ${this.entityType.name} has ${metadata.primaryKeys.length} primary keys. We only support entities with a single primary key at this stage.`\n\t\t\t);\n\t\t}\n\n\t\tconst [result] = await this.find(filter, {\n\t\t\torderBy: { [primaryKeyField]: Sort.DESC },\n\t\t\toffset: 0,\n\t\t\tlimit: 1,\n\t\t});\n\n\t\tlogger.trace({ result, entity: this.entityType.name }, 'findOne result');\n\n\t\treturn result;\n\t}\n\n\t@TraceMethod()\n\tpublic async findByRelatedId(\n\t\tentity: any,\n\t\trelatedField: string,\n\t\trelatedFieldIds: string[],\n\t\tfilter?: any,\n\t\ttrace?: TraceOptions\n\t): Promise<D[]> {\n\t\ttrace?.span.updateName(`Mikro-Orm - findByRelatedId ${this.entityType.name}`);\n\t\tlogger.trace(\n\t\t\t{\n\t\t\t\tentity: this.entityType.name,\n\t\t\t\trelatedField,\n\t\t\t\trelatedFieldIds,\n\t\t\t\tfilter: sanitiseFilterForLogging(filter),\n\t\t\t},\n\t\t\t'Running findByRelatedId'\n\t\t);\n\n\t\t// Any is the actual type from MikroORM, sorry folks.\n\t\tlet queryFilter: any = { [relatedField]: { $in: relatedFieldIds } };\n\n\t\tif (filter) {\n\t\t\t// JSON.parse(JSON.stringify()) is needed. See https://exogee.atlassian.net/browse/EXOGW-419\n\t\t\tconst gqlToMikroFilter = JSON.parse(JSON.stringify([gqlToMikro(filter, this.getDbType())]));\n\t\t\t// Since the user has supplied a filter, we need to and it in.\n\t\t\tqueryFilter = { $and: [queryFilter, ...gqlToMikroFilter] };\n\t\t}\n\n\t\tconst populate = [relatedField as AutoPath<typeof entity, PopulateHint>];\n\t\tconst result = await this.database.em.find(entity, queryFilter, {\n\t\t\t// We only need one result per entity.\n\t\t\tflags: [QueryFlag.DISTINCT],\n\n\t\t\t// We do want to populate the relation, however, see below.\n\t\t\tpopulate,\n\n\t\t\t// We'd love to use the default joined loading strategy, but it doesn't work with the populateWhere option.\n\t\t\tstrategy: LoadStrategy.SELECT_IN,\n\n\t\t\t// This tells MikroORM we only need to load the related entities if they match the filter specified above.\n\t\t\tpopulateWhere: PopulateHint.INFER,\n\t\t});\n\n\t\treturn result as D[];\n\t}\n\n\t@TraceMethod()\n\tpublic async updateOne(\n\t\tid: string | number,\n\t\tupdateArgs: Partial<D & { version?: number }>,\n\t\ttrace?: TraceOptions\n\t): Promise<D> {\n\t\ttrace?.span.updateName(`Mikro-Orm - updateOne ${this.entityType.name}`);\n\n\t\tlogger.trace(\n\t\t\t{\n\t\t\t\tid,\n\t\t\t\tupdateArgs: sanitiseFilterForLogging(updateArgs),\n\t\t\t\tentity: this.entityType.name,\n\t\t\t},\n\t\t\t'Running update with args'\n\t\t);\n\n\t\tconst entity = await this.database.em.findOne(this.entityType, id, {\n\t\t\t// This is an optimisation so that assign() doesn't have to go fetch everything one at a time.\n\t\t\tpopulate: [...this.visitPathForPopulate(this.entityType.name, updateArgs)] as `${string}.`[],\n\t\t});\n\n\t\tif (entity === null) {\n\t\t\tthrow new Error(`Unable to locate ${this.entityType.name} with ID: '${id}' for updating.`);\n\t\t}\n\n\t\tconst { version, ...updateArgsWithoutVersion } = updateArgs;\n\n\t\t// If a version has been sent, let's check it\n\t\tif (version) {\n\t\t\ttry {\n\t\t\t\tawait this.database.em.lock(entity, LockMode.OPTIMISTIC, version);\n\t\t\t} catch (err) {\n\t\t\t\tthrow new OptimisticLockError((err as Error)?.message, { entity });\n\t\t\t}\n\t\t}\n\n\t\t// For an update we also want to go ahead and remove the primary key if it's autoincremented, as\n\t\t// users should not be able to change the primary key. There are also scenarios like\n\t\t// GENERATED ALWAYS AS IDENTITY where even supplying the primary key in the update query will\n\t\t// cause an error.\n\t\tconst meta = this.database.em.getMetadata().get(this.entityType.name);\n\t\tfor (const key of meta.primaryKeys) {\n\t\t\tif (meta.properties[key].autoincrement) delete (updateArgsWithoutVersion as any)[key];\n\t\t}\n\n\t\tawait this.mapAndAssignKeys(entity, this.entityType, updateArgsWithoutVersion as Partial<D>);\n\t\tawait this.database.em.persistAndFlush(entity);\n\n\t\tlogger.trace(`update ${this.entityType.name} entity`, entity);\n\n\t\treturn entity;\n\t}\n\n\t@TraceMethod()\n\tpublic async updateMany(\n\t\tupdateItems: (Partial<D> & { id: string })[],\n\t\ttrace?: TraceOptions\n\t): Promise<D[]> {\n\t\ttrace?.span.updateName(`Mikro-Orm - updateMany ${this.entityType.name}`);\n\t\tlogger.trace(\n\t\t\t{ updateItems: sanitiseFilterForLogging(updateItems), entity: this.entityType.name },\n\t\t\t'Running update many with args'\n\t\t);\n\n\t\tconst meta = this.database.em.getMetadata().get(this.entityType.name);\n\n\t\tconst entities = await this.database.transactional<D[]>(async () => {\n\t\t\treturn Promise.all<D>(\n\t\t\t\tupdateItems.map(async (item) => {\n\t\t\t\t\tif (!item?.id) throw new Error('You must pass an ID for this entity to update it.');\n\n\t\t\t\t\t// Find the entity in the database\n\t\t\t\t\tconst entity = await this.database.em.findOneOrFail(this.entityType, item.id, {\n\t\t\t\t\t\tpopulate: [...this.visitPathForPopulate(this.entityType.name, item)] as `${string}.`[],\n\t\t\t\t\t});\n\n\t\t\t\t\t// For an update we also want to go ahead and remove the primary key if it's autoincremented, as\n\t\t\t\t\t// users should not be able to change the primary key. There are also scenarios like\n\t\t\t\t\t// GENERATED ALWAYS AS IDENTITY where even supplying the primary key in the update query will\n\t\t\t\t\t// cause an error.\n\t\t\t\t\tfor (const key of meta.primaryKeys) {\n\t\t\t\t\t\tif (meta.properties[key].autoincrement) delete (item as any)[key];\n\t\t\t\t\t}\n\n\t\t\t\t\tawait this.mapAndAssignKeys(entity, this.entityType, item);\n\t\t\t\t\tthis.database.em.persist(entity);\n\t\t\t\t\treturn entity;\n\t\t\t\t})\n\t\t\t);\n\t\t});\n\n\t\tlogger.trace({ entity: this.entityType.name, entities }, 'updated items');\n\n\t\treturn entities;\n\t}\n\n\t@TraceMethod()\n\tpublic async createOrUpdateMany(items: Partial<D>[], trace?: TraceOptions): Promise<D[]> {\n\t\ttrace?.span.updateName(`Mikro-Orm - createOrUpdateMany ${this.entityType.name}`);\n\t\tlogger.trace(\n\t\t\t{ items: sanitiseFilterForLogging(items), entity: this.entityType.name },\n\t\t\t'Running create or update many with args'\n\t\t);\n\n\t\tconst entities = await this.database.transactional<D[]>(async () => {\n\t\t\treturn Promise.all<D>(\n\t\t\t\titems.map(async (item) => {\n\t\t\t\t\tlet entity;\n\t\t\t\t\tconst { id } = item as any;\n\t\t\t\t\tif (id) {\n\t\t\t\t\t\tentity = await this.database.em.findOneOrFail(this.entityType, id, {\n\t\t\t\t\t\t\tpopulate: [\n\t\t\t\t\t\t\t\t...this.visitPathForPopulate(this.entityType.name, item),\n\t\t\t\t\t\t\t] as `${string}.`[],\n\t\t\t\t\t\t});\n\t\t\t\t\t\tlogger.trace({ item, entity: this.entityType.name }, 'Running update with item');\n\t\t\t\t\t\tawait this.mapAndAssignKeys(entity, this.entityType, item);\n\t\t\t\t\t} else {\n\t\t\t\t\t\tentity = new this.entityType();\n\t\t\t\t\t\tawait this.mapAndAssignKeys(entity, this.entityType, item);\n\t\t\t\t\t\tlogger.trace({ item, entity: this.entityType.name }, 'Running create with item');\n\t\t\t\t\t}\n\t\t\t\t\tthis.database.em.persist(entity);\n\t\t\t\t\treturn entity;\n\t\t\t\t})\n\t\t\t);\n\t\t});\n\n\t\tlogger.trace(\n\t\t\t{ entity: this.entityType.name, entities: sanitiseFilterForLogging(entities) },\n\t\t\t'created or updated items'\n\t\t);\n\n\t\treturn entities;\n\t}\n\n\t@TraceMethod()\n\tpublic async createOne(createArgs: Partial<D>, trace?: TraceOptions): Promise<D> {\n\t\ttrace?.span.updateName(`Mikro-Orm - createOne ${this.entityType.name}`);\n\t\tlogger.trace(\n\t\t\t{ createArgs: sanitiseFilterForLogging(createArgs), entity: this.entityType.name },\n\t\t\t'Running create with args'\n\t\t);\n\n\t\tconst entity = new this.entityType();\n\t\tawait this.mapAndAssignKeys(entity, this.entityType, createArgs);\n\t\tawait this.database.em.persistAndFlush(entity as Partial<D>);\n\n\t\tlogger.trace(\n\t\t\t{ entity: this.entityType.name, result: sanitiseFilterForLogging(entity) },\n\t\t\t'create result'\n\t\t);\n\n\t\treturn entity;\n\t}\n\n\t@TraceMethod()\n\tpublic async createMany(createItems: Partial<D>[], trace?: TraceOptions): Promise<D[]> {\n\t\ttrace?.span.updateName(`Mikro-Orm - createMany ${this.entityType.name}`);\n\t\treturn this._createMany(createItems);\n\t}\n\n\tpublic async createTraces(createItems: Partial<D>[]): Promise<D[]> {\n\t\treturn this._createMany(createItems);\n\t}\n\n\tprivate async _createMany(createItems: Partial<D>[]) {\n\t\tlogger.trace(\n\t\t\t{ createItems: sanitiseFilterForLogging(createItems), entity: this.entityType.name },\n\t\t\t'Running create with args'\n\t\t);\n\n\t\tconst entities = await this.database.transactional<D[]>(async () => {\n\t\t\treturn Promise.all<D>(\n\t\t\t\tcreateItems.map(async (item) => {\n\t\t\t\t\tconst entity = new this.entityType();\n\t\t\t\t\tawait this.mapAndAssignKeys(entity, this.entityType, item);\n\t\t\t\t\tthis.database.em.persist(entity as Partial<D>);\n\t\t\t\t\treturn entity;\n\t\t\t\t})\n\t\t\t);\n\t\t});\n\n\t\tlogger.trace({ entity: this.entityType.name, entities }, 'created items');\n\n\t\treturn entities;\n\t}\n\n\t@TraceMethod()\n\tpublic async deleteOne(filter: Filter<D>, trace?: TraceOptions): Promise<boolean> {\n\t\ttrace?.span.updateName(`Mikro-Orm - deleteOne ${this.entityType.name}`);\n\t\tlogger.trace(\n\t\t\t{ filter: sanitiseFilterForLogging(filter), entity: this.entityType.name },\n\t\t\t'Running delete with filter.'\n\t\t);\n\t\tconst where = filter\n\t\t\t? gqlToMikro(JSON.parse(JSON.stringify(filter)), this.getDbType())\n\t\t\t: undefined;\n\t\tconst whereWithAppliedExternalIdFields =\n\t\t\twhere && this.applyExternalIdFields(this.entityType, where);\n\n\t\tconst deletedRows = await this.database.em.nativeDelete(\n\t\t\tthis.entityType,\n\t\t\twhereWithAppliedExternalIdFields\n\t\t);\n\n\t\tif (deletedRows > 1) {\n\t\t\tthrow new Error('Multiple deleted rows');\n\t\t}\n\n\t\tlogger.trace(`delete ${this.entityType.name} result: deleted ${deletedRows} row(s)`);\n\n\t\treturn deletedRows === 1;\n\t}\n\n\t@TraceMethod()\n\tpublic async deleteMany(filter: Filter<D>, trace?: TraceOptions): Promise<boolean> {\n\t\ttrace?.span.updateName(`Mikro-Orm - deleteMany ${this.entityType.name}`);\n\t\tlogger.trace(\n\t\t\t{ filter: sanitiseFilterForLogging(filter), entity: this.entityType.name },\n\t\t\t'Running delete'\n\t\t);\n\n\t\tconst deletedRows = await this.database.transactional<number>(async () => {\n\t\t\tconst where = filter\n\t\t\t\t? gqlToMikro(JSON.parse(JSON.stringify(filter)), this.getDbType())\n\t\t\t\t: undefined;\n\t\t\tconst whereWithAppliedExternalIdFields =\n\t\t\t\twhere && this.applyExternalIdFields(this.entityType, where);\n\n\t\t\tconst toDelete = await this.database.em.count(\n\t\t\t\tthis.entityType,\n\t\t\t\twhereWithAppliedExternalIdFields\n\t\t\t);\n\t\t\tconst deletedCount = await this.database.em.nativeDelete(\n\t\t\t\tthis.entityType,\n\t\t\t\twhereWithAppliedExternalIdFields\n\t\t\t);\n\n\t\t\tif (deletedCount !== toDelete) {\n\t\t\t\tthrow new Error('We did not delete any rows, rolling back.');\n\t\t\t}\n\n\t\t\treturn deletedCount;\n\t\t});\n\n\t\tlogger.trace(`delete ${this.entityType.name} result: deleted ${deletedRows} row(s)`);\n\n\t\treturn true;\n\t}\n\n\tpublic foreignKeyForRelationshipField?(field: FieldMetadata, dataEntity: D) {\n\t\tconst value = dataEntity[field.name as keyof D];\n\n\t\tif (Reference.isReference(value)) {\n\t\t\tconst { properties } = this.database.em.getMetadata().get(this.entityType);\n\t\t\tconst property = properties[field.name];\n\t\t\tconst [primaryKey] = property.targetMeta?.primaryKeys ?? [];\n\t\t\tif (!primaryKey) {\n\t\t\t\tthrow new Error(\n\t\t\t\t\t`Could not determine primary key for ${field.name} on ${this.entityType.name}`\n\t\t\t\t);\n\t\t\t}\n\n\t\t\tconst foreignKey = (value.unwrap() as any)[primaryKey];\n\t\t\tif (foreignKey === undefined || foreignKey === null) {\n\t\t\t\tthrow new Error(\n\t\t\t\t\t`Could not read foreign key from reference: ${value.unwrap()} with primary key name ${primaryKey}`\n\t\t\t\t);\n\t\t\t}\n\n\t\t\treturn foreignKey;\n\t\t}\n\n\t\treturn null;\n\t}\n\n\t@TraceMethod()\n\tpublic async aggregate(\n\t\tfilter: Filter<D>,\n\t\trequestedAggregations: Set<AggregationType>,\n\t\ttrace?: TraceOptions\n\t): Promise<AggregationResult> {\n\t\ttrace?.span.updateName(`Mikro-Orm - aggregate ${this.entityType.name}`);\n\t\tlogger.trace(\n\t\t\t{ filter: sanitiseFilterForLogging(filter), entity: this.entityType.name },\n\t\t\t'Running aggregate with filter'\n\t\t);\n\n\t\t// Strip custom types out of the equation.\n\t\t// This query only works if we JSON.parse(JSON.stringify(filter)):\n\t\t//\n\t\t// query {\n\t\t// drivers (filter: { region: { name: \"North Shore\" }}) {\n\t\t// id\n\t\t// }\n\t\t// }\n\t\tconst where = filter\n\t\t\t? gqlToMikro(JSON.parse(JSON.stringify(filter)), this.getDbType())\n\t\t\t: undefined;\n\n\t\t// Convert from: { account: {id: '6' }}\n\t\t// to { accountId: '6' }\n\t\t// This conversion only works on root level objects\n\t\tconst whereWithAppliedExternalIdFields = where\n\t\t\t? this.applyExternalIdFields(this.entityType, where)\n\t\t\t: {};\n\n\t\t// Regions need some fancy handling with Query Builder. Process the where further\n\t\t// and return a Query Builder instance.\n\t\tconst query = this.em.createQueryBuilder(this.entityType);\n\n\t\tif (Object.keys(whereWithAppliedExternalIdFields).length > 0) {\n\t\t\tquery.andWhere(whereWithAppliedExternalIdFields);\n\t\t}\n\n\t\tconst result: AggregationResult = {};\n\n\t\ttry {\n\t\t\tif (requestedAggregations.has(AggregationType.COUNT)) {\n\t\t\t\tconst meta = this.database.em.getMetadata().get(this.entityType.name);\n\t\t\t\tif (meta.primaryKeys.length) {\n\t\t\t\t\t// It's a standard entity with primary keys, we can do a full distinct\n\t\t\t\t\t// on these keys.\n\t\t\t\t\tresult.count = await query.getCount(meta.primaryKeys, true);\n\t\t\t\t} else {\n\t\t\t\t\t// It's either a virtual entity, or it's an entity without primary keys.\n\t\t\t\t\t// We just need to count * as a fallback, no distinct.\n\t\t\t\t\tconst [firstRow] = await query.select(sql`count(*)`.as('count')).execute();\n\t\t\t\t\tresult.count = firstRow.count;\n\t\t\t\t}\n\t\t\t}\n\t\t} catch (err) {\n\t\t\tlogger.error(`find ${this.entityType.name} error: ${JSON.stringify(err)}`);\n\n\t\t\tif ((err as PostgresError)?.routine === 'InitializeSessionUserId') {\n\t\t\t\t// Throw if the user credentials are incorrect\n\t\t\t\tthrow new Error(\n\t\t\t\t\t'Database connection failed, please check you are using the correct user credentials for the database.'\n\t\t\t\t);\n\t\t\t} else if ((err as PostgresError)?.code === 'ECONNREFUSED') {\n\t\t\t\t// Throw if the database address or port is incorrect\n\t\t\t\tthrow new Error(\n\t\t\t\t\t'Database connection failed, please check you are using the correct address and port for the database.'\n\t\t\t\t);\n\t\t\t} else {\n\t\t\t\tthrow err;\n\t\t\t}\n\t\t}\n\n\t\treturn result;\n\t}\n}\n"],
5
- "mappings": ";;;;;;;;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,yBAUO;AAUP,oBAAuB;AACvB,kBAOO;AACP,gCAAmD;AAEnD,eAWO;AAEP,mBAA8D;AAC9D,oBAAuB;AAOvB,MAAM,mBAAmB,oBAAI,IAAI,CAAC,QAAQ,OAAO,MAAM,CAAC;AACxD,MAAM,wBAAwB,oBAAI,IAAI,CAAC,QAAQ,OAAO,MAAM,CAAC;AAC7D,MAAM,wBAAwB,oBAAI,IAAI,CAAC,QAAQ,SAAS,CAAC;AAEzD,MAAM,aAAa,CAAC,MAAc,YACjC,KAAK,SAAS,GAAG,IAAI,IAAI,OAAO,KAAK;AAE/B,MAAM,aAAa,CAAC,QAAa,iBAAqC;AAC5E,MAAI,MAAM,QAAQ,MAAM,GAAG;AAC1B,WAAO,OAAO,IAAI,CAAC,YAAY,WAAW,SAAS,YAAY,CAAC;AAAA,EACjE,WAAW,OAAO,WAAW,YAAY,WAAW,MAAM;AACzD,eAAW,OAAO,OAAO,KAAK,MAAM,GAAG;AAEtC,UAAI,OAAO,GAAG,MAAM,KAAM;AAE1B,UAAI,iBAAiB,IAAI,GAAG,GAAG;AAE9B,eAAO,IAAI,QAAQ,KAAK,GAAG,CAAC,IAAI,WAAW,OAAO,GAAG,GAAG,YAAY;AACpE,eAAO,OAAO,GAAG;AAAA,MAClB,WAAW,OAAO,OAAO,GAAG,MAAM,YAAY,CAAC,MAAM,QAAQ,OAAO,GAAG,CAAC,GAAG;AAE1E,eAAO,GAAG,IAAI,WAAW,OAAO,GAAG,GAAG,YAAY;AAAA,MACnD,WAAW,IAAI,QAAQ,GAAG,KAAK,GAAG;AACjC,cAAM,CAAC,QAAQ,QAAQ,IAAI,IAAI,MAAM,GAAG;AACxC,YAAI;AACJ,YAAI,sBAAsB,IAAI,QAAQ,KAAK,OAAO,OAAO,GAAG,MAAM,WAAW;AAG5E,qBACE,OAAO,GAAG,KAAK,aAAa,UAAY,CAAC,OAAO,GAAG,KAAK,aAAa,YACnE,EAAE,KAAK,KAAK,IACZ,EAAE,KAAK,KAAK;AAAA,QACjB,WAAW,aAAa,WAAW,iBAAiB,cAAc;AACjE,+BAAO;AAAA,YACN,2CAA2C,YAAY;AAAA,UACxD;AACA,qBAAW,EAAE,OAAO,OAAO,GAAG,EAAE;AAAA,QACjC,OAAO;AAEN,qBAAW,EAAE,CAAC,IAAI,QAAQ,EAAE,GAAG,WAAW,OAAO,GAAG,GAAG,YAAY,EAAE;AAAA,QAGtE;AAEA,YAAI,OAAO,OAAO,MAAM,MAAM,aAAa;AAC1C,cAAI,OAAO,OAAO,MAAM,MAAM,UAAU;AACvC,gBAAI,OAAO,aAAa,YAAY,SAAS,UAAU;AACtD,oBAAM,IAAI;AAAA,gBACT,YAAY,MAAM,oEAAoE,OAAO,MAAM,CAAC,QAAQ,SAAS,GAAG;AAAA,cACzH;AAAA,YACD;AACA,mBAAO,MAAM,IAAI,EAAE,GAAG,EAAE,KAAK,OAAO,MAAM,EAAE,GAAG,GAAG,SAAS;AAAA,UAC5D,OAAO;AACN,gBAAI,YAAY,OAAO,aAAa,YAAY,SAAS,UAAU;AAClE,oBAAM,IAAI;AAAA,gBACT,YAAY,MAAM,oEAAoE,KAAK;AAAA,kBAC1F,OAAO,MAAM;AAAA,gBACd,CAAC,QAAQ,KAAK,UAAU,QAAQ,CAAC;AAAA,cAClC;AAAA,YACD;AACA,mBAAO,MAAM,IAAI,EAAE,GAAG,OAAO,MAAM,GAAG,GAAG,SAAS;AAAA,UACnD;AAAA,QACD,OAAO;AACN,iBAAO,MAAM,IAAI;AAAA,QAClB;AAEA,eAAO,OAAO,GAAG;AAAA,MAClB;AAAA,IACD;AAAA,EACD;AACA,SAAO;AACR;AAOO,MAAM,qBAAsD;AAAA,EA2D3D,YACN,WACA,YACA,0BAA8D;AAAA,IAC7D,2BAA2B,wBAAe;AAAA,EAC3C,GACC;AAnDF,SAAgB,mBAAmB;AAGnC;AAAA,SAAgB,wBAA+C;AAAA,MAC9D,QAAQ;AAAA,MACR,YAAY;AAAA,MACZ,SAAS;AAAA,MACT,2BAA2B,oBAAI,IAAqB,CAAC,mCAAgB,KAAK,CAAC;AAAA,MAC3E,gCAAgC;AAAA,IACjC;AA8EA,SAAQ,oBAAoB,YAAY;AACvC,YAAM,sBAAsB,KAAK;AACjC,UAAI,CAAC,qBAAqB;AACzB,cAAM,IAAI,MAAM,4EAA4E;AAAA,MAC7F;AAEA,oDAAoB,UAAU,yBAAqB,4BAAkB,KAAK,UAAU,CAAC;AAAA,IACtF;AAEA,SAAQ,oBAAoB,MAAM;AACjC,YAAM,sBAAsB,KAAK;AACjC,UAAI,CAAC,qBAAqB;AACzB,cAAM,IAAI,MAAM,4EAA4E;AAAA,MAC7F;AAEA,YAAM,mBAAmB;AAAA,QACxB,MAAM;AAAA,QACN,OAAO,2CAAwB;AAAA,QAC/B,MAAM,OAAO,GAA4B,UAAyC;AACjF,+BAAO,MAAM,qCAAqC;AAElD,gBAAM,aAAa,MAAM,2BAAkB,kBAAkB,mBAAmB;AAEhF,cAAI,CAAC,YAAY;AAChB,kBAAM,IAAI;AAAA,cACT,yDAAyD,mBAAmB;AAAA,YAC7E;AAAA,UACD;AAEA,iBAAO,2BAAe,OAAO,WAAW,IAAI,IAAI,OAAO,CAAC,CAAC;AAAA,QAC1D;AAAA,MACD;AACA,8CAAc,UAAU,gBAAgB;AAAA,IACzC;AAEA,SAAQ,mBAAmB,CAAC,QAAW,YAAyB,cAA0B;AAEzF,YAAM,gBAAgB,KAAK,sBAAsB,YAAY,SAAS;AACtE,iBAAO,sBAAO,QAAQ,eAAe,QAAW,QAAW,KAAK,SAAS,EAAE;AAAA,IAC5E;AAEA,SAAQ,wBAAwB,CAAC,QAA4B,WAAgB;AAC5E,YAAM,aAAa,OAAO,WAAW,WAAW,SAAS,OAAO;AAChE,YAAM,MAAM,4BAAmB,IAAI,UAAU;AAE7C,YAAM,gBAAgB,CAAC,qBAA0B;AAChD,mBAAW,CAAC,MAAM,EAAE,KAAK,OAAO,QAAQ,OAAO,CAAC,CAAC,GAAG;AACnD,cAAI,iBAAiB,IAAI,GAAG;AAC3B,kBAAM,OAAO,OAAO,KAAK,iBAAiB,IAAI,CAAC;AAC/C,gBAAI,KAAK,SAAS,GAAG;AACpB,oBAAM,IAAI;AAAA,gBACT,wCAAwC,IAAI,OAAO,MAAM,SAAS,KAAK;AAAA,kBACtE,iBAAiB,IAAI;AAAA,kBACrB;AAAA,kBACA;AAAA,gBACD,CAAC;AAAA,cACF;AAAA,YACD;AAEA,6BAAiB,EAAE,IAAI,iBAAiB,IAAI,EAAE,KAAK,CAAC,CAAC;AACrD,mBAAO,iBAAiB,IAAI;AAAA,UAC7B;AAAA,QACD;AAAA,MACD;AAGA,iBAAW,gBAAgB,OAAO,KAAK,MAAM,GAAG;AAC/C,YAAI,sBAAsB,IAAI,YAAY,GAAG;AAC5C,cAAI,MAAM,QAAQ,OAAO,YAAY,CAAC,GAAG;AACxC,uBAAW,SAAS,OAAO,YAAY,GAAG;AACzC,4BAAc,KAAK;AAAA,YACpB;AAAA,UACD,OAAO;AACN,0BAAc,OAAO,YAAY,CAAC;AAAA,UACnC;AAAA,QACD;AAAA,MACD;AAEA,oBAAc,MAAM;AAGpB,YAAM,EAAE,WAAW,IAAI,KAAK,SAAS,GAAG,YAAY,EAAE,IAAI,UAAU;AACpE,aAAO,OAAO,UAAU,EACtB,OAAO,CAAC,aAAa,OAAO,SAAS,WAAW,eAAe,OAAO,SAAS,IAAI,CAAC,EACpF,QAAQ,CAAC,aAAa;AACtB,YAAI,MAAM,QAAQ,OAAO,SAAS,IAAI,CAAC,GAAG;AACzC,iBAAO,SAAS,IAAI,EAAE;AAAA,YAAQ,CAAC,UAC9B,KAAK,sBAAsB,SAAS,MAAM,KAAK;AAAA,UAChD;AAAA,QACD,OAAO;AACN,iBAAO,SAAS,IAAI,IAAI,KAAK,sBAAsB,SAAS,MAAM,OAAO,SAAS,IAAI,CAAC;AAAA,QACxF;AAAA,MACD,CAAC;AAEF,aAAO;AAAA,IACR;AAGA;AAAA,SAAO,uBAAuB,CAAC,YAAoB,iBAAsB,iBAAiB,OAAO;AAChG,YAAM,EAAE,WAAW,IAAI,KAAK,SAAS,GAAG,YAAY,EAAE,IAAI,UAAU;AACpE,YAAM,iBAAiB,iBAAiB,oBAAI,IAAY,CAAC,cAAc,CAAC,IAAI,oBAAI,IAAY,CAAC,CAAC;AAE9F,iBAAW,CAAC,KAAK,KAAK,KAAK,OAAO,QAAQ,mBAAmB,CAAC,CAAC,GAAG;AACjE;AAAA;AAAA,UAEC,WAAW,GAAG,GAAG,SAAS,uBAAc,cACxC,WAAW,GAAG,GAAG,SAAS,uBAAc,eACxC,WAAW,GAAG,GAAG,SAAS,uBAAc,eACxC,WAAW,GAAG,GAAG,SAAS,uBAAc;AAAA,UACvC;AACD,cAAI,MAAM,QAAQ,KAAK,GAAG;AAEzB,2BAAe,IAAI,WAAW,gBAAgB,GAAG,CAAC;AAElD,uBAAW,SAAS,OAAO;AAE1B,oBAAM,WAAW,KAAK;AAAA,gBACrB,WAAW,GAAG,EAAE;AAAA,gBAChB;AAAA,gBACA,WAAW,gBAAgB,GAAG;AAAA,cAC/B;AACA,uBAAS,QAAQ,CAAC,SAAS,eAAe,IAAI,IAAI,CAAC;AAAA,YACpD;AAAA,UACD,WAAW,OAAO,UAAU,UAAU;AAErC,kBAAM,WAAW,KAAK;AAAA,cACrB,WAAW,GAAG,EAAE;AAAA,cAChB;AAAA,cACA,WAAW,gBAAgB,GAAG;AAAA,YAC/B;AACA,qBAAS,QAAQ,CAAC,SAAS,eAAe,IAAI,IAAI,CAAC;AAAA,UACpD;AAAA,QACD;AAAA,MACD;AAEA,aAAO;AAAA,IACR;AA3KC,UAAM,UACL,OAAO,4BAA4B,WAChC,0BACA;AAAA,MACA,2BAA2B;AAAA,IAC5B;AAEH,SAAK,aAAa;AAClB,SAAK,sBAAsB,WAAW;AACtC,SAAK,aAAa,aAAa,WAAW,uBAAuB,EAAE;AACnE,SAAK,4BACJ,QAAQ,6BAA6B,wBAAe;AACrD,SAAK,qBAAqB,QAAQ;AAClC,SAAK,aAAa;AAClB,SAAK,kBAAkB;AACvB,SAAK,kBAAkB;AAAA,EACxB;AAAA,EAzDA,IAAI,YAAY;AACf,WAAO,KAAK;AAAA,EACb;AAAA,EAEA,IAAY,WAAW;AAEtB,QAAI,CAAC,KAAK,oBAAqB,QAAO,2BAAkB;AACxD,WAAO,2BAAkB,SAAS,KAAK,mBAAmB,KAAK,2BAAkB;AAAA,EAClF;AAAA;AAAA,EAGA,IAAW,gBAAgB;AAC1B,WAAO,KAAK,SAAS;AAAA,EACtB;AAAA,EAEA,MAAa,gBAAmB,UAA4B;AAC3D,WAAO,KAAK,SAAS,cAAiB,UAAU,KAAK,yBAAyB;AAAA,EAC/E;AAAA;AAAA,EAGA,IAAW,KAAK;AACf,WAAO,KAAK,SAAS;AAAA,EACtB;AAAA,EAoCQ,YAA0B;AACjC,UAAM,SAAS,KAAK,GAAG,UAAU,EAAE,YAAY;AAG/C,YAAQ,QAAQ;AAAA,MACf,KAAK;AACJ,eAAO;AAAA,MACR,KAAK;AACJ,eAAO;AAAA,MACR,KAAK;AACJ,eAAO;AAAA,MACR,KAAK;AACJ,eAAO;AAAA,MACR;AACC,cAAM,IAAI,MAAM,gBAAgB,MAAM,qBAAqB;AAAA,IAC7D;AAAA,EACD;AAAA,EA6IA,MAAa,KACZ,QACA,YACA,gBACA,OACe;AAEf,WAAO,KAAK,WAAW,oBAAoB,KAAK,WAAW,IAAI,EAAE;AAEjE,yBAAO;AAAA,MACN,EAAE,YAAQ,uCAAyB,MAAM,GAAG,QAAQ,KAAK,WAAW,KAAK;AAAA,MACzE;AAAA,IACD;AAIA,UAAM,YAAQ,8BAAU,CAACA,WAAyB;AACjD,MAAAA,QAAO,KAAK,WAAW,oCAAoC;AAC3D,aAAO,SAAS,WAAW,KAAK,MAAM,KAAK,UAAU,MAAM,CAAC,GAAG,KAAK,UAAU,CAAC,IAAI;AAAA,IACpF,CAAC,EAAE;AAKH,UAAM,mCAAmC,QACtC,KAAK,sBAAsB,KAAK,YAAY,KAAK,IACjD,CAAC;AAIJ,UAAM,QAAQ,KAAK,GAAG,mBAAmB,KAAK,UAAU;AACxD,QAAI,OAAO,KAAK,gCAAgC,EAAE,SAAS,GAAG;AAC7D,YAAM,SAAS,gCAAgC;AAAA,IAChD;AAGA,QAAI,YAAY,MAAO,OAAM,MAAM,WAAW,KAAK;AACnD,QAAI,YAAY,OAAQ,OAAM,OAAO,WAAW,MAAM;AACtD,QAAI,YAAY,QAAS,OAAM,QAAQ,EAAE,GAAG,WAAW,QAAQ,CAAC;AAKhE,UAAM,QAAQ,mBAAU,QAAQ;AAIhC,UAAM,SAAS,KAAK,SAAS,GAAG,UAAU;AAC1C,UAAM,OAAO,KAAK,SAAS,GAAG,YAAY,EAAE,IAAI,KAAK,WAAW,IAAI;AACpE,UAAM,SAAU,OAAe,sBAAsB,MAAM,CAAC,CAAC,CAAC;AAE9D,QAAI;AACH,YAAM,SAAS,UAAM,mBAAAC,OAAW,OAAOD,WAAyB;AAC/D,QAAAA,QAAO,KAAK,WAAW,wBAAwB;AAC/C,eAAO,MAAM,UAAU;AAAA,MACxB,CAAC,EAAE;AAEH,2BAAO,MAAM,QAAQ,KAAK,WAAW,IAAI,YAAY,OAAO,MAAM,OAAO;AAEzE,aAAO;AAAA,IACR,SAAS,KAAK;AACb,2BAAO,MAAM,QAAQ,KAAK,WAAW,IAAI,WAAW,KAAK,UAAU,GAAG,CAAC,EAAE;AAEzE,UAAK,KAAuB,YAAY,2BAA2B;AAElE,cAAM,IAAI;AAAA,UACT;AAAA,QACD;AAAA,MACD,WAAY,KAAuB,SAAS,gBAAgB;AAE3D,cAAM,IAAI;AAAA,UACT;AAAA,QACD;AAAA,MACD,OAAO;AACN,cAAM;AAAA,MACP;AAAA,IACD;AAAA,EACD;AAAA,EAGA,MAAa,QACZ,QACA,gBACA,OACoB;AACpB,WAAO,KAAK,WAAW,uBAAuB,KAAK,WAAW,IAAI,EAAE;AACpE,yBAAO;AAAA,MACN,EAAE,QAAQ,KAAK,WAAW,MAAM,YAAQ,uCAAyB,MAAM,EAAE;AAAA,MACzE;AAAA,IACD;AAEA,UAAM,WAAW,KAAK,GAAG,YAAY,EAAE,IAAI,KAAK,WAAW,IAAI;AAC/D,QAAI,kBAAkB,SAAS,YAAY,CAAC;AAE5C,QAAI,CAAC,mBAAmB,gBAAgB;AAIvC,wBAAkB,uCAAoB,yBAAyB,cAAc;AAAA,IAC9E;AAEA,QAAI,CAAC,mBAAmB,SAAS,YAAY,SAAS,GAAG;AACxD,YAAM,IAAI;AAAA,QACT,UAAU,KAAK,WAAW,IAAI,QAAQ,SAAS,YAAY,MAAM;AAAA,MAClE;AAAA,IACD;AAEA,UAAM,CAAC,MAAM,IAAI,MAAM,KAAK,KAAK,QAAQ;AAAA,MACxC,SAAS,EAAE,CAAC,eAAe,GAAG,wBAAK,KAAK;AAAA,MACxC,QAAQ;AAAA,MACR,OAAO;AAAA,IACR,CAAC;AAED,yBAAO,MAAM,EAAE,QAAQ,QAAQ,KAAK,WAAW,KAAK,GAAG,gBAAgB;AAEvE,WAAO;AAAA,EACR;AAAA,EAGA,MAAa,gBACZ,QACA,cACA,iBACA,QACA,OACe;AACf,WAAO,KAAK,WAAW,+BAA+B,KAAK,WAAW,IAAI,EAAE;AAC5E,yBAAO;AAAA,MACN;AAAA,QACC,QAAQ,KAAK,WAAW;AAAA,QACxB;AAAA,QACA;AAAA,QACA,YAAQ,uCAAyB,MAAM;AAAA,MACxC;AAAA,MACA;AAAA,IACD;AAGA,QAAI,cAAmB,EAAE,CAAC,YAAY,GAAG,EAAE,KAAK,gBAAgB,EAAE;AAElE,QAAI,QAAQ;AAEX,YAAM,mBAAmB,KAAK,MAAM,KAAK,UAAU,CAAC,WAAW,QAAQ,KAAK,UAAU,CAAC,CAAC,CAAC,CAAC;AAE1F,oBAAc,EAAE,MAAM,CAAC,aAAa,GAAG,gBAAgB,EAAE;AAAA,IAC1D;AAEA,UAAM,WAAW,CAAC,YAAqD;AACvE,UAAM,SAAS,MAAM,KAAK,SAAS,GAAG,KAAK,QAAQ,aAAa;AAAA;AAAA,MAE/D,OAAO,CAAC,mBAAU,QAAQ;AAAA;AAAA,MAG1B;AAAA;AAAA,MAGA,UAAU,yBAAa;AAAA;AAAA,MAGvB,eAAe,yBAAa;AAAA,IAC7B,CAAC;AAED,WAAO;AAAA,EACR;AAAA,EAGA,MAAa,UACZ,IACA,YACA,OACa;AACb,WAAO,KAAK,WAAW,yBAAyB,KAAK,WAAW,IAAI,EAAE;AAEtE,yBAAO;AAAA,MACN;AAAA,QACC;AAAA,QACA,gBAAY,uCAAyB,UAAU;AAAA,QAC/C,QAAQ,KAAK,WAAW;AAAA,MACzB;AAAA,MACA;AAAA,IACD;AAEA,UAAM,SAAS,MAAM,KAAK,SAAS,GAAG,QAAQ,KAAK,YAAY,IAAI;AAAA;AAAA,MAElE,UAAU,CAAC,GAAG,KAAK,qBAAqB,KAAK,WAAW,MAAM,UAAU,CAAC;AAAA,IAC1E,CAAC;AAED,QAAI,WAAW,MAAM;AACpB,YAAM,IAAI,MAAM,oBAAoB,KAAK,WAAW,IAAI,cAAc,EAAE,iBAAiB;AAAA,IAC1F;AAEA,UAAM,EAAE,SAAS,GAAG,yBAAyB,IAAI;AAGjD,QAAI,SAAS;AACZ,UAAI;AACH,cAAM,KAAK,SAAS,GAAG,KAAK,QAAQ,kBAAS,YAAY,OAAO;AAAA,MACjE,SAAS,KAAK;AACb,cAAM,IAAI,iCAAqB,KAAe,SAAS,EAAE,OAAO,CAAC;AAAA,MAClE;AAAA,IACD;AAMA,UAAM,OAAO,KAAK,SAAS,GAAG,YAAY,EAAE,IAAI,KAAK,WAAW,IAAI;AACpE,eAAW,OAAO,KAAK,aAAa;AACnC,UAAI,KAAK,WAAW,GAAG,EAAE,cAAe,QAAQ,yBAAiC,GAAG;AAAA,IACrF;AAEA,UAAM,KAAK,iBAAiB,QAAQ,KAAK,YAAY,wBAAsC;AAC3F,UAAM,KAAK,SAAS,GAAG,gBAAgB,MAAM;AAE7C,yBAAO,MAAM,UAAU,KAAK,WAAW,IAAI,WAAW,MAAM;AAE5D,WAAO;AAAA,EACR;AAAA,EAGA,MAAa,WACZ,aACA,OACe;AACf,WAAO,KAAK,WAAW,0BAA0B,KAAK,WAAW,IAAI,EAAE;AACvE,yBAAO;AAAA,MACN,EAAE,iBAAa,uCAAyB,WAAW,GAAG,QAAQ,KAAK,WAAW,KAAK;AAAA,MACnF;AAAA,IACD;AAEA,UAAM,OAAO,KAAK,SAAS,GAAG,YAAY,EAAE,IAAI,KAAK,WAAW,IAAI;AAEpE,UAAM,WAAW,MAAM,KAAK,SAAS,cAAmB,YAAY;AACnE,aAAO,QAAQ;AAAA,QACd,YAAY,IAAI,OAAO,SAAS;AAC/B,cAAI,CAAC,MAAM,GAAI,OAAM,IAAI,MAAM,mDAAmD;AAGlF,gBAAM,SAAS,MAAM,KAAK,SAAS,GAAG,cAAc,KAAK,YAAY,KAAK,IAAI;AAAA,YAC7E,UAAU,CAAC,GAAG,KAAK,qBAAqB,KAAK,WAAW,MAAM,IAAI,CAAC;AAAA,UACpE,CAAC;AAMD,qBAAW,OAAO,KAAK,aAAa;AACnC,gBAAI,KAAK,WAAW,GAAG,EAAE,cAAe,QAAQ,KAAa,GAAG;AAAA,UACjE;AAEA,gBAAM,KAAK,iBAAiB,QAAQ,KAAK,YAAY,IAAI;AACzD,eAAK,SAAS,GAAG,QAAQ,MAAM;AAC/B,iBAAO;AAAA,QACR,CAAC;AAAA,MACF;AAAA,IACD,CAAC;AAED,yBAAO,MAAM,EAAE,QAAQ,KAAK,WAAW,MAAM,SAAS,GAAG,eAAe;AAExE,WAAO;AAAA,EACR;AAAA,EAGA,MAAa,mBAAmB,OAAqB,OAAoC;AACxF,WAAO,KAAK,WAAW,kCAAkC,KAAK,WAAW,IAAI,EAAE;AAC/E,yBAAO;AAAA,MACN,EAAE,WAAO,uCAAyB,KAAK,GAAG,QAAQ,KAAK,WAAW,KAAK;AAAA,MACvE;AAAA,IACD;AAEA,UAAM,WAAW,MAAM,KAAK,SAAS,cAAmB,YAAY;AACnE,aAAO,QAAQ;AAAA,QACd,MAAM,IAAI,OAAO,SAAS;AACzB,cAAI;AACJ,gBAAM,EAAE,GAAG,IAAI;AACf,cAAI,IAAI;AACP,qBAAS,MAAM,KAAK,SAAS,GAAG,cAAc,KAAK,YAAY,IAAI;AAAA,cAClE,UAAU;AAAA,gBACT,GAAG,KAAK,qBAAqB,KAAK,WAAW,MAAM,IAAI;AAAA,cACxD;AAAA,YACD,CAAC;AACD,iCAAO,MAAM,EAAE,MAAM,QAAQ,KAAK,WAAW,KAAK,GAAG,0BAA0B;AAC/E,kBAAM,KAAK,iBAAiB,QAAQ,KAAK,YAAY,IAAI;AAAA,UAC1D,OAAO;AACN,qBAAS,IAAI,KAAK,WAAW;AAC7B,kBAAM,KAAK,iBAAiB,QAAQ,KAAK,YAAY,IAAI;AACzD,iCAAO,MAAM,EAAE,MAAM,QAAQ,KAAK,WAAW,KAAK,GAAG,0BAA0B;AAAA,UAChF;AACA,eAAK,SAAS,GAAG,QAAQ,MAAM;AAC/B,iBAAO;AAAA,QACR,CAAC;AAAA,MACF;AAAA,IACD,CAAC;AAED,yBAAO;AAAA,MACN,EAAE,QAAQ,KAAK,WAAW,MAAM,cAAU,uCAAyB,QAAQ,EAAE;AAAA,MAC7E;AAAA,IACD;AAEA,WAAO;AAAA,EACR;AAAA,EAGA,MAAa,UAAU,YAAwB,OAAkC;AAChF,WAAO,KAAK,WAAW,yBAAyB,KAAK,WAAW,IAAI,EAAE;AACtE,yBAAO;AAAA,MACN,EAAE,gBAAY,uCAAyB,UAAU,GAAG,QAAQ,KAAK,WAAW,KAAK;AAAA,MACjF;AAAA,IACD;AAEA,UAAM,SAAS,IAAI,KAAK,WAAW;AACnC,UAAM,KAAK,iBAAiB,QAAQ,KAAK,YAAY,UAAU;AAC/D,UAAM,KAAK,SAAS,GAAG,gBAAgB,MAAoB;AAE3D,yBAAO;AAAA,MACN,EAAE,QAAQ,KAAK,WAAW,MAAM,YAAQ,uCAAyB,MAAM,EAAE;AAAA,MACzE;AAAA,IACD;AAEA,WAAO;AAAA,EACR;AAAA,EAGA,MAAa,WAAW,aAA2B,OAAoC;AACtF,WAAO,KAAK,WAAW,0BAA0B,KAAK,WAAW,IAAI,EAAE;AACvE,WAAO,KAAK,YAAY,WAAW;AAAA,EACpC;AAAA,EAEA,MAAa,aAAa,aAAyC;AAClE,WAAO,KAAK,YAAY,WAAW;AAAA,EACpC;AAAA,EAEA,MAAc,YAAY,aAA2B;AACpD,yBAAO;AAAA,MACN,EAAE,iBAAa,uCAAyB,WAAW,GAAG,QAAQ,KAAK,WAAW,KAAK;AAAA,MACnF;AAAA,IACD;AAEA,UAAM,WAAW,MAAM,KAAK,SAAS,cAAmB,YAAY;AACnE,aAAO,QAAQ;AAAA,QACd,YAAY,IAAI,OAAO,SAAS;AAC/B,gBAAM,SAAS,IAAI,KAAK,WAAW;AACnC,gBAAM,KAAK,iBAAiB,QAAQ,KAAK,YAAY,IAAI;AACzD,eAAK,SAAS,GAAG,QAAQ,MAAoB;AAC7C,iBAAO;AAAA,QACR,CAAC;AAAA,MACF;AAAA,IACD,CAAC;AAED,yBAAO,MAAM,EAAE,QAAQ,KAAK,WAAW,MAAM,SAAS,GAAG,eAAe;AAExE,WAAO;AAAA,EACR;AAAA,EAGA,MAAa,UAAU,QAAmB,OAAwC;AACjF,WAAO,KAAK,WAAW,yBAAyB,KAAK,WAAW,IAAI,EAAE;AACtE,yBAAO;AAAA,MACN,EAAE,YAAQ,uCAAyB,MAAM,GAAG,QAAQ,KAAK,WAAW,KAAK;AAAA,MACzE;AAAA,IACD;AACA,UAAM,QAAQ,SACX,WAAW,KAAK,MAAM,KAAK,UAAU,MAAM,CAAC,GAAG,KAAK,UAAU,CAAC,IAC/D;AACH,UAAM,mCACL,SAAS,KAAK,sBAAsB,KAAK,YAAY,KAAK;AAE3D,UAAM,cAAc,MAAM,KAAK,SAAS,GAAG;AAAA,MAC1C,KAAK;AAAA,MACL;AAAA,IACD;AAEA,QAAI,cAAc,GAAG;AACpB,YAAM,IAAI,MAAM,uBAAuB;AAAA,IACxC;AAEA,yBAAO,MAAM,UAAU,KAAK,WAAW,IAAI,oBAAoB,WAAW,SAAS;AAEnF,WAAO,gBAAgB;AAAA,EACxB;AAAA,EAGA,MAAa,WAAW,QAAmB,OAAwC;AAClF,WAAO,KAAK,WAAW,0BAA0B,KAAK,WAAW,IAAI,EAAE;AACvE,yBAAO;AAAA,MACN,EAAE,YAAQ,uCAAyB,MAAM,GAAG,QAAQ,KAAK,WAAW,KAAK;AAAA,MACzE;AAAA,IACD;AAEA,UAAM,cAAc,MAAM,KAAK,SAAS,cAAsB,YAAY;AACzE,YAAM,QAAQ,SACX,WAAW,KAAK,MAAM,KAAK,UAAU,MAAM,CAAC,GAAG,KAAK,UAAU,CAAC,IAC/D;AACH,YAAM,mCACL,SAAS,KAAK,sBAAsB,KAAK,YAAY,KAAK;AAE3D,YAAM,WAAW,MAAM,KAAK,SAAS,GAAG;AAAA,QACvC,KAAK;AAAA,QACL;AAAA,MACD;AACA,YAAM,eAAe,MAAM,KAAK,SAAS,GAAG;AAAA,QAC3C,KAAK;AAAA,QACL;AAAA,MACD;AAEA,UAAI,iBAAiB,UAAU;AAC9B,cAAM,IAAI,MAAM,2CAA2C;AAAA,MAC5D;AAEA,aAAO;AAAA,IACR,CAAC;AAED,yBAAO,MAAM,UAAU,KAAK,WAAW,IAAI,oBAAoB,WAAW,SAAS;AAEnF,WAAO;AAAA,EACR;AAAA,EAEO,+BAAgC,OAAsB,YAAe;AAC3E,UAAM,QAAQ,WAAW,MAAM,IAAe;AAE9C,QAAI,sBAAU,YAAY,KAAK,GAAG;AACjC,YAAM,EAAE,WAAW,IAAI,KAAK,SAAS,GAAG,YAAY,EAAE,IAAI,KAAK,UAAU;AACzE,YAAM,WAAW,WAAW,MAAM,IAAI;AACtC,YAAM,CAAC,UAAU,IAAI,SAAS,YAAY,eAAe,CAAC;AAC1D,UAAI,CAAC,YAAY;AAChB,cAAM,IAAI;AAAA,UACT,uCAAuC,MAAM,IAAI,OAAO,KAAK,WAAW,IAAI;AAAA,QAC7E;AAAA,MACD;AAEA,YAAM,aAAc,MAAM,OAAO,EAAU,UAAU;AACrD,UAAI,eAAe,UAAa,eAAe,MAAM;AACpD,cAAM,IAAI;AAAA,UACT,8CAA8C,MAAM,OAAO,CAAC,0BAA0B,UAAU;AAAA,QACjG;AAAA,MACD;AAEA,aAAO;AAAA,IACR;AAEA,WAAO;AAAA,EACR;AAAA,EAGA,MAAa,UACZ,QACA,uBACA,OAC6B;AAC7B,WAAO,KAAK,WAAW,yBAAyB,KAAK,WAAW,IAAI,EAAE;AACtE,yBAAO;AAAA,MACN,EAAE,YAAQ,uCAAyB,MAAM,GAAG,QAAQ,KAAK,WAAW,KAAK;AAAA,MACzE;AAAA,IACD;AAUA,UAAM,QAAQ,SACX,WAAW,KAAK,MAAM,KAAK,UAAU,MAAM,CAAC,GAAG,KAAK,UAAU,CAAC,IAC/D;AAKH,UAAM,mCAAmC,QACtC,KAAK,sBAAsB,KAAK,YAAY,KAAK,IACjD,CAAC;AAIJ,UAAM,QAAQ,KAAK,GAAG,mBAAmB,KAAK,UAAU;AAExD,QAAI,OAAO,KAAK,gCAAgC,EAAE,SAAS,GAAG;AAC7D,YAAM,SAAS,gCAAgC;AAAA,IAChD;AAEA,UAAM,SAA4B,CAAC;AAEnC,QAAI;AACH,UAAI,sBAAsB,IAAI,mCAAgB,KAAK,GAAG;AACrD,cAAM,OAAO,KAAK,SAAS,GAAG,YAAY,EAAE,IAAI,KAAK,WAAW,IAAI;AACpE,YAAI,KAAK,YAAY,QAAQ;AAG5B,iBAAO,QAAQ,MAAM,MAAM,SAAS,KAAK,aAAa,IAAI;AAAA,QAC3D,OAAO;AAGN,gBAAM,CAAC,QAAQ,IAAI,MAAM,MAAM,OAAO,0BAAc,GAAG,OAAO,CAAC,EAAE,QAAQ;AACzE,iBAAO,QAAQ,SAAS;AAAA,QACzB;AAAA,MACD;AAAA,IACD,SAAS,KAAK;AACb,2BAAO,MAAM,QAAQ,KAAK,WAAW,IAAI,WAAW,KAAK,UAAU,GAAG,CAAC,EAAE;AAEzE,UAAK,KAAuB,YAAY,2BAA2B;AAElE,cAAM,IAAI;AAAA,UACT;AAAA,QACD;AAAA,MACD,WAAY,KAAuB,SAAS,gBAAgB;AAE3D,cAAM,IAAI;AAAA,UACT;AAAA,QACD;AAAA,MACD,OAAO;AACN,cAAM;AAAA,MACP;AAAA,IACD;AAEA,WAAO;AAAA,EACR;AACD;AAtgBc;AAAA,MADZ,gCAAY;AAAA,GA/OD,qBAgPC;AAgFA;AAAA,MADZ,gCAAY;AAAA,GA/TD,qBAgUC;AAuCA;AAAA,MADZ,gCAAY;AAAA,GAtWD,qBAuWC;AA+CA;AAAA,MADZ,gCAAY;AAAA,GArZD,qBAsZC;AAsDA;AAAA,MADZ,gCAAY;AAAA,GA3cD,qBA4cC;AA2CA;AAAA,MADZ,gCAAY;AAAA,GAtfD,qBAufC;AAwCA;AAAA,MADZ,gCAAY;AAAA,GA9hBD,qBA+hBC;AAoBA;AAAA,MADZ,gCAAY;AAAA,GAljBD,qBAmjBC;AAgCA;AAAA,MADZ,gCAAY;AAAA,GAllBD,qBAmlBC;AA2BA;AAAA,MADZ,gCAAY;AAAA,GA7mBD,qBA8mBC;AA8DA;AAAA,MADZ,gCAAY;AAAA,GA3qBD,qBA4qBC;",
4
+ "sourcesContent": ["import {\n\tAggregationType,\n\tBackendProvider,\n\tgraphweaverMetadata,\n\tGraphweaverPluginNextFunction,\n\tGraphweaverRequestEvent,\n\tSort,\n\ttrace as startTrace,\n\tTraceMethod,\n\ttraceSync,\n} from '@exogee/graphweaver';\nimport type {\n\tAggregationResult,\n\tBackendProviderConfig,\n\tEntityMetadata,\n\tFieldMetadata,\n\tFilter,\n\tPaginationOptions,\n\tTraceOptions,\n} from '@exogee/graphweaver';\nimport { logger, safeErrorLog } from '@exogee/logger';\nimport {\n\tAutoPath,\n\tLoadStrategy,\n\tPopulateHint,\n\tReference,\n\tRequestContext,\n\tsql,\n} from '@mikro-orm/core';\nimport { pluginManager, apolloPluginManager } from '@exogee/graphweaver-server';\n\nimport {\n\tLockMode,\n\tQueryFlag,\n\tReferenceKind,\n\tConnectionManager,\n\texternalIdFieldMap,\n\tAnyEntity,\n\tIsolationLevel,\n\tConnectionOptions,\n\tconnectToDatabase,\n\tDatabaseType,\n} from '..';\n\nimport { OptimisticLockError, sanitiseFilterForLogging } from '../utils';\nimport { assign } from './assign';\n\ntype PostgresError = {\n\tcode: string;\n\troutine: string;\n};\n\nconst objectOperations = new Set(['_and', '_or', '_not']);\nconst mikroObjectOperations = new Set(['$and', '$or', '$not']);\nconst nullBooleanOperations = new Set(['null', 'notnull']);\n\nconst appendPath = (path: string, newPath: string) =>\n\tpath.length ? `${path}.${newPath}` : newPath;\n\nexport const gqlToMikro = (filter: any, databaseType?: DatabaseType): any => {\n\tif (Array.isArray(filter)) {\n\t\treturn filter.map((element) => gqlToMikro(element, databaseType));\n\t} else if (typeof filter === 'object' && filter !== null) {\n\t\tfor (const key of Object.keys(filter)) {\n\t\t\t// A null here is a user-specified value and is valid to filter on\n\t\t\tif (filter[key] === null) continue;\n\n\t\t\tif (objectOperations.has(key)) {\n\t\t\t\t// { _not: '1' } => { $not: '1' }\n\t\t\t\tfilter[key.replace('_', '$')] = gqlToMikro(filter[key], databaseType);\n\t\t\t\tdelete filter[key];\n\t\t\t} else if (typeof filter[key] === 'object' && !Array.isArray(filter[key])) {\n\t\t\t\t// Recurse over nested filters only (arrays are an argument to a filter, not a nested filter)\n\t\t\t\tfilter[key] = gqlToMikro(filter[key], databaseType);\n\t\t\t} else if (key.indexOf('_') >= 0) {\n\t\t\t\tconst [newKey, operator] = key.split('_');\n\t\t\t\tlet newValue;\n\t\t\t\tif (nullBooleanOperations.has(operator) && typeof filter[key] === 'boolean') {\n\t\t\t\t\t// { firstName_null: true } => { firstName: { $eq: null } } or { firstName_null: false } => { firstName: { $ne: null } }\n\t\t\t\t\t// { firstName_notnull: true } => { firstName: { $ne: null } } or { firstName_notnull: false } => { firstName: { $eq: null } }\n\t\t\t\t\tnewValue =\n\t\t\t\t\t\t(filter[key] && operator === 'null') || (!filter[key] && operator === 'notnull')\n\t\t\t\t\t\t\t? { $eq: null }\n\t\t\t\t\t\t\t: { $ne: null };\n\t\t\t\t} else if (operator === 'ilike' && databaseType !== 'postgresql') {\n\t\t\t\t\tlogger.warn(\n\t\t\t\t\t\t`The $ilike operator is not supported by ${databaseType} databases. Operator coerced to $like.`\n\t\t\t\t\t);\n\t\t\t\t\tnewValue = { $like: filter[key] };\n\t\t\t\t} else {\n\t\t\t\t\t// { firstName_in: ['k', 'b'] } => { firstName: { $in: ['k', 'b'] } }\n\t\t\t\t\tnewValue = { [`$${operator}`]: gqlToMikro(filter[key], databaseType) };\n\t\t\t\t\t// They can construct multiple filters for the same key. In that case we need\n\t\t\t\t\t// to append them all into an object.\n\t\t\t\t}\n\n\t\t\t\tif (typeof filter[newKey] !== 'undefined') {\n\t\t\t\t\tif (typeof filter[newKey] !== 'object') {\n\t\t\t\t\t\tif (typeof newValue === 'object' && '$eq' in newValue) {\n\t\t\t\t\t\t\tthrow new Error(\n\t\t\t\t\t\t\t\t`property ${newKey} on filter is ambiguous. There are two values for this property: ${filter[newKey]} and ${newValue.$eq}`\n\t\t\t\t\t\t\t);\n\t\t\t\t\t\t}\n\t\t\t\t\t\tfilter[newKey] = { ...{ $eq: filter[newKey] }, ...newValue };\n\t\t\t\t\t} else {\n\t\t\t\t\t\tif (newValue && typeof newValue === 'object' && '$eq' in newValue) {\n\t\t\t\t\t\t\tthrow new Error(\n\t\t\t\t\t\t\t\t`property ${newKey} on filter is ambiguous. There are two values for this property: ${JSON.stringify(\n\t\t\t\t\t\t\t\t\tfilter[newKey]\n\t\t\t\t\t\t\t\t)} and ${JSON.stringify(newValue)}`\n\t\t\t\t\t\t\t);\n\t\t\t\t\t\t}\n\t\t\t\t\t\tfilter[newKey] = { ...filter[newKey], ...newValue };\n\t\t\t\t\t}\n\t\t\t\t} else {\n\t\t\t\t\tfilter[newKey] = newValue;\n\t\t\t\t}\n\n\t\t\t\tdelete filter[key];\n\t\t\t}\n\t\t}\n\t}\n\treturn filter;\n};\n\nexport interface AdditionalOptions {\n\ttransactionIsolationLevel?: IsolationLevel;\n\tbackendDisplayName?: string;\n}\n\nexport class MikroBackendProvider<D> implements BackendProvider<D> {\n\tprivate _backendId: string;\n\n\tprivate connection: ConnectionOptions;\n\n\tpublic entityType: new () => D;\n\tpublic connectionManagerId?: string;\n\tprivate transactionIsolationLevel!: IsolationLevel;\n\n\t// This is an optional setting that allows you to control how this provider is displayed in the Admin UI.\n\t// If you do not set a value, it will default to 'REST (hostname of baseUrl)'. Entities are grouped by\n\t// their backend's display name, so if you want to group them in a more specific way, this is the way to do it.\n\tpublic readonly backendDisplayName?: string;\n\n\tpublic readonly supportsInFilter = true;\n\n\t// Default backend provider config\n\tpublic readonly backendProviderConfig: BackendProviderConfig = {\n\t\tfilter: true,\n\t\tpagination: false,\n\t\torderBy: false,\n\t\tsupportedAggregationTypes: new Set<AggregationType>([AggregationType.COUNT]),\n\t\tsupportsPseudoCursorPagination: true,\n\t};\n\n\tget backendId() {\n\t\treturn this._backendId;\n\t}\n\n\tprivate get database() {\n\t\t// If we have a connection manager ID then use that else fallback to the Database\n\t\tif (!this.connectionManagerId) return ConnectionManager.default;\n\t\treturn ConnectionManager.database(this.connectionManagerId) || ConnectionManager.default;\n\t}\n\n\t// This is exposed for use in the RLS package\n\tpublic get transactional() {\n\t\treturn this.database.transactional;\n\t}\n\n\tpublic async withTransaction<T>(callback: () => Promise<T>) {\n\t\treturn this.database.transactional<T>(callback, this.transactionIsolationLevel);\n\t}\n\n\t// This is exposed for use in the RLS package\n\tpublic get em() {\n\t\treturn this.database.em;\n\t}\n\n\tpublic constructor(\n\t\tmikroType: new () => D,\n\t\tconnection: ConnectionOptions,\n\t\ttransactionIsolationLevel?: IsolationLevel\n\t);\n\tpublic constructor(\n\t\tmikroType: new () => D,\n\t\tconnection: ConnectionOptions,\n\t\tadditionalOptions?: AdditionalOptions\n\t);\n\tpublic constructor(\n\t\tmikroType: new () => D,\n\t\tconnection: ConnectionOptions,\n\t\toptionsOrIsolationLevel: AdditionalOptions | IsolationLevel = {\n\t\t\ttransactionIsolationLevel: IsolationLevel.REPEATABLE_READ,\n\t\t}\n\t) {\n\t\tconst options =\n\t\t\ttypeof optionsOrIsolationLevel === 'object'\n\t\t\t\t? optionsOrIsolationLevel\n\t\t\t\t: {\n\t\t\t\t\t\ttransactionIsolationLevel: optionsOrIsolationLevel,\n\t\t\t\t\t};\n\n\t\tthis.entityType = mikroType;\n\t\tthis.connectionManagerId = connection.connectionManagerId;\n\t\tthis._backendId = `mikro-orm-${connection.connectionManagerId || ''}`;\n\t\tthis.transactionIsolationLevel =\n\t\t\toptions.transactionIsolationLevel ?? IsolationLevel.REPEATABLE_READ;\n\t\tthis.backendDisplayName = options.backendDisplayName;\n\t\tthis.connection = connection;\n\t\tthis.addRequestContext();\n\t\tthis.connectToDatabase();\n\t}\n\tprivate getDbType(): DatabaseType {\n\t\tconst driver = this.em.getDriver().constructor.name;\n\t\t// This used to import the actual drivers, but since they're optional it makes more sense\n\t\t// to just use the strings.\n\t\tswitch (driver) {\n\t\t\tcase 'MsSqlDriver':\n\t\t\t\treturn 'mssql';\n\t\t\tcase 'MySqlDriver':\n\t\t\t\treturn 'mysql';\n\t\t\tcase 'PostgreSqlDriver':\n\t\t\t\treturn 'postgresql';\n\t\t\tcase 'SqliteDriver':\n\t\t\t\treturn 'sqlite';\n\t\t\tdefault:\n\t\t\t\tthrow new Error(`This driver (${driver}) is not supported!`);\n\t\t}\n\t}\n\n\tprivate connectToDatabase = async () => {\n\t\tconst connectionManagerId = this.connectionManagerId;\n\t\tif (!connectionManagerId) {\n\t\t\tthrow new Error('Expected connectionManagerId to be defined when calling addRequestContext.');\n\t\t}\n\n\t\tapolloPluginManager.addPlugin(connectionManagerId, connectToDatabase(this.connection));\n\t};\n\n\tprivate addRequestContext = () => {\n\t\tconst connectionManagerId = this.connectionManagerId;\n\t\tif (!connectionManagerId) {\n\t\t\tthrow new Error('Expected connectionManagerId to be defined when calling addRequestContext.');\n\t\t}\n\n\t\tconst connectionPlugin = {\n\t\t\tname: connectionManagerId,\n\t\t\tevent: GraphweaverRequestEvent.OnRequest,\n\t\t\tnext: async (_: GraphweaverRequestEvent, _next: GraphweaverPluginNextFunction) => {\n\t\t\t\tlogger.trace(`Graphweaver OnRequest plugin called`);\n\n\t\t\t\tconst connection = await ConnectionManager.awaitableDatabase(connectionManagerId);\n\n\t\t\t\tif (!connection) {\n\t\t\t\t\tthrow new Error(\n\t\t\t\t\t\t`No database connection found for connectionManagerId: ${connectionManagerId} after waiting for connection. This should not happen.`\n\t\t\t\t\t);\n\t\t\t\t}\n\n\t\t\t\treturn RequestContext.create(connection.orm.em, _next, {});\n\t\t\t},\n\t\t};\n\t\tpluginManager.addPlugin(connectionPlugin);\n\t};\n\n\tprivate mapAndAssignKeys = (result: D, entityType: new () => D, inputArgs: Partial<D>) => {\n\t\t// Clean the input and remove any GraphQL classes from the object\n\t\tconst assignmentObj = this.applyExternalIdFields(entityType, inputArgs);\n\t\treturn assign(result, assignmentObj, undefined, undefined, this.database.em);\n\t};\n\n\tprivate applyExternalIdFields = (target: AnyEntity | string, values: any) => {\n\t\tconst targetName = typeof target === 'string' ? target : target.name;\n\t\tconst map = externalIdFieldMap.get(targetName);\n\n\t\tconst mapFieldNames = (partialFilterObj: any) => {\n\t\t\tfor (const [from, to] of Object.entries(map || {})) {\n\t\t\t\tif (partialFilterObj[from]) {\n\t\t\t\t\tconst keys = Object.keys(partialFilterObj[from]);\n\t\t\t\t\tif (keys.length > 1) {\n\t\t\t\t\t\tthrow new Error(\n\t\t\t\t\t\t\t`Expected precisely 1 key in queryObj.${from} on ${target}, got ${JSON.stringify(\n\t\t\t\t\t\t\t\tpartialFilterObj[from],\n\t\t\t\t\t\t\t\tnull,\n\t\t\t\t\t\t\t\t4\n\t\t\t\t\t\t\t)}`\n\t\t\t\t\t\t);\n\t\t\t\t\t}\n\n\t\t\t\t\tpartialFilterObj[to] = partialFilterObj[from][keys[0]];\n\t\t\t\t\tdelete partialFilterObj[from];\n\t\t\t\t}\n\t\t\t}\n\t\t};\n\n\t\t// Check for and/or/etc at the root level and handle correctly\n\t\tfor (const rootLevelKey of Object.keys(values)) {\n\t\t\tif (mikroObjectOperations.has(rootLevelKey)) {\n\t\t\t\tif (Array.isArray(values[rootLevelKey])) {\n\t\t\t\t\tfor (const field of values[rootLevelKey]) {\n\t\t\t\t\t\tmapFieldNames(field);\n\t\t\t\t\t}\n\t\t\t\t} else {\n\t\t\t\t\tmapFieldNames(values[rootLevelKey]);\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t\t// Map the rest of the field names as well\n\t\tmapFieldNames(values);\n\n\t\t// Traverse the nested entities\n\t\tconst { properties } = this.database.em.getMetadata().get(targetName);\n\t\tObject.values(properties)\n\t\t\t.filter((property) => typeof property.entity !== 'undefined' && values[property.name])\n\t\t\t.forEach((property) => {\n\t\t\t\tif (Array.isArray(values[property.name])) {\n\t\t\t\t\tvalues[property.name].forEach((value: any) =>\n\t\t\t\t\t\tthis.applyExternalIdFields(property.type, value)\n\t\t\t\t\t);\n\t\t\t\t} else {\n\t\t\t\t\tvalues[property.name] = this.applyExternalIdFields(property.type, values[property.name]);\n\t\t\t\t}\n\t\t\t});\n\n\t\treturn values;\n\t};\n\n\t// Check if we have any keys that are a collection of entities\n\tpublic visitPathForPopulate = (entityName: string, updateArgBranch: any, populateBranch = '') => {\n\t\tconst { properties } = this.database.em.getMetadata().get(entityName);\n\t\tconst collectedPaths = populateBranch ? new Set<string>([populateBranch]) : new Set<string>([]);\n\n\t\tfor (const [key, value] of Object.entries(updateArgBranch ?? {})) {\n\t\t\tif (\n\t\t\t\t// If it's a relationship, go ahead and and '.' it in, recurse.\n\t\t\t\tproperties[key]?.kind === ReferenceKind.ONE_TO_ONE ||\n\t\t\t\tproperties[key]?.kind === ReferenceKind.ONE_TO_MANY ||\n\t\t\t\tproperties[key]?.kind === ReferenceKind.MANY_TO_ONE ||\n\t\t\t\tproperties[key]?.kind === ReferenceKind.MANY_TO_MANY\n\t\t\t) {\n\t\t\t\tif (Array.isArray(value)) {\n\t\t\t\t\t// In the case where the array is empty we also need to make sure we load the collection.\n\t\t\t\t\tcollectedPaths.add(appendPath(populateBranch, key));\n\n\t\t\t\t\tfor (const entry of value) {\n\t\t\t\t\t\t// Recurse\n\t\t\t\t\t\tconst newPaths = this.visitPathForPopulate(\n\t\t\t\t\t\t\tproperties[key].type,\n\t\t\t\t\t\t\tentry,\n\t\t\t\t\t\t\tappendPath(populateBranch, key)\n\t\t\t\t\t\t);\n\t\t\t\t\t\tnewPaths.forEach((path) => collectedPaths.add(path));\n\t\t\t\t\t}\n\t\t\t\t} else if (typeof value === 'object') {\n\t\t\t\t\t// Recurse\n\t\t\t\t\tconst newPaths = this.visitPathForPopulate(\n\t\t\t\t\t\tproperties[key].type,\n\t\t\t\t\t\tvalue,\n\t\t\t\t\t\tappendPath(populateBranch, key)\n\t\t\t\t\t);\n\t\t\t\t\tnewPaths.forEach((path) => collectedPaths.add(path));\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\treturn collectedPaths;\n\t};\n\n\t@TraceMethod()\n\tpublic async find(\n\t\tfilter: Filter<D>,\n\t\tpagination?: PaginationOptions,\n\t\tentityMetadata?: EntityMetadata,\n\t\ttrace?: TraceOptions\n\t): Promise<D[]> {\n\t\t// If we have a span, update the name\n\t\ttrace?.span.updateName(`Mikro-Orm - Find ${this.entityType.name}`);\n\n\t\tlogger.trace(\n\t\t\t{ filter: sanitiseFilterForLogging(filter), entity: this.entityType.name },\n\t\t\t'Running find with filter'\n\t\t);\n\n\t\t// Strip custom types out of the equation.\n\t\t// This query only works if we JSON.parse(JSON.stringify(filter)):\n\t\tconst where = traceSync((trace?: TraceOptions) => {\n\t\t\ttrace?.span.updateName('Convert filter to Mikro-Orm format');\n\t\t\treturn filter ? gqlToMikro(JSON.parse(JSON.stringify(filter)), this.getDbType()) : undefined;\n\t\t})();\n\n\t\t// Convert from: { account: {id: '6' }}\n\t\t// to { accountId: '6' }\n\t\t// This conversion only works on root level objects\n\t\tconst whereWithAppliedExternalIdFields = where\n\t\t\t? this.applyExternalIdFields(this.entityType, where)\n\t\t\t: {};\n\n\t\t// Regions need some fancy handling with Query Builder. Process the where further\n\t\t// and return a Query Builder instance.\n\t\tconst query = this.em.createQueryBuilder(this.entityType);\n\t\tif (Object.keys(whereWithAppliedExternalIdFields).length > 0) {\n\t\t\tquery.andWhere(whereWithAppliedExternalIdFields);\n\t\t}\n\n\t\t// If we have specified a limit, offset or order then update the query\n\t\tif (pagination?.limit) query.limit(pagination.limit);\n\t\tif (pagination?.offset) query.offset(pagination.offset);\n\t\tif (pagination?.orderBy) query.orderBy({ ...pagination.orderBy });\n\n\t\t// Certain query filters can result in duplicate records once all joins are resolved\n\t\t// These duplicates can be discarded as related entities are returned to the\n\t\t// API consumer via field resolvers\n\t\tquery.setFlag(QueryFlag.DISTINCT);\n\n\t\t// 1:1 relations that aren't on the owning side need to get populated so the references get set.\n\t\t// This method is protected, but we need to use it from here, hence the `as any`.\n\t\tconst driver = this.database.em.getDriver();\n\t\tconst meta = this.database.em.getMetadata().get(this.entityType.name);\n\t\tquery.populate((driver as any).autoJoinOneToOneOwner(meta, []));\n\n\t\ttry {\n\t\t\tconst result = await startTrace(async (trace?: TraceOptions) => {\n\t\t\t\ttrace?.span.updateName('Mikro-Orm - Fetch Data');\n\t\t\t\treturn query.getResult();\n\t\t\t})();\n\n\t\t\tlogger.trace(`find ${this.entityType.name} result: ${result.length} rows`);\n\n\t\t\treturn result;\n\t\t} catch (err) {\n\t\t\tsafeErrorLog(logger, err, `find ${this.entityType.name} error`);\n\n\t\t\tif ((err as PostgresError)?.routine === 'InitializeSessionUserId') {\n\t\t\t\t// Throw if the user credentials are incorrect\n\t\t\t\tthrow new Error(\n\t\t\t\t\t'Database connection failed, please check you are using the correct user credentials for the database.'\n\t\t\t\t);\n\t\t\t} else if ((err as PostgresError)?.code === 'ECONNREFUSED') {\n\t\t\t\t// Throw if the database address or port is incorrect\n\t\t\t\tthrow new Error(\n\t\t\t\t\t'Database connection failed, please check you are using the correct address and port for the database.'\n\t\t\t\t);\n\t\t\t} else {\n\t\t\t\tthrow err;\n\t\t\t}\n\t\t}\n\t}\n\n\t@TraceMethod()\n\tpublic async findOne(\n\t\tfilter: Filter<D>,\n\t\tentityMetadata?: EntityMetadata,\n\t\ttrace?: TraceOptions\n\t): Promise<D | null> {\n\t\ttrace?.span.updateName(`Mikro-Orm - FindOne ${this.entityType.name}`);\n\t\tlogger.trace(\n\t\t\t{ entity: this.entityType.name, filter: sanitiseFilterForLogging(filter) },\n\t\t\t'Running findOne with filter'\n\t\t);\n\n\t\tconst metadata = this.em.getMetadata().get(this.entityType.name);\n\t\tlet primaryKeyField = metadata.primaryKeys[0];\n\n\t\tif (!primaryKeyField && entityMetadata) {\n\t\t\t// When using virtual entities, MikroORM will have no primary keys.\n\t\t\t// In this scenario we actually know what the primary key is from\n\t\t\t// the GraphQL metadata, so we can go ahead and use it.\n\t\t\tprimaryKeyField = graphweaverMetadata.primaryKeyFieldForEntity(entityMetadata);\n\t\t}\n\n\t\tif (!primaryKeyField || metadata.primaryKeys.length > 1) {\n\t\t\tthrow new Error(\n\t\t\t\t`Entity ${this.entityType.name} has ${metadata.primaryKeys.length} primary keys. We only support entities with a single primary key at this stage.`\n\t\t\t);\n\t\t}\n\n\t\tconst [result] = await this.find(filter, {\n\t\t\torderBy: { [primaryKeyField]: Sort.DESC },\n\t\t\toffset: 0,\n\t\t\tlimit: 1,\n\t\t});\n\n\t\tlogger.trace({ result, entity: this.entityType.name }, 'findOne result');\n\n\t\treturn result;\n\t}\n\n\t@TraceMethod()\n\tpublic async findByRelatedId(\n\t\tentity: any,\n\t\trelatedField: string,\n\t\trelatedFieldIds: string[],\n\t\tfilter?: any,\n\t\ttrace?: TraceOptions\n\t): Promise<D[]> {\n\t\ttrace?.span.updateName(`Mikro-Orm - findByRelatedId ${this.entityType.name}`);\n\t\tlogger.trace(\n\t\t\t{\n\t\t\t\tentity: this.entityType.name,\n\t\t\t\trelatedField,\n\t\t\t\trelatedFieldIds,\n\t\t\t\tfilter: sanitiseFilterForLogging(filter),\n\t\t\t},\n\t\t\t'Running findByRelatedId'\n\t\t);\n\n\t\t// Any is the actual type from MikroORM, sorry folks.\n\t\tlet queryFilter: any = { [relatedField]: { $in: relatedFieldIds } };\n\n\t\tif (filter) {\n\t\t\t// JSON.parse(JSON.stringify()) is needed. See https://exogee.atlassian.net/browse/EXOGW-419\n\t\t\tconst gqlToMikroFilter = JSON.parse(JSON.stringify([gqlToMikro(filter, this.getDbType())]));\n\t\t\t// Since the user has supplied a filter, we need to and it in.\n\t\t\tqueryFilter = { $and: [queryFilter, ...gqlToMikroFilter] };\n\t\t}\n\n\t\tconst populate = [relatedField as AutoPath<typeof entity, PopulateHint>];\n\t\tconst result = await this.database.em.find(entity, queryFilter, {\n\t\t\t// We only need one result per entity.\n\t\t\tflags: [QueryFlag.DISTINCT],\n\n\t\t\t// We do want to populate the relation, however, see below.\n\t\t\tpopulate,\n\n\t\t\t// We'd love to use the default joined loading strategy, but it doesn't work with the populateWhere option.\n\t\t\tstrategy: LoadStrategy.SELECT_IN,\n\n\t\t\t// This tells MikroORM we only need to load the related entities if they match the filter specified above.\n\t\t\tpopulateWhere: PopulateHint.INFER,\n\t\t});\n\n\t\treturn result as D[];\n\t}\n\n\t@TraceMethod()\n\tpublic async updateOne(\n\t\tid: string | number,\n\t\tupdateArgs: Partial<D & { version?: number }>,\n\t\ttrace?: TraceOptions\n\t): Promise<D> {\n\t\ttrace?.span.updateName(`Mikro-Orm - updateOne ${this.entityType.name}`);\n\n\t\tlogger.trace(\n\t\t\t{\n\t\t\t\tid,\n\t\t\t\tupdateArgs: sanitiseFilterForLogging(updateArgs),\n\t\t\t\tentity: this.entityType.name,\n\t\t\t},\n\t\t\t'Running update with args'\n\t\t);\n\n\t\tconst entity = await this.database.em.findOne(this.entityType, id, {\n\t\t\t// This is an optimisation so that assign() doesn't have to go fetch everything one at a time.\n\t\t\tpopulate: [...this.visitPathForPopulate(this.entityType.name, updateArgs)] as `${string}.`[],\n\t\t});\n\n\t\tif (entity === null) {\n\t\t\tthrow new Error(`Unable to locate ${this.entityType.name} with ID: '${id}' for updating.`);\n\t\t}\n\n\t\tconst { version, ...updateArgsWithoutVersion } = updateArgs;\n\n\t\t// If a version has been sent, let's check it\n\t\tif (version) {\n\t\t\ttry {\n\t\t\t\tawait this.database.em.lock(entity, LockMode.OPTIMISTIC, version);\n\t\t\t} catch (err) {\n\t\t\t\tthrow new OptimisticLockError((err as Error)?.message, { entity });\n\t\t\t}\n\t\t}\n\n\t\t// For an update we also want to go ahead and remove the primary key if it's autoincremented, as\n\t\t// users should not be able to change the primary key. There are also scenarios like\n\t\t// GENERATED ALWAYS AS IDENTITY where even supplying the primary key in the update query will\n\t\t// cause an error.\n\t\tconst meta = this.database.em.getMetadata().get(this.entityType.name);\n\t\tfor (const key of meta.primaryKeys) {\n\t\t\tif (meta.properties[key].autoincrement) delete (updateArgsWithoutVersion as any)[key];\n\t\t}\n\n\t\tawait this.mapAndAssignKeys(entity, this.entityType, updateArgsWithoutVersion as Partial<D>);\n\t\tawait this.database.em.persistAndFlush(entity);\n\n\t\tlogger.trace(`update ${this.entityType.name} entity`, entity);\n\n\t\treturn entity;\n\t}\n\n\t@TraceMethod()\n\tpublic async updateMany(\n\t\tupdateItems: (Partial<D> & { id: string })[],\n\t\ttrace?: TraceOptions\n\t): Promise<D[]> {\n\t\ttrace?.span.updateName(`Mikro-Orm - updateMany ${this.entityType.name}`);\n\t\tlogger.trace(\n\t\t\t{ updateItems: sanitiseFilterForLogging(updateItems), entity: this.entityType.name },\n\t\t\t'Running update many with args'\n\t\t);\n\n\t\tconst meta = this.database.em.getMetadata().get(this.entityType.name);\n\n\t\tconst entities = await this.database.transactional<D[]>(async () => {\n\t\t\treturn Promise.all<D>(\n\t\t\t\tupdateItems.map(async (item) => {\n\t\t\t\t\tif (!item?.id) throw new Error('You must pass an ID for this entity to update it.');\n\n\t\t\t\t\t// Find the entity in the database\n\t\t\t\t\tconst entity = await this.database.em.findOneOrFail(this.entityType, item.id, {\n\t\t\t\t\t\tpopulate: [...this.visitPathForPopulate(this.entityType.name, item)] as `${string}.`[],\n\t\t\t\t\t});\n\n\t\t\t\t\t// For an update we also want to go ahead and remove the primary key if it's autoincremented, as\n\t\t\t\t\t// users should not be able to change the primary key. There are also scenarios like\n\t\t\t\t\t// GENERATED ALWAYS AS IDENTITY where even supplying the primary key in the update query will\n\t\t\t\t\t// cause an error.\n\t\t\t\t\tfor (const key of meta.primaryKeys) {\n\t\t\t\t\t\tif (meta.properties[key].autoincrement) delete (item as any)[key];\n\t\t\t\t\t}\n\n\t\t\t\t\tawait this.mapAndAssignKeys(entity, this.entityType, item);\n\t\t\t\t\tthis.database.em.persist(entity);\n\t\t\t\t\treturn entity;\n\t\t\t\t})\n\t\t\t);\n\t\t});\n\n\t\tlogger.trace({ entity: this.entityType.name, entities }, 'updated items');\n\n\t\treturn entities;\n\t}\n\n\t@TraceMethod()\n\tpublic async createOrUpdateMany(items: Partial<D>[], trace?: TraceOptions): Promise<D[]> {\n\t\ttrace?.span.updateName(`Mikro-Orm - createOrUpdateMany ${this.entityType.name}`);\n\t\tlogger.trace(\n\t\t\t{ items: sanitiseFilterForLogging(items), entity: this.entityType.name },\n\t\t\t'Running create or update many with args'\n\t\t);\n\n\t\tconst entities = await this.database.transactional<D[]>(async () => {\n\t\t\treturn Promise.all<D>(\n\t\t\t\titems.map(async (item) => {\n\t\t\t\t\tlet entity;\n\t\t\t\t\tconst { id } = item as any;\n\t\t\t\t\tif (id) {\n\t\t\t\t\t\tentity = await this.database.em.findOneOrFail(this.entityType, id, {\n\t\t\t\t\t\t\tpopulate: [\n\t\t\t\t\t\t\t\t...this.visitPathForPopulate(this.entityType.name, item),\n\t\t\t\t\t\t\t] as `${string}.`[],\n\t\t\t\t\t\t});\n\t\t\t\t\t\tlogger.trace({ item, entity: this.entityType.name }, 'Running update with item');\n\t\t\t\t\t\tawait this.mapAndAssignKeys(entity, this.entityType, item);\n\t\t\t\t\t} else {\n\t\t\t\t\t\tentity = new this.entityType();\n\t\t\t\t\t\tawait this.mapAndAssignKeys(entity, this.entityType, item);\n\t\t\t\t\t\tlogger.trace({ item, entity: this.entityType.name }, 'Running create with item');\n\t\t\t\t\t}\n\t\t\t\t\tthis.database.em.persist(entity);\n\t\t\t\t\treturn entity;\n\t\t\t\t})\n\t\t\t);\n\t\t});\n\n\t\tlogger.trace(\n\t\t\t{ entity: this.entityType.name, entities: sanitiseFilterForLogging(entities) },\n\t\t\t'created or updated items'\n\t\t);\n\n\t\treturn entities;\n\t}\n\n\t@TraceMethod()\n\tpublic async createOne(createArgs: Partial<D>, trace?: TraceOptions): Promise<D> {\n\t\ttrace?.span.updateName(`Mikro-Orm - createOne ${this.entityType.name}`);\n\t\tlogger.trace(\n\t\t\t{ createArgs: sanitiseFilterForLogging(createArgs), entity: this.entityType.name },\n\t\t\t'Running create with args'\n\t\t);\n\n\t\tconst entity = new this.entityType();\n\t\tawait this.mapAndAssignKeys(entity, this.entityType, createArgs);\n\t\tawait this.database.em.persistAndFlush(entity as Partial<D>);\n\n\t\tlogger.trace(\n\t\t\t{ entity: this.entityType.name, result: sanitiseFilterForLogging(entity) },\n\t\t\t'create result'\n\t\t);\n\n\t\treturn entity;\n\t}\n\n\t@TraceMethod()\n\tpublic async createMany(createItems: Partial<D>[], trace?: TraceOptions): Promise<D[]> {\n\t\ttrace?.span.updateName(`Mikro-Orm - createMany ${this.entityType.name}`);\n\t\treturn this._createMany(createItems);\n\t}\n\n\tpublic async createTraces(createItems: Partial<D>[]): Promise<D[]> {\n\t\treturn this._createMany(createItems);\n\t}\n\n\tprivate async _createMany(createItems: Partial<D>[]) {\n\t\tlogger.trace(\n\t\t\t{ createItems: sanitiseFilterForLogging(createItems), entity: this.entityType.name },\n\t\t\t'Running create with args'\n\t\t);\n\n\t\tconst entities = await this.database.transactional<D[]>(async () => {\n\t\t\treturn Promise.all<D>(\n\t\t\t\tcreateItems.map(async (item) => {\n\t\t\t\t\tconst entity = new this.entityType();\n\t\t\t\t\tawait this.mapAndAssignKeys(entity, this.entityType, item);\n\t\t\t\t\tthis.database.em.persist(entity as Partial<D>);\n\t\t\t\t\treturn entity;\n\t\t\t\t})\n\t\t\t);\n\t\t});\n\n\t\tlogger.trace({ entity: this.entityType.name, entities }, 'created items');\n\n\t\treturn entities;\n\t}\n\n\t@TraceMethod()\n\tpublic async deleteOne(filter: Filter<D>, trace?: TraceOptions): Promise<boolean> {\n\t\ttrace?.span.updateName(`Mikro-Orm - deleteOne ${this.entityType.name}`);\n\t\tlogger.trace(\n\t\t\t{ filter: sanitiseFilterForLogging(filter), entity: this.entityType.name },\n\t\t\t'Running delete with filter.'\n\t\t);\n\t\tconst where = filter\n\t\t\t? gqlToMikro(JSON.parse(JSON.stringify(filter)), this.getDbType())\n\t\t\t: undefined;\n\t\tconst whereWithAppliedExternalIdFields =\n\t\t\twhere && this.applyExternalIdFields(this.entityType, where);\n\n\t\tconst deletedRows = await this.database.em.nativeDelete(\n\t\t\tthis.entityType,\n\t\t\twhereWithAppliedExternalIdFields\n\t\t);\n\n\t\tif (deletedRows > 1) {\n\t\t\tthrow new Error('Multiple deleted rows');\n\t\t}\n\n\t\tlogger.trace(`delete ${this.entityType.name} result: deleted ${deletedRows} row(s)`);\n\n\t\treturn deletedRows === 1;\n\t}\n\n\t@TraceMethod()\n\tpublic async deleteMany(filter: Filter<D>, trace?: TraceOptions): Promise<boolean> {\n\t\ttrace?.span.updateName(`Mikro-Orm - deleteMany ${this.entityType.name}`);\n\t\tlogger.trace(\n\t\t\t{ filter: sanitiseFilterForLogging(filter), entity: this.entityType.name },\n\t\t\t'Running delete'\n\t\t);\n\n\t\tconst deletedRows = await this.database.transactional<number>(async () => {\n\t\t\tconst where = filter\n\t\t\t\t? gqlToMikro(JSON.parse(JSON.stringify(filter)), this.getDbType())\n\t\t\t\t: undefined;\n\t\t\tconst whereWithAppliedExternalIdFields =\n\t\t\t\twhere && this.applyExternalIdFields(this.entityType, where);\n\n\t\t\tconst toDelete = await this.database.em.count(\n\t\t\t\tthis.entityType,\n\t\t\t\twhereWithAppliedExternalIdFields\n\t\t\t);\n\t\t\tconst deletedCount = await this.database.em.nativeDelete(\n\t\t\t\tthis.entityType,\n\t\t\t\twhereWithAppliedExternalIdFields\n\t\t\t);\n\n\t\t\tif (deletedCount !== toDelete) {\n\t\t\t\tthrow new Error('We did not delete any rows, rolling back.');\n\t\t\t}\n\n\t\t\treturn deletedCount;\n\t\t});\n\n\t\tlogger.trace(`delete ${this.entityType.name} result: deleted ${deletedRows} row(s)`);\n\n\t\treturn true;\n\t}\n\n\tpublic foreignKeyForRelationshipField?(field: FieldMetadata, dataEntity: D) {\n\t\tconst value = dataEntity[field.name as keyof D];\n\n\t\tif (Reference.isReference(value)) {\n\t\t\tconst { properties } = this.database.em.getMetadata().get(this.entityType);\n\t\t\tconst property = properties[field.name];\n\t\t\tconst [primaryKey] = property.targetMeta?.primaryKeys ?? [];\n\t\t\tif (!primaryKey) {\n\t\t\t\tthrow new Error(\n\t\t\t\t\t`Could not determine primary key for ${field.name} on ${this.entityType.name}`\n\t\t\t\t);\n\t\t\t}\n\n\t\t\tconst foreignKey = (value.unwrap() as any)[primaryKey];\n\t\t\tif (foreignKey === undefined || foreignKey === null) {\n\t\t\t\tthrow new Error(\n\t\t\t\t\t`Could not read foreign key from reference: ${value.unwrap()} with primary key name ${primaryKey}`\n\t\t\t\t);\n\t\t\t}\n\n\t\t\treturn foreignKey;\n\t\t}\n\n\t\treturn null;\n\t}\n\n\t@TraceMethod()\n\tpublic async aggregate(\n\t\tfilter: Filter<D>,\n\t\trequestedAggregations: Set<AggregationType>,\n\t\ttrace?: TraceOptions\n\t): Promise<AggregationResult> {\n\t\ttrace?.span.updateName(`Mikro-Orm - aggregate ${this.entityType.name}`);\n\t\tlogger.trace(\n\t\t\t{ filter: sanitiseFilterForLogging(filter), entity: this.entityType.name },\n\t\t\t'Running aggregate with filter'\n\t\t);\n\n\t\t// Strip custom types out of the equation.\n\t\t// This query only works if we JSON.parse(JSON.stringify(filter)):\n\t\t//\n\t\t// query {\n\t\t// drivers (filter: { region: { name: \"North Shore\" }}) {\n\t\t// id\n\t\t// }\n\t\t// }\n\t\tconst where = filter\n\t\t\t? gqlToMikro(JSON.parse(JSON.stringify(filter)), this.getDbType())\n\t\t\t: undefined;\n\n\t\t// Convert from: { account: {id: '6' }}\n\t\t// to { accountId: '6' }\n\t\t// This conversion only works on root level objects\n\t\tconst whereWithAppliedExternalIdFields = where\n\t\t\t? this.applyExternalIdFields(this.entityType, where)\n\t\t\t: {};\n\n\t\t// Regions need some fancy handling with Query Builder. Process the where further\n\t\t// and return a Query Builder instance.\n\t\tconst query = this.em.createQueryBuilder(this.entityType);\n\n\t\tif (Object.keys(whereWithAppliedExternalIdFields).length > 0) {\n\t\t\tquery.andWhere(whereWithAppliedExternalIdFields);\n\t\t}\n\n\t\tconst result: AggregationResult = {};\n\n\t\ttry {\n\t\t\tif (requestedAggregations.has(AggregationType.COUNT)) {\n\t\t\t\tconst meta = this.database.em.getMetadata().get(this.entityType.name);\n\t\t\t\tif (meta.primaryKeys.length) {\n\t\t\t\t\t// It's a standard entity with primary keys, we can do a full distinct\n\t\t\t\t\t// on these keys.\n\t\t\t\t\tresult.count = await query.getCount(meta.primaryKeys, true);\n\t\t\t\t} else {\n\t\t\t\t\t// It's either a virtual entity, or it's an entity without primary keys.\n\t\t\t\t\t// We just need to count * as a fallback, no distinct.\n\t\t\t\t\tconst [firstRow] = await query.select(sql`count(*)`.as('count')).execute();\n\t\t\t\t\tresult.count = firstRow.count;\n\t\t\t\t}\n\t\t\t}\n\t\t} catch (err) {\n\t\t\tsafeErrorLog(logger, err, `find ${this.entityType.name} error`);\n\n\t\t\tif ((err as PostgresError)?.routine === 'InitializeSessionUserId') {\n\t\t\t\t// Throw if the user credentials are incorrect\n\t\t\t\tthrow new Error(\n\t\t\t\t\t'Database connection failed, please check you are using the correct user credentials for the database.'\n\t\t\t\t);\n\t\t\t} else if ((err as PostgresError)?.code === 'ECONNREFUSED') {\n\t\t\t\t// Throw if the database address or port is incorrect\n\t\t\t\tthrow new Error(\n\t\t\t\t\t'Database connection failed, please check you are using the correct address and port for the database.'\n\t\t\t\t);\n\t\t\t} else {\n\t\t\t\tthrow err;\n\t\t\t}\n\t\t}\n\n\t\treturn result;\n\t}\n}\n"],
5
+ "mappings": ";;;;;;;;;;;;;;;;;;;;;;;;;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,yBAUO;AAUP,oBAAqC;AACrC,kBAOO;AACP,gCAAmD;AAEnD,eAWO;AAEP,mBAA8D;AAC9D,oBAAuB;AAOvB,MAAM,mBAAmB,oBAAI,IAAI,CAAC,QAAQ,OAAO,MAAM,CAAC;AACxD,MAAM,wBAAwB,oBAAI,IAAI,CAAC,QAAQ,OAAO,MAAM,CAAC;AAC7D,MAAM,wBAAwB,oBAAI,IAAI,CAAC,QAAQ,SAAS,CAAC;AAEzD,MAAM,aAAa,CAAC,MAAc,YACjC,KAAK,SAAS,GAAG,IAAI,IAAI,OAAO,KAAK;AAE/B,MAAM,aAAa,CAAC,QAAa,iBAAqC;AAC5E,MAAI,MAAM,QAAQ,MAAM,GAAG;AAC1B,WAAO,OAAO,IAAI,CAAC,YAAY,WAAW,SAAS,YAAY,CAAC;AAAA,EACjE,WAAW,OAAO,WAAW,YAAY,WAAW,MAAM;AACzD,eAAW,OAAO,OAAO,KAAK,MAAM,GAAG;AAEtC,UAAI,OAAO,GAAG,MAAM,KAAM;AAE1B,UAAI,iBAAiB,IAAI,GAAG,GAAG;AAE9B,eAAO,IAAI,QAAQ,KAAK,GAAG,CAAC,IAAI,WAAW,OAAO,GAAG,GAAG,YAAY;AACpE,eAAO,OAAO,GAAG;AAAA,MAClB,WAAW,OAAO,OAAO,GAAG,MAAM,YAAY,CAAC,MAAM,QAAQ,OAAO,GAAG,CAAC,GAAG;AAE1E,eAAO,GAAG,IAAI,WAAW,OAAO,GAAG,GAAG,YAAY;AAAA,MACnD,WAAW,IAAI,QAAQ,GAAG,KAAK,GAAG;AACjC,cAAM,CAAC,QAAQ,QAAQ,IAAI,IAAI,MAAM,GAAG;AACxC,YAAI;AACJ,YAAI,sBAAsB,IAAI,QAAQ,KAAK,OAAO,OAAO,GAAG,MAAM,WAAW;AAG5E,qBACE,OAAO,GAAG,KAAK,aAAa,UAAY,CAAC,OAAO,GAAG,KAAK,aAAa,YACnE,EAAE,KAAK,KAAK,IACZ,EAAE,KAAK,KAAK;AAAA,QACjB,WAAW,aAAa,WAAW,iBAAiB,cAAc;AACjE,+BAAO;AAAA,YACN,2CAA2C,YAAY;AAAA,UACxD;AACA,qBAAW,EAAE,OAAO,OAAO,GAAG,EAAE;AAAA,QACjC,OAAO;AAEN,qBAAW,EAAE,CAAC,IAAI,QAAQ,EAAE,GAAG,WAAW,OAAO,GAAG,GAAG,YAAY,EAAE;AAAA,QAGtE;AAEA,YAAI,OAAO,OAAO,MAAM,MAAM,aAAa;AAC1C,cAAI,OAAO,OAAO,MAAM,MAAM,UAAU;AACvC,gBAAI,OAAO,aAAa,YAAY,SAAS,UAAU;AACtD,oBAAM,IAAI;AAAA,gBACT,YAAY,MAAM,oEAAoE,OAAO,MAAM,CAAC,QAAQ,SAAS,GAAG;AAAA,cACzH;AAAA,YACD;AACA,mBAAO,MAAM,IAAI,EAAE,GAAG,EAAE,KAAK,OAAO,MAAM,EAAE,GAAG,GAAG,SAAS;AAAA,UAC5D,OAAO;AACN,gBAAI,YAAY,OAAO,aAAa,YAAY,SAAS,UAAU;AAClE,oBAAM,IAAI;AAAA,gBACT,YAAY,MAAM,oEAAoE,KAAK;AAAA,kBAC1F,OAAO,MAAM;AAAA,gBACd,CAAC,QAAQ,KAAK,UAAU,QAAQ,CAAC;AAAA,cAClC;AAAA,YACD;AACA,mBAAO,MAAM,IAAI,EAAE,GAAG,OAAO,MAAM,GAAG,GAAG,SAAS;AAAA,UACnD;AAAA,QACD,OAAO;AACN,iBAAO,MAAM,IAAI;AAAA,QAClB;AAEA,eAAO,OAAO,GAAG;AAAA,MAClB;AAAA,IACD;AAAA,EACD;AACA,SAAO;AACR;AAOO,MAAM,qBAAsD;AAAA,EA2D3D,YACN,WACA,YACA,0BAA8D;AAAA,IAC7D,2BAA2B,wBAAe;AAAA,EAC3C,GACC;AAnDF,SAAgB,mBAAmB;AAGnC;AAAA,SAAgB,wBAA+C;AAAA,MAC9D,QAAQ;AAAA,MACR,YAAY;AAAA,MACZ,SAAS;AAAA,MACT,2BAA2B,oBAAI,IAAqB,CAAC,mCAAgB,KAAK,CAAC;AAAA,MAC3E,gCAAgC;AAAA,IACjC;AA8EA,SAAQ,oBAAoB,YAAY;AACvC,YAAM,sBAAsB,KAAK;AACjC,UAAI,CAAC,qBAAqB;AACzB,cAAM,IAAI,MAAM,4EAA4E;AAAA,MAC7F;AAEA,oDAAoB,UAAU,yBAAqB,4BAAkB,KAAK,UAAU,CAAC;AAAA,IACtF;AAEA,SAAQ,oBAAoB,MAAM;AACjC,YAAM,sBAAsB,KAAK;AACjC,UAAI,CAAC,qBAAqB;AACzB,cAAM,IAAI,MAAM,4EAA4E;AAAA,MAC7F;AAEA,YAAM,mBAAmB;AAAA,QACxB,MAAM;AAAA,QACN,OAAO,2CAAwB;AAAA,QAC/B,MAAM,OAAO,GAA4B,UAAyC;AACjF,+BAAO,MAAM,qCAAqC;AAElD,gBAAM,aAAa,MAAM,2BAAkB,kBAAkB,mBAAmB;AAEhF,cAAI,CAAC,YAAY;AAChB,kBAAM,IAAI;AAAA,cACT,yDAAyD,mBAAmB;AAAA,YAC7E;AAAA,UACD;AAEA,iBAAO,2BAAe,OAAO,WAAW,IAAI,IAAI,OAAO,CAAC,CAAC;AAAA,QAC1D;AAAA,MACD;AACA,8CAAc,UAAU,gBAAgB;AAAA,IACzC;AAEA,SAAQ,mBAAmB,CAAC,QAAW,YAAyB,cAA0B;AAEzF,YAAM,gBAAgB,KAAK,sBAAsB,YAAY,SAAS;AACtE,iBAAO,sBAAO,QAAQ,eAAe,QAAW,QAAW,KAAK,SAAS,EAAE;AAAA,IAC5E;AAEA,SAAQ,wBAAwB,CAAC,QAA4B,WAAgB;AAC5E,YAAM,aAAa,OAAO,WAAW,WAAW,SAAS,OAAO;AAChE,YAAM,MAAM,4BAAmB,IAAI,UAAU;AAE7C,YAAM,gBAAgB,CAAC,qBAA0B;AAChD,mBAAW,CAAC,MAAM,EAAE,KAAK,OAAO,QAAQ,OAAO,CAAC,CAAC,GAAG;AACnD,cAAI,iBAAiB,IAAI,GAAG;AAC3B,kBAAM,OAAO,OAAO,KAAK,iBAAiB,IAAI,CAAC;AAC/C,gBAAI,KAAK,SAAS,GAAG;AACpB,oBAAM,IAAI;AAAA,gBACT,wCAAwC,IAAI,OAAO,MAAM,SAAS,KAAK;AAAA,kBACtE,iBAAiB,IAAI;AAAA,kBACrB;AAAA,kBACA;AAAA,gBACD,CAAC;AAAA,cACF;AAAA,YACD;AAEA,6BAAiB,EAAE,IAAI,iBAAiB,IAAI,EAAE,KAAK,CAAC,CAAC;AACrD,mBAAO,iBAAiB,IAAI;AAAA,UAC7B;AAAA,QACD;AAAA,MACD;AAGA,iBAAW,gBAAgB,OAAO,KAAK,MAAM,GAAG;AAC/C,YAAI,sBAAsB,IAAI,YAAY,GAAG;AAC5C,cAAI,MAAM,QAAQ,OAAO,YAAY,CAAC,GAAG;AACxC,uBAAW,SAAS,OAAO,YAAY,GAAG;AACzC,4BAAc,KAAK;AAAA,YACpB;AAAA,UACD,OAAO;AACN,0BAAc,OAAO,YAAY,CAAC;AAAA,UACnC;AAAA,QACD;AAAA,MACD;AAEA,oBAAc,MAAM;AAGpB,YAAM,EAAE,WAAW,IAAI,KAAK,SAAS,GAAG,YAAY,EAAE,IAAI,UAAU;AACpE,aAAO,OAAO,UAAU,EACtB,OAAO,CAAC,aAAa,OAAO,SAAS,WAAW,eAAe,OAAO,SAAS,IAAI,CAAC,EACpF,QAAQ,CAAC,aAAa;AACtB,YAAI,MAAM,QAAQ,OAAO,SAAS,IAAI,CAAC,GAAG;AACzC,iBAAO,SAAS,IAAI,EAAE;AAAA,YAAQ,CAAC,UAC9B,KAAK,sBAAsB,SAAS,MAAM,KAAK;AAAA,UAChD;AAAA,QACD,OAAO;AACN,iBAAO,SAAS,IAAI,IAAI,KAAK,sBAAsB,SAAS,MAAM,OAAO,SAAS,IAAI,CAAC;AAAA,QACxF;AAAA,MACD,CAAC;AAEF,aAAO;AAAA,IACR;AAGA;AAAA,SAAO,uBAAuB,CAAC,YAAoB,iBAAsB,iBAAiB,OAAO;AAChG,YAAM,EAAE,WAAW,IAAI,KAAK,SAAS,GAAG,YAAY,EAAE,IAAI,UAAU;AACpE,YAAM,iBAAiB,iBAAiB,oBAAI,IAAY,CAAC,cAAc,CAAC,IAAI,oBAAI,IAAY,CAAC,CAAC;AAE9F,iBAAW,CAAC,KAAK,KAAK,KAAK,OAAO,QAAQ,mBAAmB,CAAC,CAAC,GAAG;AACjE;AAAA;AAAA,UAEC,WAAW,GAAG,GAAG,SAAS,uBAAc,cACxC,WAAW,GAAG,GAAG,SAAS,uBAAc,eACxC,WAAW,GAAG,GAAG,SAAS,uBAAc,eACxC,WAAW,GAAG,GAAG,SAAS,uBAAc;AAAA,UACvC;AACD,cAAI,MAAM,QAAQ,KAAK,GAAG;AAEzB,2BAAe,IAAI,WAAW,gBAAgB,GAAG,CAAC;AAElD,uBAAW,SAAS,OAAO;AAE1B,oBAAM,WAAW,KAAK;AAAA,gBACrB,WAAW,GAAG,EAAE;AAAA,gBAChB;AAAA,gBACA,WAAW,gBAAgB,GAAG;AAAA,cAC/B;AACA,uBAAS,QAAQ,CAAC,SAAS,eAAe,IAAI,IAAI,CAAC;AAAA,YACpD;AAAA,UACD,WAAW,OAAO,UAAU,UAAU;AAErC,kBAAM,WAAW,KAAK;AAAA,cACrB,WAAW,GAAG,EAAE;AAAA,cAChB;AAAA,cACA,WAAW,gBAAgB,GAAG;AAAA,YAC/B;AACA,qBAAS,QAAQ,CAAC,SAAS,eAAe,IAAI,IAAI,CAAC;AAAA,UACpD;AAAA,QACD;AAAA,MACD;AAEA,aAAO;AAAA,IACR;AA3KC,UAAM,UACL,OAAO,4BAA4B,WAChC,0BACA;AAAA,MACA,2BAA2B;AAAA,IAC5B;AAEH,SAAK,aAAa;AAClB,SAAK,sBAAsB,WAAW;AACtC,SAAK,aAAa,aAAa,WAAW,uBAAuB,EAAE;AACnE,SAAK,4BACJ,QAAQ,6BAA6B,wBAAe;AACrD,SAAK,qBAAqB,QAAQ;AAClC,SAAK,aAAa;AAClB,SAAK,kBAAkB;AACvB,SAAK,kBAAkB;AAAA,EACxB;AAAA,EAzDA,IAAI,YAAY;AACf,WAAO,KAAK;AAAA,EACb;AAAA,EAEA,IAAY,WAAW;AAEtB,QAAI,CAAC,KAAK,oBAAqB,QAAO,2BAAkB;AACxD,WAAO,2BAAkB,SAAS,KAAK,mBAAmB,KAAK,2BAAkB;AAAA,EAClF;AAAA;AAAA,EAGA,IAAW,gBAAgB;AAC1B,WAAO,KAAK,SAAS;AAAA,EACtB;AAAA,EAEA,MAAa,gBAAmB,UAA4B;AAC3D,WAAO,KAAK,SAAS,cAAiB,UAAU,KAAK,yBAAyB;AAAA,EAC/E;AAAA;AAAA,EAGA,IAAW,KAAK;AACf,WAAO,KAAK,SAAS;AAAA,EACtB;AAAA,EAoCQ,YAA0B;AACjC,UAAM,SAAS,KAAK,GAAG,UAAU,EAAE,YAAY;AAG/C,YAAQ,QAAQ;AAAA,MACf,KAAK;AACJ,eAAO;AAAA,MACR,KAAK;AACJ,eAAO;AAAA,MACR,KAAK;AACJ,eAAO;AAAA,MACR,KAAK;AACJ,eAAO;AAAA,MACR;AACC,cAAM,IAAI,MAAM,gBAAgB,MAAM,qBAAqB;AAAA,IAC7D;AAAA,EACD;AAAA,EA6IA,MAAa,KACZ,QACA,YACA,gBACA,OACe;AAEf,WAAO,KAAK,WAAW,oBAAoB,KAAK,WAAW,IAAI,EAAE;AAEjE,yBAAO;AAAA,MACN,EAAE,YAAQ,uCAAyB,MAAM,GAAG,QAAQ,KAAK,WAAW,KAAK;AAAA,MACzE;AAAA,IACD;AAIA,UAAM,YAAQ,8BAAU,CAACA,WAAyB;AACjD,MAAAA,QAAO,KAAK,WAAW,oCAAoC;AAC3D,aAAO,SAAS,WAAW,KAAK,MAAM,KAAK,UAAU,MAAM,CAAC,GAAG,KAAK,UAAU,CAAC,IAAI;AAAA,IACpF,CAAC,EAAE;AAKH,UAAM,mCAAmC,QACtC,KAAK,sBAAsB,KAAK,YAAY,KAAK,IACjD,CAAC;AAIJ,UAAM,QAAQ,KAAK,GAAG,mBAAmB,KAAK,UAAU;AACxD,QAAI,OAAO,KAAK,gCAAgC,EAAE,SAAS,GAAG;AAC7D,YAAM,SAAS,gCAAgC;AAAA,IAChD;AAGA,QAAI,YAAY,MAAO,OAAM,MAAM,WAAW,KAAK;AACnD,QAAI,YAAY,OAAQ,OAAM,OAAO,WAAW,MAAM;AACtD,QAAI,YAAY,QAAS,OAAM,QAAQ,EAAE,GAAG,WAAW,QAAQ,CAAC;AAKhE,UAAM,QAAQ,mBAAU,QAAQ;AAIhC,UAAM,SAAS,KAAK,SAAS,GAAG,UAAU;AAC1C,UAAM,OAAO,KAAK,SAAS,GAAG,YAAY,EAAE,IAAI,KAAK,WAAW,IAAI;AACpE,UAAM,SAAU,OAAe,sBAAsB,MAAM,CAAC,CAAC,CAAC;AAE9D,QAAI;AACH,YAAM,SAAS,UAAM,mBAAAC,OAAW,OAAOD,WAAyB;AAC/D,QAAAA,QAAO,KAAK,WAAW,wBAAwB;AAC/C,eAAO,MAAM,UAAU;AAAA,MACxB,CAAC,EAAE;AAEH,2BAAO,MAAM,QAAQ,KAAK,WAAW,IAAI,YAAY,OAAO,MAAM,OAAO;AAEzE,aAAO;AAAA,IACR,SAAS,KAAK;AACb,sCAAa,sBAAQ,KAAK,QAAQ,KAAK,WAAW,IAAI,QAAQ;AAE9D,UAAK,KAAuB,YAAY,2BAA2B;AAElE,cAAM,IAAI;AAAA,UACT;AAAA,QACD;AAAA,MACD,WAAY,KAAuB,SAAS,gBAAgB;AAE3D,cAAM,IAAI;AAAA,UACT;AAAA,QACD;AAAA,MACD,OAAO;AACN,cAAM;AAAA,MACP;AAAA,IACD;AAAA,EACD;AAAA,EAGA,MAAa,QACZ,QACA,gBACA,OACoB;AACpB,WAAO,KAAK,WAAW,uBAAuB,KAAK,WAAW,IAAI,EAAE;AACpE,yBAAO;AAAA,MACN,EAAE,QAAQ,KAAK,WAAW,MAAM,YAAQ,uCAAyB,MAAM,EAAE;AAAA,MACzE;AAAA,IACD;AAEA,UAAM,WAAW,KAAK,GAAG,YAAY,EAAE,IAAI,KAAK,WAAW,IAAI;AAC/D,QAAI,kBAAkB,SAAS,YAAY,CAAC;AAE5C,QAAI,CAAC,mBAAmB,gBAAgB;AAIvC,wBAAkB,uCAAoB,yBAAyB,cAAc;AAAA,IAC9E;AAEA,QAAI,CAAC,mBAAmB,SAAS,YAAY,SAAS,GAAG;AACxD,YAAM,IAAI;AAAA,QACT,UAAU,KAAK,WAAW,IAAI,QAAQ,SAAS,YAAY,MAAM;AAAA,MAClE;AAAA,IACD;AAEA,UAAM,CAAC,MAAM,IAAI,MAAM,KAAK,KAAK,QAAQ;AAAA,MACxC,SAAS,EAAE,CAAC,eAAe,GAAG,wBAAK,KAAK;AAAA,MACxC,QAAQ;AAAA,MACR,OAAO;AAAA,IACR,CAAC;AAED,yBAAO,MAAM,EAAE,QAAQ,QAAQ,KAAK,WAAW,KAAK,GAAG,gBAAgB;AAEvE,WAAO;AAAA,EACR;AAAA,EAGA,MAAa,gBACZ,QACA,cACA,iBACA,QACA,OACe;AACf,WAAO,KAAK,WAAW,+BAA+B,KAAK,WAAW,IAAI,EAAE;AAC5E,yBAAO;AAAA,MACN;AAAA,QACC,QAAQ,KAAK,WAAW;AAAA,QACxB;AAAA,QACA;AAAA,QACA,YAAQ,uCAAyB,MAAM;AAAA,MACxC;AAAA,MACA;AAAA,IACD;AAGA,QAAI,cAAmB,EAAE,CAAC,YAAY,GAAG,EAAE,KAAK,gBAAgB,EAAE;AAElE,QAAI,QAAQ;AAEX,YAAM,mBAAmB,KAAK,MAAM,KAAK,UAAU,CAAC,WAAW,QAAQ,KAAK,UAAU,CAAC,CAAC,CAAC,CAAC;AAE1F,oBAAc,EAAE,MAAM,CAAC,aAAa,GAAG,gBAAgB,EAAE;AAAA,IAC1D;AAEA,UAAM,WAAW,CAAC,YAAqD;AACvE,UAAM,SAAS,MAAM,KAAK,SAAS,GAAG,KAAK,QAAQ,aAAa;AAAA;AAAA,MAE/D,OAAO,CAAC,mBAAU,QAAQ;AAAA;AAAA,MAG1B;AAAA;AAAA,MAGA,UAAU,yBAAa;AAAA;AAAA,MAGvB,eAAe,yBAAa;AAAA,IAC7B,CAAC;AAED,WAAO;AAAA,EACR;AAAA,EAGA,MAAa,UACZ,IACA,YACA,OACa;AACb,WAAO,KAAK,WAAW,yBAAyB,KAAK,WAAW,IAAI,EAAE;AAEtE,yBAAO;AAAA,MACN;AAAA,QACC;AAAA,QACA,gBAAY,uCAAyB,UAAU;AAAA,QAC/C,QAAQ,KAAK,WAAW;AAAA,MACzB;AAAA,MACA;AAAA,IACD;AAEA,UAAM,SAAS,MAAM,KAAK,SAAS,GAAG,QAAQ,KAAK,YAAY,IAAI;AAAA;AAAA,MAElE,UAAU,CAAC,GAAG,KAAK,qBAAqB,KAAK,WAAW,MAAM,UAAU,CAAC;AAAA,IAC1E,CAAC;AAED,QAAI,WAAW,MAAM;AACpB,YAAM,IAAI,MAAM,oBAAoB,KAAK,WAAW,IAAI,cAAc,EAAE,iBAAiB;AAAA,IAC1F;AAEA,UAAM,EAAE,SAAS,GAAG,yBAAyB,IAAI;AAGjD,QAAI,SAAS;AACZ,UAAI;AACH,cAAM,KAAK,SAAS,GAAG,KAAK,QAAQ,kBAAS,YAAY,OAAO;AAAA,MACjE,SAAS,KAAK;AACb,cAAM,IAAI,iCAAqB,KAAe,SAAS,EAAE,OAAO,CAAC;AAAA,MAClE;AAAA,IACD;AAMA,UAAM,OAAO,KAAK,SAAS,GAAG,YAAY,EAAE,IAAI,KAAK,WAAW,IAAI;AACpE,eAAW,OAAO,KAAK,aAAa;AACnC,UAAI,KAAK,WAAW,GAAG,EAAE,cAAe,QAAQ,yBAAiC,GAAG;AAAA,IACrF;AAEA,UAAM,KAAK,iBAAiB,QAAQ,KAAK,YAAY,wBAAsC;AAC3F,UAAM,KAAK,SAAS,GAAG,gBAAgB,MAAM;AAE7C,yBAAO,MAAM,UAAU,KAAK,WAAW,IAAI,WAAW,MAAM;AAE5D,WAAO;AAAA,EACR;AAAA,EAGA,MAAa,WACZ,aACA,OACe;AACf,WAAO,KAAK,WAAW,0BAA0B,KAAK,WAAW,IAAI,EAAE;AACvE,yBAAO;AAAA,MACN,EAAE,iBAAa,uCAAyB,WAAW,GAAG,QAAQ,KAAK,WAAW,KAAK;AAAA,MACnF;AAAA,IACD;AAEA,UAAM,OAAO,KAAK,SAAS,GAAG,YAAY,EAAE,IAAI,KAAK,WAAW,IAAI;AAEpE,UAAM,WAAW,MAAM,KAAK,SAAS,cAAmB,YAAY;AACnE,aAAO,QAAQ;AAAA,QACd,YAAY,IAAI,OAAO,SAAS;AAC/B,cAAI,CAAC,MAAM,GAAI,OAAM,IAAI,MAAM,mDAAmD;AAGlF,gBAAM,SAAS,MAAM,KAAK,SAAS,GAAG,cAAc,KAAK,YAAY,KAAK,IAAI;AAAA,YAC7E,UAAU,CAAC,GAAG,KAAK,qBAAqB,KAAK,WAAW,MAAM,IAAI,CAAC;AAAA,UACpE,CAAC;AAMD,qBAAW,OAAO,KAAK,aAAa;AACnC,gBAAI,KAAK,WAAW,GAAG,EAAE,cAAe,QAAQ,KAAa,GAAG;AAAA,UACjE;AAEA,gBAAM,KAAK,iBAAiB,QAAQ,KAAK,YAAY,IAAI;AACzD,eAAK,SAAS,GAAG,QAAQ,MAAM;AAC/B,iBAAO;AAAA,QACR,CAAC;AAAA,MACF;AAAA,IACD,CAAC;AAED,yBAAO,MAAM,EAAE,QAAQ,KAAK,WAAW,MAAM,SAAS,GAAG,eAAe;AAExE,WAAO;AAAA,EACR;AAAA,EAGA,MAAa,mBAAmB,OAAqB,OAAoC;AACxF,WAAO,KAAK,WAAW,kCAAkC,KAAK,WAAW,IAAI,EAAE;AAC/E,yBAAO;AAAA,MACN,EAAE,WAAO,uCAAyB,KAAK,GAAG,QAAQ,KAAK,WAAW,KAAK;AAAA,MACvE;AAAA,IACD;AAEA,UAAM,WAAW,MAAM,KAAK,SAAS,cAAmB,YAAY;AACnE,aAAO,QAAQ;AAAA,QACd,MAAM,IAAI,OAAO,SAAS;AACzB,cAAI;AACJ,gBAAM,EAAE,GAAG,IAAI;AACf,cAAI,IAAI;AACP,qBAAS,MAAM,KAAK,SAAS,GAAG,cAAc,KAAK,YAAY,IAAI;AAAA,cAClE,UAAU;AAAA,gBACT,GAAG,KAAK,qBAAqB,KAAK,WAAW,MAAM,IAAI;AAAA,cACxD;AAAA,YACD,CAAC;AACD,iCAAO,MAAM,EAAE,MAAM,QAAQ,KAAK,WAAW,KAAK,GAAG,0BAA0B;AAC/E,kBAAM,KAAK,iBAAiB,QAAQ,KAAK,YAAY,IAAI;AAAA,UAC1D,OAAO;AACN,qBAAS,IAAI,KAAK,WAAW;AAC7B,kBAAM,KAAK,iBAAiB,QAAQ,KAAK,YAAY,IAAI;AACzD,iCAAO,MAAM,EAAE,MAAM,QAAQ,KAAK,WAAW,KAAK,GAAG,0BAA0B;AAAA,UAChF;AACA,eAAK,SAAS,GAAG,QAAQ,MAAM;AAC/B,iBAAO;AAAA,QACR,CAAC;AAAA,MACF;AAAA,IACD,CAAC;AAED,yBAAO;AAAA,MACN,EAAE,QAAQ,KAAK,WAAW,MAAM,cAAU,uCAAyB,QAAQ,EAAE;AAAA,MAC7E;AAAA,IACD;AAEA,WAAO;AAAA,EACR;AAAA,EAGA,MAAa,UAAU,YAAwB,OAAkC;AAChF,WAAO,KAAK,WAAW,yBAAyB,KAAK,WAAW,IAAI,EAAE;AACtE,yBAAO;AAAA,MACN,EAAE,gBAAY,uCAAyB,UAAU,GAAG,QAAQ,KAAK,WAAW,KAAK;AAAA,MACjF;AAAA,IACD;AAEA,UAAM,SAAS,IAAI,KAAK,WAAW;AACnC,UAAM,KAAK,iBAAiB,QAAQ,KAAK,YAAY,UAAU;AAC/D,UAAM,KAAK,SAAS,GAAG,gBAAgB,MAAoB;AAE3D,yBAAO;AAAA,MACN,EAAE,QAAQ,KAAK,WAAW,MAAM,YAAQ,uCAAyB,MAAM,EAAE;AAAA,MACzE;AAAA,IACD;AAEA,WAAO;AAAA,EACR;AAAA,EAGA,MAAa,WAAW,aAA2B,OAAoC;AACtF,WAAO,KAAK,WAAW,0BAA0B,KAAK,WAAW,IAAI,EAAE;AACvE,WAAO,KAAK,YAAY,WAAW;AAAA,EACpC;AAAA,EAEA,MAAa,aAAa,aAAyC;AAClE,WAAO,KAAK,YAAY,WAAW;AAAA,EACpC;AAAA,EAEA,MAAc,YAAY,aAA2B;AACpD,yBAAO;AAAA,MACN,EAAE,iBAAa,uCAAyB,WAAW,GAAG,QAAQ,KAAK,WAAW,KAAK;AAAA,MACnF;AAAA,IACD;AAEA,UAAM,WAAW,MAAM,KAAK,SAAS,cAAmB,YAAY;AACnE,aAAO,QAAQ;AAAA,QACd,YAAY,IAAI,OAAO,SAAS;AAC/B,gBAAM,SAAS,IAAI,KAAK,WAAW;AACnC,gBAAM,KAAK,iBAAiB,QAAQ,KAAK,YAAY,IAAI;AACzD,eAAK,SAAS,GAAG,QAAQ,MAAoB;AAC7C,iBAAO;AAAA,QACR,CAAC;AAAA,MACF;AAAA,IACD,CAAC;AAED,yBAAO,MAAM,EAAE,QAAQ,KAAK,WAAW,MAAM,SAAS,GAAG,eAAe;AAExE,WAAO;AAAA,EACR;AAAA,EAGA,MAAa,UAAU,QAAmB,OAAwC;AACjF,WAAO,KAAK,WAAW,yBAAyB,KAAK,WAAW,IAAI,EAAE;AACtE,yBAAO;AAAA,MACN,EAAE,YAAQ,uCAAyB,MAAM,GAAG,QAAQ,KAAK,WAAW,KAAK;AAAA,MACzE;AAAA,IACD;AACA,UAAM,QAAQ,SACX,WAAW,KAAK,MAAM,KAAK,UAAU,MAAM,CAAC,GAAG,KAAK,UAAU,CAAC,IAC/D;AACH,UAAM,mCACL,SAAS,KAAK,sBAAsB,KAAK,YAAY,KAAK;AAE3D,UAAM,cAAc,MAAM,KAAK,SAAS,GAAG;AAAA,MAC1C,KAAK;AAAA,MACL;AAAA,IACD;AAEA,QAAI,cAAc,GAAG;AACpB,YAAM,IAAI,MAAM,uBAAuB;AAAA,IACxC;AAEA,yBAAO,MAAM,UAAU,KAAK,WAAW,IAAI,oBAAoB,WAAW,SAAS;AAEnF,WAAO,gBAAgB;AAAA,EACxB;AAAA,EAGA,MAAa,WAAW,QAAmB,OAAwC;AAClF,WAAO,KAAK,WAAW,0BAA0B,KAAK,WAAW,IAAI,EAAE;AACvE,yBAAO;AAAA,MACN,EAAE,YAAQ,uCAAyB,MAAM,GAAG,QAAQ,KAAK,WAAW,KAAK;AAAA,MACzE;AAAA,IACD;AAEA,UAAM,cAAc,MAAM,KAAK,SAAS,cAAsB,YAAY;AACzE,YAAM,QAAQ,SACX,WAAW,KAAK,MAAM,KAAK,UAAU,MAAM,CAAC,GAAG,KAAK,UAAU,CAAC,IAC/D;AACH,YAAM,mCACL,SAAS,KAAK,sBAAsB,KAAK,YAAY,KAAK;AAE3D,YAAM,WAAW,MAAM,KAAK,SAAS,GAAG;AAAA,QACvC,KAAK;AAAA,QACL;AAAA,MACD;AACA,YAAM,eAAe,MAAM,KAAK,SAAS,GAAG;AAAA,QAC3C,KAAK;AAAA,QACL;AAAA,MACD;AAEA,UAAI,iBAAiB,UAAU;AAC9B,cAAM,IAAI,MAAM,2CAA2C;AAAA,MAC5D;AAEA,aAAO;AAAA,IACR,CAAC;AAED,yBAAO,MAAM,UAAU,KAAK,WAAW,IAAI,oBAAoB,WAAW,SAAS;AAEnF,WAAO;AAAA,EACR;AAAA,EAEO,+BAAgC,OAAsB,YAAe;AAC3E,UAAM,QAAQ,WAAW,MAAM,IAAe;AAE9C,QAAI,sBAAU,YAAY,KAAK,GAAG;AACjC,YAAM,EAAE,WAAW,IAAI,KAAK,SAAS,GAAG,YAAY,EAAE,IAAI,KAAK,UAAU;AACzE,YAAM,WAAW,WAAW,MAAM,IAAI;AACtC,YAAM,CAAC,UAAU,IAAI,SAAS,YAAY,eAAe,CAAC;AAC1D,UAAI,CAAC,YAAY;AAChB,cAAM,IAAI;AAAA,UACT,uCAAuC,MAAM,IAAI,OAAO,KAAK,WAAW,IAAI;AAAA,QAC7E;AAAA,MACD;AAEA,YAAM,aAAc,MAAM,OAAO,EAAU,UAAU;AACrD,UAAI,eAAe,UAAa,eAAe,MAAM;AACpD,cAAM,IAAI;AAAA,UACT,8CAA8C,MAAM,OAAO,CAAC,0BAA0B,UAAU;AAAA,QACjG;AAAA,MACD;AAEA,aAAO;AAAA,IACR;AAEA,WAAO;AAAA,EACR;AAAA,EAGA,MAAa,UACZ,QACA,uBACA,OAC6B;AAC7B,WAAO,KAAK,WAAW,yBAAyB,KAAK,WAAW,IAAI,EAAE;AACtE,yBAAO;AAAA,MACN,EAAE,YAAQ,uCAAyB,MAAM,GAAG,QAAQ,KAAK,WAAW,KAAK;AAAA,MACzE;AAAA,IACD;AAUA,UAAM,QAAQ,SACX,WAAW,KAAK,MAAM,KAAK,UAAU,MAAM,CAAC,GAAG,KAAK,UAAU,CAAC,IAC/D;AAKH,UAAM,mCAAmC,QACtC,KAAK,sBAAsB,KAAK,YAAY,KAAK,IACjD,CAAC;AAIJ,UAAM,QAAQ,KAAK,GAAG,mBAAmB,KAAK,UAAU;AAExD,QAAI,OAAO,KAAK,gCAAgC,EAAE,SAAS,GAAG;AAC7D,YAAM,SAAS,gCAAgC;AAAA,IAChD;AAEA,UAAM,SAA4B,CAAC;AAEnC,QAAI;AACH,UAAI,sBAAsB,IAAI,mCAAgB,KAAK,GAAG;AACrD,cAAM,OAAO,KAAK,SAAS,GAAG,YAAY,EAAE,IAAI,KAAK,WAAW,IAAI;AACpE,YAAI,KAAK,YAAY,QAAQ;AAG5B,iBAAO,QAAQ,MAAM,MAAM,SAAS,KAAK,aAAa,IAAI;AAAA,QAC3D,OAAO;AAGN,gBAAM,CAAC,QAAQ,IAAI,MAAM,MAAM,OAAO,0BAAc,GAAG,OAAO,CAAC,EAAE,QAAQ;AACzE,iBAAO,QAAQ,SAAS;AAAA,QACzB;AAAA,MACD;AAAA,IACD,SAAS,KAAK;AACb,sCAAa,sBAAQ,KAAK,QAAQ,KAAK,WAAW,IAAI,QAAQ;AAE9D,UAAK,KAAuB,YAAY,2BAA2B;AAElE,cAAM,IAAI;AAAA,UACT;AAAA,QACD;AAAA,MACD,WAAY,KAAuB,SAAS,gBAAgB;AAE3D,cAAM,IAAI;AAAA,UACT;AAAA,QACD;AAAA,MACD,OAAO;AACN,cAAM;AAAA,MACP;AAAA,IACD;AAEA,WAAO;AAAA,EACR;AACD;AAtgBc;AAAA,MADZ,gCAAY;AAAA,GA/OD,qBAgPC;AAgFA;AAAA,MADZ,gCAAY;AAAA,GA/TD,qBAgUC;AAuCA;AAAA,MADZ,gCAAY;AAAA,GAtWD,qBAuWC;AA+CA;AAAA,MADZ,gCAAY;AAAA,GArZD,qBAsZC;AAsDA;AAAA,MADZ,gCAAY;AAAA,GA3cD,qBA4cC;AA2CA;AAAA,MADZ,gCAAY;AAAA,GAtfD,qBAufC;AAwCA;AAAA,MADZ,gCAAY;AAAA,GA9hBD,qBA+hBC;AAoBA;AAAA,MADZ,gCAAY;AAAA,GAljBD,qBAmjBC;AAgCA;AAAA,MADZ,gCAAY;AAAA,GAllBD,qBAmlBC;AA2BA;AAAA,MADZ,gCAAY;AAAA,GA7mBD,qBA8mBC;AA8DA;AAAA,MADZ,gCAAY;AAAA,GA3qBD,qBA4qBC;",
6
6
  "names": ["trace", "startTrace"]
7
7
  }
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "@exogee/graphweaver-mikroorm",
3
- "version": "2.20.4",
3
+ "version": "2.20.6",
4
4
  "description": "MikroORM backend for @exogee/graphweaver",
5
5
  "license": "Apache-2.0",
6
6
  "sideEffects": false,
@@ -14,15 +14,15 @@
14
14
  ],
15
15
  "dependencies": {
16
16
  "@apollo/server": "5.0.0",
17
- "@aws-sdk/client-secrets-manager": "3.911.0",
17
+ "@aws-sdk/client-secrets-manager": "3.919.0",
18
18
  "dataloader": "2.2.3",
19
19
  "decimal.js": "10.6.0",
20
20
  "dotenv": "17.2.3",
21
21
  "pluralize": "8.0.0",
22
22
  "reflect-metadata": "0.2.2",
23
- "@exogee/graphweaver-server": "2.20.4",
24
- "@exogee/graphweaver": "2.20.4",
25
- "@exogee/logger": "2.20.4"
23
+ "@exogee/graphweaver-server": "2.20.6",
24
+ "@exogee/logger": "2.20.6",
25
+ "@exogee/graphweaver": "2.20.6"
26
26
  },
27
27
  "peerDependencies": {
28
28
  "@mikro-orm/core": "6",
@@ -57,14 +57,14 @@
57
57
  "@mikro-orm/mysql": "6.5.8",
58
58
  "@mikro-orm/postgresql": "6.5.8",
59
59
  "@mikro-orm/sqlite": "6.5.8",
60
- "@types/node": "24.7.2",
60
+ "@types/node": "24.9.1",
61
61
  "@types/pluralize": "0.0.33",
62
- "esbuild": "0.25.11",
62
+ "esbuild": "0.25.12",
63
63
  "glob": "11.0.3",
64
64
  "graphql": "16.11.0",
65
65
  "tsx": "4.20.6",
66
66
  "typescript": "5.9.3",
67
- "vitest": "3.2.4"
67
+ "vitest": "4.0.3"
68
68
  },
69
69
  "keywords": [
70
70
  "graphql",