/* * Copyright © 2025 Hexastack. All rights reserved. * * Licensed under the GNU Affero General Public License v3.0 (AGPLv3) with the following additional terms: * 1. The name "Hexabot" is a trademark of Hexastack. You may not use this name in derivative works without express written permission. * 2. All derivative works must include clear attribution to the original creator and software, Hexastack and Hexabot, in a prominent location (e.g., in the software's "About" section, documentation, and README file). */ import { EventEmitter2, IHookEntities, TNormalizedEvents, } from '@nestjs/event-emitter'; import { ClassTransformOptions, plainToClass } from 'class-transformer'; import { Document, FilterQuery, FlattenMaps, HydratedDocument, Model, ProjectionType, Query, QueryOptions, SortOrder, UpdateQuery, UpdateWithAggregationPipeline, UpdateWriteOpResult, } from 'mongoose'; import { TFilterQuery } from '@/utils/types/filter.types'; import { PageQueryDto, QuerySortDto } from '../pagination/pagination-query.dto'; import { DtoAction, DtoConfig, DtoInfer } from '../types/dto.types'; import { BaseSchema } from './base-schema'; import { LifecycleHookManager } from './lifecycle-hook-manager'; export type DeleteResult = { acknowledged: boolean; deletedCount: number; }; export enum EHook { preCreateValidate = 'preCreateValidate', preCreate = 'preCreate', preUpdateValidate = 'preUpdateValidate', preUpdate = 'preUpdate', preUpdateMany = 'preUpdateMany', preDelete = 'preDelete', postCreateValidate = 'postCreateValidate', postCreate = 'postCreate', postUpdateValidate = 'postUpdateValidate', postUpdate = 'postUpdate', postUpdateMany = 'postUpdateMany', postDelete = 'postDelete', } // ! ------------------------------------ Note -------------------------------------------- // Methods like `update()`, `updateOne()`, `updateMany()`, `findOneAndUpdate()`, // `findByIdAndUpdate()`, `findOneAndReplace()`, `findOneAndDelete()`, and `findByIdAndDelete()` // do not trigger Mongoose validation hooks by default. This is because these methods do not // return Mongoose Documents but plain JavaScript objects (POJOs), which do not have Mongoose // instance methods like `validate()` attached. // // Be cautious when using the `.lean()` function as well. It returns POJOs instead of Mongoose // Documents, so methods and hooks like `validate()` will not be available when working with // the returned data. If you need validation, ensure that you're working with a Mongoose Document // or explicitly use `runValidators: true` in the options for update operations. export abstract class BaseRepository< T extends FlattenMaps, P extends string = never, TFull extends Omit = never, Dto extends DtoConfig = object, U extends Omit = Omit, D = Document, > { private readonly transformOpts = { excludePrefixes: ['_', 'password'] }; private readonly leanOpts = { virtuals: true, defaults: true, getters: true }; constructor( private readonly emitter: EventEmitter2, readonly model: Model, private readonly cls: new () => T, protected readonly populate: P[] = [], protected readonly clsPopulate?: new () => TFull, ) { this.registerLifeCycleHooks(); } getPopulate(): P[] { return this.populate; } getEventName(suffix: EHook) { const entity = this.cls.name.toLocaleLowerCase(); return `hook:${entity}:${suffix}` as `hook:${IHookEntities}:${TNormalizedEvents}`; } private registerLifeCycleHooks(): void { const repository = this; const hooks = LifecycleHookManager.getHooks(this.cls.name); if (!hooks) { // eslint-disable-next-line no-console console.warn( `LifeCycleHooks has not been registered for ${this.cls.name}`, ); return; } hooks.validate.pre.execute(async function () { const doc = this as HydratedDocument; await repository.preCreateValidate(doc); await repository.emitter.emitAsync( repository.getEventName(EHook.preCreateValidate), doc, ); }); hooks.validate.post.execute(async function (created: HydratedDocument) { await repository.postCreateValidate(created); await repository.emitter.emitAsync( repository.getEventName(EHook.postCreateValidate), created, ); }); hooks.save.pre.execute(async function () { const doc = this as HydratedDocument; await repository.preCreate(doc); await repository.emitter.emitAsync( repository.getEventName(EHook.preCreate), doc, ); }); hooks.save.post.execute(async function (created: HydratedDocument) { await repository.postCreate(created); await repository.emitter.emitAsync( repository.getEventName(EHook.postCreate), created, ); }); hooks.deleteOne.pre.execute(async function () { const query = this as Query; const criteria = query.getQuery(); await repository.preDelete(query, criteria); await repository.emitter.emitAsync( repository.getEventName(EHook.preDelete), query, criteria, ); }); hooks?.deleteOne.post.execute(async function (result: DeleteResult) { const query = this as Query; await repository.postDelete(query, result); await repository.emitter.emitAsync( repository.getEventName(EHook.postDelete), query, result, ); }); hooks.deleteMany.pre.execute(async function () { const query = this as Query; const criteria = query.getQuery(); await repository.preDelete(query, criteria); }); hooks.deleteMany.post.execute(async function (result: DeleteResult) { await repository.emitter.emitAsync( repository.getEventName(EHook.postDelete), result, ); const query = this as Query; await repository.postDelete(query, result); }); hooks.findOneAndUpdate.pre.execute(async function () { const query = this as Query; const criteria = query.getFilter(); const updates = query.getUpdate(); if (!updates) { throw new Error('Unable to run findOneAndUpdate pre hook'); } await repository.preUpdate(query, criteria, updates); await repository.emitter.emitAsync( repository.getEventName(EHook.preUpdate), criteria, updates?.['$set'], ); }); hooks.updateMany.pre.execute(async function () { const query = this as Query; const criteria = query.getFilter(); const updates = query.getUpdate(); if (!updates) { throw new Error('Unable to execute updateMany() pre-hook'); } await repository.preUpdateMany(query, criteria, updates); await repository.emitter.emitAsync( repository.getEventName(EHook.preUpdateMany), criteria, updates?.['$set'], ); }); hooks.updateMany.post.execute(async function (updated: any) { const query = this as Query; await repository.postUpdateMany(query, updated); await repository.emitter.emitAsync( repository.getEventName(EHook.postUpdateMany), updated, ); }); hooks.findOneAndUpdate.post.execute(async function ( updated: HydratedDocument, ) { if (updated) { const query = this as Query; await repository.postUpdate( query, plainToClass(repository.cls, updated, repository.transformOpts), ); await repository.emitter.emitAsync( repository.getEventName(EHook.postUpdate), updated, ); } }); } protected async execute>( query: Query, cls: new () => R, ): Promise { const resultSet = await query.lean(this.leanOpts).exec(); return resultSet.map((doc) => plainToClass(cls, doc, this.transformOpts)); } protected async executeOne>( query: Query, cls: new () => R, options?: ClassTransformOptions, ): Promise { const doc = await query.lean(this.leanOpts).exec(); return plainToClass(cls, doc, options ?? this.transformOpts); } protected findOneQuery( criteria: string | TFilterQuery, projection?: ProjectionType, ): Query { if (!criteria) { // An empty criteria would return the first document that it finds throw new Error('findOneQuery() should not have an empty criteria'); } return typeof criteria === 'string' ? this.model.findById>(criteria, projection) : this.model.findOne>(criteria, projection); } async findOne( criteria: string | TFilterQuery, options?: ClassTransformOptions, projection?: ProjectionType, ) { if (!criteria) { // @TODO : Issue a warning ? return null; } const query = this.findOneQuery(criteria, projection); return await this.executeOne(query, this.cls, options); } async findOneAndPopulate( criteria: string | TFilterQuery, projection?: ProjectionType, ): Promise { this.ensureCanPopulate(); const query = this.findOneQuery(criteria, projection).populate( this.populate, ); return await this.executeOne(query, this.clsPopulate!); } protected findQuery( filter: TFilterQuery, pageQuery?: PageQueryDto, projection?: ProjectionType, ): Query; /** * @deprecated */ protected findQuery( filter: TFilterQuery, pageQuery?: QuerySortDto, projection?: ProjectionType, ): Query; protected findQuery( filter: TFilterQuery, pageQuery?: QuerySortDto | PageQueryDto, projection?: ProjectionType, ): Query { if (Array.isArray(pageQuery)) { const query = this.model.find(filter, projection); return query.sort([pageQuery] as [string, SortOrder][]); } const { skip = 0, limit = 0, sort = ['createdAt', 'asc'], } = pageQuery || {}; const query = this.model.find(filter, projection); return query .skip(skip) .limit(limit) .sort([sort] as [string, SortOrder][]); } async find( filter: TFilterQuery, pageQuery?: PageQueryDto, projection?: ProjectionType, ): Promise; /** * @deprecated */ async find( filter: TFilterQuery, pageQuery?: QuerySortDto, projection?: ProjectionType, ): Promise; async find( filter: TFilterQuery, pageQuery?: QuerySortDto | PageQueryDto, projection?: ProjectionType, ): Promise { if (Array.isArray(pageQuery)) { const query = this.findQuery(filter, pageQuery, projection); return await this.execute(query, this.cls); } const query = this.findQuery(filter, pageQuery, projection); return await this.execute(query, this.cls); } private ensureCanPopulate(): void { if (!this.populate || !this.clsPopulate) { throw new Error('Cannot populate query'); } } async findAndPopulate( filters: TFilterQuery, pageQuery?: PageQueryDto, projection?: ProjectionType, ): Promise; /** * @deprecated */ async findAndPopulate( filters: TFilterQuery, pageQuery?: QuerySortDto, projection?: ProjectionType, ): Promise; async findAndPopulate( filters: TFilterQuery, pageQuery?: QuerySortDto | PageQueryDto, projection?: ProjectionType, ): Promise { this.ensureCanPopulate(); if (Array.isArray(pageQuery)) { const query = this.findQuery(filters, pageQuery, projection).populate( this.populate, ); return await this.execute(query, this.clsPopulate!); } const query = this.findQuery(filters, pageQuery, projection).populate( this.populate, ); return await this.execute(query, this.clsPopulate!); } protected findAllQuery( sort?: QuerySortDto, ): Query { return this.findQuery({}, { limit: 0, skip: 0, sort }); } async findAll(sort?: QuerySortDto): Promise { return await this.find({}, { limit: 0, skip: 0, sort }); } async findAllAndPopulate(sort?: QuerySortDto): Promise { this.ensureCanPopulate(); const query = this.findAllQuery(sort).populate(this.populate); return await this.execute(query, this.clsPopulate!); } /** * @deprecated */ protected findPageQuery( filters: TFilterQuery, { skip = 0, limit = 0, sort }: PageQueryDto, ): Query { return this.findQuery(filters) .skip(skip) .limit(limit) .sort([sort] as [string, SortOrder][]); } /** * @deprecated */ async findPage( filters: TFilterQuery, pageQuery: PageQueryDto, ): Promise { const query = this.findPageQuery(filters, pageQuery); return await this.execute(query, this.cls); } /** * @deprecated */ async findPageAndPopulate( filters: TFilterQuery, pageQuery: PageQueryDto, ): Promise { this.ensureCanPopulate(); const query = this.findPageQuery(filters, pageQuery).populate( this.populate, ); return await this.execute(query, this.clsPopulate!); } async countAll(): Promise { return await this.model.estimatedDocumentCount().exec(); } async count(criteria?: TFilterQuery): Promise { return await this.model.countDocuments(criteria).exec(); } async create(dto: DtoInfer): Promise { const doc = await this.model.create(dto); return plainToClass( this.cls, doc.toObject(this.leanOpts), this.transformOpts, ); } async createMany( dtoArray: DtoInfer[], ): Promise { const docs = await this.model.create(dtoArray); return docs.map((doc) => plainToClass(this.cls, doc.toObject(this.leanOpts), this.transformOpts), ); } async updateOne>( criteria: string | TFilterQuery, dto: UpdateQuery>, options: QueryOptions | null = { new: true, }, ): Promise { const query = this.model.findOneAndUpdate( { ...(typeof criteria === 'string' ? { _id: criteria } : criteria), }, { $set: dto, }, options, ); const filterCriteria = query.getFilter(); const queryUpdates = query.getUpdate(); if (!queryUpdates) { throw new Error('Unable to execute updateOne() - No updates'); } await this.preUpdateValidate(filterCriteria, queryUpdates); await this.emitter.emitAsync( this.getEventName(EHook.preUpdateValidate), filterCriteria, queryUpdates, ); await this.postUpdateValidate(filterCriteria, queryUpdates); await this.emitter.emitAsync( this.getEventName(EHook.postUpdateValidate), filterCriteria, queryUpdates, ); const result = await this.executeOne(query, this.cls); if (!result) { const errorMessage = `Unable to update ${this.cls.name} with ${typeof criteria === 'string' ? 'ID' : 'criteria'} ${JSON.stringify(criteria)}`; throw new Error(errorMessage); } return result; } async updateMany>( filter: TFilterQuery, dto: UpdateQuery, ): Promise { return await this.model.updateMany(filter, { $set: dto, }); } async deleteOne(criteria: string | TFilterQuery): Promise { return await this.model .deleteOne(typeof criteria === 'string' ? { _id: criteria } : criteria) .exec(); } async deleteMany(criteria: TFilterQuery): Promise { return await this.model.deleteMany(criteria); } async preCreateValidate( _doc: HydratedDocument, _filterCriteria?: FilterQuery, _updates?: UpdateWithAggregationPipeline | UpdateQuery, ): Promise { // Nothing ... } async postCreateValidate(_validated: HydratedDocument): Promise { // Nothing ... } async preUpdateValidate( _filterCriteria: FilterQuery, _updates: UpdateWithAggregationPipeline | UpdateQuery, ): Promise { // Nothing ... } async postUpdateValidate( _filterCriteria: FilterQuery, _updates: UpdateWithAggregationPipeline | UpdateQuery, ): Promise { // Nothing ... } async preCreate(_doc: HydratedDocument): Promise { // Nothing ... } async postCreate(_created: HydratedDocument): Promise { // Nothing ... } async preUpdate( _query: Query, _criteria: TFilterQuery, _updates: UpdateWithAggregationPipeline | UpdateQuery, ): Promise { // Nothing ... } async preUpdateMany( _query: Query, _criteria: TFilterQuery, _updates: UpdateWithAggregationPipeline | UpdateQuery, ): Promise { // Nothing ... } async postUpdateMany( _query: Query, _updated: any, ): Promise { // Nothing ... } async postUpdate( _query: Query, _updated: T, ): Promise { // Nothing ... } async preDelete( _query: Query, _criteria: TFilterQuery, ): Promise { // Nothing ... } async postDelete( _query: Query, _result: DeleteResult, ): Promise { // Nothing ... } }