diff --git a/apps/proof-manager/package.json b/apps/proof-manager/package.json
index 7faebbabda7301ba01421660de129adad07594ac..819f35c18669e9f4e0a1e803ec50c3ca9b67a691 100644
--- a/apps/proof-manager/package.json
+++ b/apps/proof-manager/package.json
@@ -25,53 +25,35 @@
     "test:e2e": "jest --config ./test/jest.config.js"
   },
   "dependencies": {
-    "@elastic/ecs-winston-format": "^1.5.0",
-    "@nestjs/axios": "^3.0.1",
-    "@nestjs/common": "^10.2.8",
+    "@nestjs/common": "^10.2.10",
     "@nestjs/config": "^3.1.1",
-    "@nestjs/core": "^10.2.8",
+    "@nestjs/core": "^10.2.10",
     "@nestjs/mapped-types": "^2.0.4",
-    "@nestjs/microservices": "^10.2.8",
+    "@nestjs/microservices": "^10.2.10",
     "@nestjs/platform-express": "^10.2.8",
     "@nestjs/swagger": "^7.1.16",
-    "@nestjs/terminus": "^10.1.1",
-    "@prisma/client": "^5.6.0",
+    "@ocm/shared": "workspace:*",
     "class-validator": "^0.14.0",
     "express": "^4.17.3",
     "joi": "^17.11.0",
-    "js-base64": "^3.7.2",
-    "jsonwebtoken": "^9.0.2",
-    "jwks-rsa": "^3.1.0",
-    "moment": "^2.29.4",
     "nats": "^2.18.0",
-    "pg": "^8.11.3",
     "reflect-metadata": "^0.1.13",
-    "rxjs": "^7.8.1",
-    "winston": "^3.11.0",
-    "winston-elasticsearch": "^0.17.4"
+    "rxjs": "^7.8.1"
   },
   "devDependencies": {
     "@jest/globals": "^29.7.0",
     "@nestjs/cli": "^10.2.1",
     "@nestjs/schematics": "^10.0.3",
-    "@nestjs/testing": "^10.2.8",
+    "@nestjs/testing": "^10.2.10",
     "@swc/cli": "^0.1.62",
     "@swc/core": "^1.3.96",
     "@swc/jest": "^0.2.29",
     "@types/express": "^4.17.21",
-    "@types/jest": "^29.5.8",
-    "@types/jsonwebtoken": "^9.0.5",
-    "@types/node": "^20.9.0",
-    "@types/supertest": "^2.0.16",
+    "@types/jest": "^29.5.9",
+    "@types/node": "^20.9.3",
     "dotenv-cli": "^7.3.0",
     "jest": "^29.7.0",
-    "node-mocks-http": "^1.13.0",
-    "prisma": "^5.6.0",
     "rimraf": "^5.0.5",
-    "source-map-support": "^0.5.21",
-    "supertest": "^6.3.3",
-    "swagger-ui-express": "^5.0.0",
-    "ts-node": "^10.9.1",
-    "typescript": "^5.2.2"
+    "typescript": "^5.3.2"
   }
 }
diff --git a/apps/proof-manager/src/app.module.spec.ts b/apps/proof-manager/src/__tests__/application.spec.ts
similarity index 52%
rename from apps/proof-manager/src/app.module.spec.ts
rename to apps/proof-manager/src/__tests__/application.spec.ts
index e5e685cb147cd6c916d4e4e80feb77c92880f436..3973b1ea42fa35c5bfcee55e345334d4c7d414e3 100644
--- a/apps/proof-manager/src/app.module.spec.ts
+++ b/apps/proof-manager/src/__tests__/application.spec.ts
@@ -1,27 +1,26 @@
 import type { INestApplication } from '@nestjs/common';
-import type { TestingModule } from '@nestjs/testing';
 
 import { Test } from '@nestjs/testing';
 
-import AppModule from './app.module.js';
+import { Application } from '../application.js';
 
-describe('App Module', () => {
+describe('Application', () => {
   let app: INestApplication;
 
   beforeAll(async () => {
-    const moduleFixture: TestingModule = await Test.createTestingModule({
-      imports: [AppModule],
+    const moduleFixture = await Test.createTestingModule({
+      imports: [Application],
     }).compile();
 
     app = moduleFixture.createNestApplication();
     await app.init();
   });
 
-  it('should work', () => {
-    expect(true).toBe(true);
-  });
-
   afterAll(async () => {
     await app.close();
   });
+
+  it('should be defined', () => {
+    expect(app).toBeDefined();
+  });
 });
diff --git a/apps/proof-manager/src/app.module.ts b/apps/proof-manager/src/app.module.ts
deleted file mode 100644
index 100d223cdf6018077037000efcf36211bd2781e7..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/app.module.ts
+++ /dev/null
@@ -1,44 +0,0 @@
-import type { MiddlewareConsumer, NestModule } from '@nestjs/common';
-
-import { Module, RequestMethod } from '@nestjs/common';
-import { ConfigModule } from '@nestjs/config';
-import { APP_FILTER } from '@nestjs/core';
-import { TerminusModule } from '@nestjs/terminus';
-
-import ExceptionHandler from './common/exception.handler.js';
-import config from './config/config.js';
-import validationSchema from './config/validation.js';
-import HealthController from './health/health.controller.js';
-import { AuthMiddleware } from './middleware/auth.middleware.js';
-import PresentationProofsModule from './presentationProof/module.js';
-
-@Module({
-  imports: [
-    TerminusModule,
-    ConfigModule.forRoot({
-      isGlobal: true,
-      load: [config],
-      validationSchema,
-    }),
-    PresentationProofsModule,
-  ],
-  controllers: [HealthController],
-  providers: [
-    {
-      provide: APP_FILTER,
-      useClass: ExceptionHandler,
-    },
-  ],
-})
-export default class AppModule implements NestModule {
-  public configure(consumer: MiddlewareConsumer) {
-    // eslint-disable-line
-    consumer
-      .apply(AuthMiddleware)
-      .exclude({
-        path: 'v1/health',
-        method: RequestMethod.GET,
-      })
-      .forRoutes('*');
-  }
-}
diff --git a/apps/proof-manager/src/application.ts b/apps/proof-manager/src/application.ts
new file mode 100644
index 0000000000000000000000000000000000000000..a7e650c0538a84ca6c2b9de477f542ac7ec7ad6c
--- /dev/null
+++ b/apps/proof-manager/src/application.ts
@@ -0,0 +1,63 @@
+import type { ConfigType } from '@nestjs/config';
+
+import { Module } from '@nestjs/common';
+import { ConfigModule } from '@nestjs/config';
+import { RouterModule } from '@nestjs/core';
+import { ClientsModule, Transport } from '@nestjs/microservices';
+import { HealthModule } from '@ocm/shared';
+
+import { NATS_CLIENT } from './common/constants.js';
+import { httpConfig } from './config/http.config.js';
+import { natsConfig } from './config/nats.config.js';
+import { ssiConfig } from './config/ssi.config.js';
+import { validationSchema } from './config/validation.js';
+
+@Module({
+  imports: [
+    ConfigModule.forRoot({
+      isGlobal: true,
+      load: [httpConfig, natsConfig, ssiConfig],
+      cache: true,
+      expandVariables: true,
+      validationSchema,
+      validationOptions: {
+        allowUnknown: true,
+        abortEarly: true,
+      },
+    }),
+
+    ClientsModule.registerAsync({
+      isGlobal: true,
+      clients: [
+        {
+          name: NATS_CLIENT,
+          inject: [natsConfig.KEY],
+          useFactory: (config: ConfigType<typeof natsConfig>) => ({
+            transport: Transport.NATS,
+            options: {
+              url: config.url as string,
+            },
+          }),
+        },
+      ],
+    }),
+
+    HealthModule.registerAsync({
+      inject: [natsConfig.KEY],
+      useFactory: (config: ConfigType<typeof natsConfig>) => {
+        const options: Parameters<typeof HealthModule.register>[0] = {};
+
+        if (config.monitoringUrl) {
+          options.nats = {
+            monitoringUrl: config.monitoringUrl as string,
+          };
+        }
+
+        return options;
+      },
+    }),
+
+    RouterModule.register([{ module: HealthModule, path: '/health' }]),
+  ],
+})
+export class Application {}
diff --git a/apps/proof-manager/src/client/nats.client.ts b/apps/proof-manager/src/client/nats.client.ts
deleted file mode 100644
index 223860ddc3ea654e823d122d8e313d655c37cb5c..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/client/nats.client.ts
+++ /dev/null
@@ -1,45 +0,0 @@
-import type PresentationSubscriptionEndpointDto from '../presentationProof/entities/presentationSubscribeEndPoint.entity.js';
-
-import { Inject, Injectable } from '@nestjs/common';
-import { ClientProxy } from '@nestjs/microservices';
-import { lastValueFrom } from 'rxjs';
-
-import { ATTESTATION, Connection, NATSServices } from '../common/constants.js';
-
-@Injectable()
-export default class NatsClientService {
-  public constructor(
-    @Inject(NATSServices.SERVICE_NAME) private client: ClientProxy,
-  ) {}
-
-  public getConnectionById(connectionId: string) {
-    const pattern = {
-      endpoint: `${Connection.NATS_ENDPOINT}/${Connection.GET_CONNECTION_By_ID}`,
-    };
-    const payload = { connectionId };
-    return lastValueFrom(this.client.send(pattern, payload));
-  }
-
-  public publishPresentation(data: PresentationSubscriptionEndpointDto) {
-    this.client.emit(
-      `${NATSServices.SERVICE_NAME}/${NATSServices.PRESENTATION_SUBSCRIBER_ENDPOINT}`,
-      data,
-    );
-  }
-
-  public getCredentialsTypeDetails(type: string) {
-    const pattern = {
-      endpoint: `${ATTESTATION.ATTESTATION_MANAGER_SERVICE}/${ATTESTATION.GET_MEMBERSHIP_CREDENTIALS_DETAILS}`,
-    };
-    const payload = { type };
-    return lastValueFrom(this.client.send(pattern, payload));
-  }
-
-  public makeConnectionTrusted(connectionId: string) {
-    const pattern = {
-      endpoint: `${Connection.NATS_ENDPOINT}/${Connection.MAKE_CONNECTION_TRUSTED}`,
-    };
-    const payload = { connectionId };
-    return lastValueFrom(this.client.send(pattern, payload));
-  }
-}
diff --git a/apps/proof-manager/src/client/nats.spec.ts b/apps/proof-manager/src/client/nats.spec.ts
deleted file mode 100644
index 23203130baac495a76336ba802c07c6f83029a61..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/client/nats.spec.ts
+++ /dev/null
@@ -1,39 +0,0 @@
-// import { ClientProxy } from '@nestjs/microservices';
-import NatsClientService from './nats.client';
-
-describe('Check if the nats client is working', () => {
-  //   let natsClient: NatsClientService;
-  //   let client: ClientProxy;
-
-  //   beforeEach(() => {
-  //     natsClient = new NatsClientService(client);
-  //   });
-
-  //   jest.mock('rxjs', () => {
-  //     const original = jest.requireActual('rxjs');
-
-  //     return {
-  //       ...original,
-  //       lastValueFrom: () => new Promise((resolve, reject) => {
-  //         resolve(true);
-  //       }),
-  //     };
-  //   });
-
-  it('should be defined', () => {
-    expect(NatsClientService).toBeDefined();
-  });
-
-  // it('should call the offer membership credential endpoint', async () => {
-  //     const data = {
-  //         status: 'complete',
-  //         connectionId: 'connectionId',
-  //         theirLabel: 'theirLabel',
-  //         participantId: 'participantId',
-  //         participantDID: 'participantDID'
-  //     };
-  //     jest.spyOn(client, 'send').mockReturnValue(of(data));
-  //     const response = await natsClient.OfferMembershipCredential(data);
-  //     expect(response).toBeTruthy();
-  // });
-});
diff --git a/apps/proof-manager/src/client/rest.client.ts b/apps/proof-manager/src/client/rest.client.ts
deleted file mode 100644
index 42d0fca0e2e5d415537e09991b12a80832e3f6c0..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/client/rest.client.ts
+++ /dev/null
@@ -1,22 +0,0 @@
-import { HttpService } from '@nestjs/axios';
-import { Injectable } from '@nestjs/common';
-import { lastValueFrom, map } from 'rxjs';
-
-@Injectable()
-export default class RestClientService {
-  public constructor(private readonly httpService: HttpService) {}
-
-  public async post(url: string, payload: object) {
-    return lastValueFrom(
-      this.httpService
-        .post(url, payload)
-        .pipe(map((response) => response.data)),
-    );
-  }
-
-  public async get(url: string) {
-    return lastValueFrom(
-      this.httpService.get(url).pipe(map((response) => response.data)),
-    );
-  }
-}
diff --git a/apps/proof-manager/src/common/constants.ts b/apps/proof-manager/src/common/constants.ts
index 60254b10ceeeab44889b095acdc3367511684d5f..4a290a9ccc5db72b1ffee90ce4ed226b6fb680d8 100644
--- a/apps/proof-manager/src/common/constants.ts
+++ b/apps/proof-manager/src/common/constants.ts
@@ -1,32 +1,2 @@
-export enum LoggerConfig {
-  FILE_PATH = 'logs/log.json',
-  LOG_DIR = './logs',
-}
-
-export enum NATSServices {
-  SERVICE_NAME = 'PROOF_MANAGER_SERVICE',
-  PRESENTATION_SUBSCRIBER_ENDPOINT = 'PresentationSubscriberEndpoint',
-}
-
-export enum Abstraction {
-  NATS_ENDPOINT = 'SSI_ABSTRACTION_SERVICE',
-  PROOF_STATE_CHANGED = 'ProofStateChanged',
-}
-
-export enum Connection {
-  GET_CONNECTION_By_ID = 'getConnectionById',
-  NATS_ENDPOINT = 'CONNECTION_MANAGER_SERVICE',
-  MAKE_CONNECTION_TRUSTED = 'makeConnectionTrusted',
-}
-
-export enum ATTESTATION {
-  ATTESTATION_MANAGER_SERVICE = 'ATTESTATION_MANAGER_SERVICE',
-  GET_MEMBERSHIP_CREDENTIALS_DETAILS = 'getCredentialsTypeDetails',
-  CREDENTIAL_TYPE = 'principalMemberCredential',
-}
-
-export enum States {
-  RequestSent = 'request-sent',
-  PresentationReceived = 'presentation-received',
-  Done = 'done',
-}
+export const SERVICE_NAME = 'PROOF_MANAGER_SERVICE';
+export const NATS_CLIENT = Symbol('NATS_CLIENT');
diff --git a/apps/proof-manager/src/common/exception.handler.ts b/apps/proof-manager/src/common/exception.handler.ts
deleted file mode 100644
index aab81f9f9089a2285c5195b16d2686fcdbe9b941..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/common/exception.handler.ts
+++ /dev/null
@@ -1,42 +0,0 @@
-import type ResponseType from './response.js';
-import type { ArgumentsHost, ExceptionFilter } from '@nestjs/common';
-
-import { Catch, HttpException, HttpStatus } from '@nestjs/common';
-import { HttpAdapterHost } from '@nestjs/core';
-
-@Catch()
-export default class ExceptionHandler implements ExceptionFilter {
-  public constructor(private readonly httpAdapterHost: HttpAdapterHost) {}
-
-  // eslint-disable-next-line @typescript-eslint/no-explicit-any
-  public catch(exception: any, host: ArgumentsHost): void {
-    // In certain situations `httpAdapter` might not be available in the
-    // constructor method, thus we should resolve it here.
-    const { httpAdapter } = this.httpAdapterHost;
-
-    const ctx = host.switchToHttp();
-    const response = ctx.getResponse();
-
-    let statusCode = HttpStatus.INTERNAL_SERVER_ERROR;
-    let message =
-      exception.message.error || exception.message || 'Something went wrong!';
-
-    if (exception instanceof HttpException) {
-      const errorResponse: string | object = exception.getResponse();
-
-      statusCode = exception.getStatus();
-      message =
-        (typeof errorResponse === 'object' &&
-          Reflect.get(errorResponse, 'error')) ||
-        message;
-    }
-
-    const responseBody: ResponseType = {
-      statusCode,
-      message,
-      error: exception.message,
-    };
-
-    httpAdapter.reply(response, responseBody, statusCode);
-  }
-}
diff --git a/apps/proof-manager/src/common/response.ts b/apps/proof-manager/src/common/response.ts
deleted file mode 100644
index 45f4ccb12e3724334b69a3bd7dbbc08f175d0f7f..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/common/response.ts
+++ /dev/null
@@ -1,6 +0,0 @@
-export default interface ResponseType {
-  statusCode: number;
-  message: string;
-  data?: unknown;
-  error?: unknown;
-}
diff --git a/apps/proof-manager/src/config/config.ts b/apps/proof-manager/src/config/config.ts
deleted file mode 100644
index 1a4a3980d0ac9e777b0f0aa8f88dd0951a65d2f5..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/config/config.ts
+++ /dev/null
@@ -1,31 +0,0 @@
-import { fileURLToPath } from 'node:url';
-
-const parentDirectory = fileURLToPath(new URL('..', import.meta.url));
-
-const config = () => ({
-  PORT: Number(process.env.PORT),
-  APP_URL: process.env.PROOF_MANAGER_URL,
-  nats: {
-    url: process.env.NATS_URL,
-  },
-  auth: {
-    useAuth: process.env.USE_AUTH || 'false',
-    clientId: process.env.OAUTH_CLIENT_ID,
-    clientSecret: process.env.OAUTH_CLIENT_SECRET,
-    tokenUrl: process.env.OAUTH_TOKEN_URL,
-  },
-  agent: {
-    agentUrl: process.env.AGENT_URL,
-    didcommUrl: process.env.DIDCOMM_URL,
-  },
-  DATABASE: {
-    type: 'postgres',
-    port: 5432,
-    synchronize: false,
-    logging: false,
-    entities: [`${parentDirectory}/../**/**.model{.ts,.js}`],
-  },
-  ECSURL: process.env.ECSURL,
-  ACCEPT_PRESENTATION_CONFIG: process.env.ACCEPT_PRESENTATION_CONFIG,
-});
-export default config;
diff --git a/apps/proof-manager/src/config/http.config.ts b/apps/proof-manager/src/config/http.config.ts
new file mode 100644
index 0000000000000000000000000000000000000000..0bb4d4c2df3e791f741f3aac483b6fb3f39a5ba0
--- /dev/null
+++ b/apps/proof-manager/src/config/http.config.ts
@@ -0,0 +1,6 @@
+import { registerAs } from '@nestjs/config';
+
+export const httpConfig = registerAs('http', () => ({
+  host: process.env.HOST,
+  port: Number(process.env.PORT),
+}));
diff --git a/apps/proof-manager/src/config/nats.config.ts b/apps/proof-manager/src/config/nats.config.ts
new file mode 100644
index 0000000000000000000000000000000000000000..023e92372adf6be27904aeccd041d125fbb804b9
--- /dev/null
+++ b/apps/proof-manager/src/config/nats.config.ts
@@ -0,0 +1,6 @@
+import { registerAs } from '@nestjs/config';
+
+export const natsConfig = registerAs('nats', () => ({
+  url: process.env.NATS_URL,
+  monitoringUrl: process.env.NATS_MONITORING_URL,
+}));
diff --git a/apps/proof-manager/src/config/ssi.config.ts b/apps/proof-manager/src/config/ssi.config.ts
new file mode 100644
index 0000000000000000000000000000000000000000..1779919f156e28d94440919221b2c95acda26a10
--- /dev/null
+++ b/apps/proof-manager/src/config/ssi.config.ts
@@ -0,0 +1,5 @@
+import { registerAs } from '@nestjs/config';
+
+export const ssiConfig = registerAs('ssi', () => ({
+  agentUrl: process.env.SSI_AGENT_URL,
+}));
diff --git a/apps/proof-manager/src/config/validation.ts b/apps/proof-manager/src/config/validation.ts
index f7b2536b3570435dfe8f9c6ab8a53afcb0f77cd5..a7fe2f83c768b702b76f629b790507af6344ff7c 100644
--- a/apps/proof-manager/src/config/validation.ts
+++ b/apps/proof-manager/src/config/validation.ts
@@ -1,15 +1,11 @@
 import Joi from 'joi';
 
-const validationSchema = Joi.object({
-  AGENT_URL: Joi.string().required(),
-  DATABASE_URL: Joi.string().required(),
-  NATS_URL: Joi.string().required(),
-  PORT: Joi.number().required(),
-  ACCEPT_PRESENTATION_CONFIG: Joi.string().required(),
-  USE_AUTH: Joi.string(),
-  OAUTH_CLIENT_ID: Joi.string(),
-  OAUTH_CLIENT_SECRET: Joi.string(),
-  OAUTH_TOKEN_URL: Joi.string(),
-});
+export const validationSchema = Joi.object({
+  HTTP_HOST: Joi.string().default('0.0.0.0'),
+  HTTP_PORT: Joi.number().default(3000),
+
+  NATS_URL: Joi.string().uri().default('nats://localhost:4222'),
+  NATS_MONITORING_URL: Joi.string().uri().default('http://localhost:8222'),
 
-export default validationSchema;
+  SSI_AGENT_URL: Joi.string().default('http://localhost:3010'),
+});
diff --git a/apps/proof-manager/src/health/health.controller.ts b/apps/proof-manager/src/health/health.controller.ts
deleted file mode 100644
index d1ec52d5d37f97a243a1cbd4e623e1e264206faf..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/health/health.controller.ts
+++ /dev/null
@@ -1,42 +0,0 @@
-import type ResponseType from '../common/response.js';
-
-import { Controller, Get, HttpStatus, Version } from '@nestjs/common';
-import { ApiOperation, ApiResponse } from '@nestjs/swagger';
-
-@Controller('health')
-export default class HealthController {
-  public res: ResponseType;
-
-  @Version(['1'])
-  @Get()
-  @ApiOperation({
-    summary: 'Health check',
-    description:
-      'This call provides the capability to check the service is working and up. The call returns 200 Status Code and current server time in json body',
-  })
-  @ApiResponse({
-    status: HttpStatus.OK,
-    description: 'Service is up and running.',
-    content: {
-      'application/json': {
-        schema: {},
-        examples: {
-          'Service is up and running.': {
-            value: {
-              statusCode: 200,
-              message:
-                'Thu Jan 01 1970 00:00:00 GMT+0000 (Coordinated Universal Time)',
-            },
-          },
-        },
-      },
-    },
-  })
-  public getHealth() {
-    this.res = {
-      statusCode: HttpStatus.OK,
-      message: `${new Date()}`,
-    };
-    return this.res;
-  }
-}
diff --git a/apps/proof-manager/src/health/health.spec.ts b/apps/proof-manager/src/health/health.spec.ts
deleted file mode 100644
index 4babe4b160388001e1777d6fe6bd67f1c0c67a51..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/health/health.spec.ts
+++ /dev/null
@@ -1,26 +0,0 @@
-import type { TestingModule } from '@nestjs/testing';
-
-import { HttpStatus } from '@nestjs/common';
-import { Test } from '@nestjs/testing';
-
-import HealthController from './health.controller.js';
-
-describe('Health', () => {
-  let healthController: HealthController;
-  beforeEach(async () => {
-    const module: TestingModule = await Test.createTestingModule({
-      imports: [],
-      controllers: [HealthController],
-      providers: [],
-    }).compile();
-    healthController = module.get<HealthController>(HealthController);
-  });
-  it('should be defined', () => {
-    expect(healthController).toBeDefined();
-  });
-
-  it('should call getHealth', () => {
-    const response = healthController.getHealth();
-    expect(response.statusCode).toBe(HttpStatus.OK);
-  });
-});
diff --git a/apps/proof-manager/src/main.ts b/apps/proof-manager/src/main.ts
index 0df020968a342e2686dea44fb436d29685de4ae3..84f089d36f46a2773a6675d0c0599c193c87dd03 100644
--- a/apps/proof-manager/src/main.ts
+++ b/apps/proof-manager/src/main.ts
@@ -1,22 +1,22 @@
+/* c8 ignore start */
 import type { MicroserviceOptions } from '@nestjs/microservices';
 
 import { VersioningType } from '@nestjs/common';
 import { ConfigService } from '@nestjs/config';
-import { HttpAdapterHost, NestFactory } from '@nestjs/core';
+import { NestFactory } from '@nestjs/core';
 import { Transport } from '@nestjs/microservices';
 import { DocumentBuilder, SwaggerModule } from '@nestjs/swagger';
 
-import AppModule from './app.module.js';
-import AllExceptionsFilter from './utils/exceptionsFilter.js';
-import logger from './utils/logger.js';
+import { Application } from './application.js';
 
-const app = await NestFactory.create(AppModule);
+const app = await NestFactory.create(Application);
 const configService = app.get(ConfigService);
 app.enableCors();
+
 app.connectMicroservice<MicroserviceOptions>({
   transport: Transport.NATS,
   options: {
-    servers: [configService.get('nats')?.url],
+    servers: [configService.get('nats').url],
   },
 });
 
@@ -26,10 +26,9 @@ app.enableVersioning({
 });
 
 const swaggerConfig = new DocumentBuilder()
-  .setTitle('Gaia-x Proof Manager API')
-  .setDescription('API documentation for GAIA-X Proof Manager')
+  .setTitle('Gaia-X OCM Proof Manager API')
+  .setDescription('API documentation for Gaia-X OCM Proof Manager')
   .setVersion('1.0')
-  .addServer(`localhost:${configService.get('PORT')}`)
   .build();
 
 const document = SwaggerModule.createDocument(app, swaggerConfig);
@@ -37,9 +36,5 @@ const document = SwaggerModule.createDocument(app, swaggerConfig);
 SwaggerModule.setup('/swagger', app, document);
 await app.startAllMicroservices();
 
-const httpAdapter = app.get(HttpAdapterHost);
-app.useGlobalFilters(new AllExceptionsFilter(httpAdapter));
-
-await app.listen(configService.get('PORT') || 3000, () => {
-  logger.info(`Listening on Port:${configService.get('PORT')}` || 3000);
-});
+await app.listen(configService.get('PORT') || 3000);
+/* c8 ignore stop */
diff --git a/apps/proof-manager/src/middleware/auth.middleware.ts b/apps/proof-manager/src/middleware/auth.middleware.ts
deleted file mode 100644
index 26d29bb546be867b2bfef7e43d39b673bb414d60..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/middleware/auth.middleware.ts
+++ /dev/null
@@ -1,86 +0,0 @@
-import type { NestMiddleware } from '@nestjs/common';
-import type { NextFunction, Request, Response } from 'express';
-
-import { HttpStatus, Injectable } from '@nestjs/common';
-import { ConfigService } from '@nestjs/config';
-import jwt from 'jsonwebtoken';
-import jwksClient from 'jwks-rsa';
-
-import logger from '../utils/logger.js';
-
-@Injectable()
-export class AuthMiddleware implements NestMiddleware {
-  public constructor(private readonly configService: ConfigService) {}
-
-  /* eslint-disable */
-  async use(req: Request, res: Response, next: NextFunction) {
-    if (this.configService.get('auth.useAuth') === 'false') {
-      return next();
-    }
-
-    logger.info('Request at middleware');
-
-    const authHeader = req.headers.authorization;
-    const authToken = authHeader && authHeader?.split(' ')[1];
-
-    if (!authToken) {
-      logger.error('No access token provided.');
-      res.json({
-        status: HttpStatus.UNAUTHORIZED,
-        message: 'Unauthorized. No Access token provided.',
-        data: undefined,
-      });
-      return;
-    }
-
-    const getKey = (
-      header: jwt.JwtHeader,
-      callback: jwt.SigningKeyCallback,
-    ): void => {
-      const jwksUri = this.configService.get('auth.tokenUrl') || '';
-      const client = jwksClient({ jwksUri, timeout: 30000 });
-
-      client
-        .getSigningKey(header.kid)
-        .then((key) => callback(null, key.getPublicKey()))
-        .catch(callback);
-    };
-
-    function verify(token: string): Promise<any> | undefined {
-      return new Promise(
-        (resolve: (decoded: any) => void, reject: (error: Error) => void) => {
-          const verifyCallback: jwt.VerifyCallback<jwt.JwtPayload | string> = (
-            error: jwt.VerifyErrors | null,
-            decoded: any,
-          ): void => {
-            if (error) {
-              return reject(error);
-            }
-            return resolve(decoded);
-          };
-
-          jwt.verify(token, getKey, verifyCallback);
-        },
-      );
-    }
-
-    const result = await verify(authToken as string);
-
-    if (!result) {
-      logger.error('Invalid access token provided.');
-      res.json({
-        status: HttpStatus.UNAUTHORIZED,
-        message: 'Unauthorized. Invalid Access token provided.',
-        data: undefined,
-      });
-      return;
-    }
-
-    next();
-  }
-  /* eslint-enable */
-}
-
-export default {
-  AuthMiddleware,
-};
diff --git a/apps/proof-manager/src/presentationProof/controller/controller.spec.ts b/apps/proof-manager/src/presentationProof/controller/controller.spec.ts
deleted file mode 100644
index 8391bb180da4b222dd9d9e0868ca2d0da9446441..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/presentationProof/controller/controller.spec.ts
+++ /dev/null
@@ -1,603 +0,0 @@
-/* eslint-disable @typescript-eslint/no-explicit-any */
-import type FindProofPresentationDto from '../entities/find-proof-presentation.dto.js';
-import type SendProofRequest from '../entities/send-proof-request.dto.js';
-import type { TestingModule } from '@nestjs/testing';
-
-import { HttpModule } from '@nestjs/axios';
-import { HttpStatus } from '@nestjs/common';
-import { ConfigModule } from '@nestjs/config';
-import { ClientsModule, Transport } from '@nestjs/microservices';
-import { Test } from '@nestjs/testing';
-import { createResponse } from 'node-mocks-http';
-
-import NatsClientService from '../../client/nats.client.js';
-import RestClientService from '../../client/rest.client.js';
-import { NATSServices } from '../../common/constants.js';
-import PrismaService from '../../prisma/prisma.service.js';
-import PresentationProofsService from '../services/service.js';
-
-import PresentationProofsController from './controller.js';
-
-describe.skip('Proof Presentation Controller', () => {
-  let controller: PresentationProofsController;
-  let service: PresentationProofsService;
-  let natsClient: NatsClientService;
-  beforeEach(async () => {
-    const module: TestingModule = await Test.createTestingModule({
-      imports: [
-        ConfigModule,
-        HttpModule,
-        ClientsModule.register([
-          {
-            name: NATSServices.SERVICE_NAME,
-            transport: Transport.NATS,
-          },
-        ]),
-      ],
-      controllers: [PresentationProofsController],
-      providers: [
-        PresentationProofsService,
-        PrismaService,
-        NatsClientService,
-        RestClientService,
-      ],
-      exports: [PrismaService],
-    }).compile();
-
-    service = module.get<PresentationProofsService>(PresentationProofsService);
-    controller = module.get<PresentationProofsController>(
-      PresentationProofsController,
-    );
-    natsClient = module.get<NatsClientService>(NatsClientService);
-  });
-
-  it('should be defined', () => {
-    expect(controller).toBeDefined();
-  });
-
-  describe('get all proof presentation', () => {
-    it('should return an array of proof presentation', async () => {
-      const query: FindProofPresentationDto = {
-        pageSize: '0',
-        page: '0',
-      };
-
-      const serviceResult: any = [
-        1,
-        {
-          id: '3b5e9083-2c2d-4acf-8b18-13f43e31c7df',
-          proof_record_id: '0448de40-415c-4448-bfa0-456fd8936f91',
-          participant_id: '7780cd24-af13-423e-b1ff-ae944ab6fd71',
-          connectionId: '9c80d8c0-8893-4638-97d2-221024f5bafa',
-          credential_def_id: 'LC5aqqDP6sB7Nyn3GHn4eC:3:CL:242017:UID',
-          schemaId: '',
-          their_did: '',
-          status: 'done',
-          created_date: '2022-04-19T12:45:38.872Z',
-          updated_date: '2022-04-19T12:45:55.541Z',
-        },
-      ];
-
-      const result: any = {
-        count: 1,
-        records: {
-          id: '3b5e9083-2c2d-4acf-8b18-13f43e31c7df',
-          proof_record_id: '0448de40-415c-4448-bfa0-456fd8936f91',
-          participant_id: '7780cd24-af13-423e-b1ff-ae944ab6fd71',
-          connectionId: '9c80d8c0-8893-4638-97d2-221024f5bafa',
-          credential_def_id: 'LC5aqqDP6sB7Nyn3GHn4eC:3:CL:242017:UID',
-          schemaId: '',
-          their_did: '',
-          status: 'done',
-          created_date: '2022-04-19T12:45:38.872Z',
-          updated_date: '2022-04-19T12:45:55.541Z',
-        },
-      };
-
-      const response = createResponse();
-
-      jest
-        .spyOn(service, 'findProofPresentation')
-        .mockResolvedValueOnce(serviceResult);
-      const res: any = await controller.findProofPresentation(query, response);
-      // eslint-disable-next-line no-underscore-dangle
-      const resData = res._getData();
-      expect(res.statusCode).toBe(HttpStatus.OK);
-      expect(resData.data).toStrictEqual(result);
-    });
-
-    it('should return an no data found', async () => {
-      const query: FindProofPresentationDto = {
-        pageSize: '0',
-        page: '0',
-      };
-      const serviceResult: any = [0, []];
-
-      const result: any = { statusCode: 404, message: 'No Data found' };
-      const response = createResponse();
-      jest
-        .spyOn(service, 'findProofPresentation')
-        .mockResolvedValueOnce(serviceResult);
-      const res: any = await controller.findProofPresentation(query, response);
-      // eslint-disable-next-line no-underscore-dangle
-      const resData = res._getData();
-      expect(resData.statusCode).toBe(HttpStatus.NOT_FOUND);
-      expect(resData).toStrictEqual(result);
-    });
-  });
-
-  describe('find-by-presentation-id', () => {
-    it('should return an proof presentation', async () => {
-      const query = {
-        proof_record_id: '6703e2e3-4bb3-463d-b2e4-5ea41ccd031f',
-        participant_id: '7780cd24-af13-423e-b1ff-ae944ab6fd71',
-      };
-      const serviceResult: any = {
-        _tags: {
-          state: 'done',
-          connectionId: 'f2e80e21-f3ab-4b27-abbc-319141457a5b',
-          threadId: '1a1a6abf-e730-4d60-b33d-702527f81563',
-        },
-        metadata: {},
-        id: '6703e2e3-4bb3-463d-b2e4-5ea41ccd031f',
-        createdAt: '2022-04-19T11:13:10.825Z',
-        requestMessage: {
-          '@type': 'https://didcomm.org/present-proof/1.0/request-presentation',
-          '@id': '1a1a6abf-e730-4d60-b33d-702527f81563',
-          comment: 'Tested participant',
-          'request_presentations~attach': [
-            {
-              '@id': 'libindy-request-presentation-0',
-              'mime-type': 'application/json',
-              data: {
-                base64:
-                  'eyJuYW1lIjoiUHJvb2YgUmVxdWVzdCIsInZlcnNpb24iOiJQcm9vZiBSZXF1ZXN0Iiwibm9uY2UiOiI1MjY2MTI4Mjg3NjAiLCJyZXF1ZXN0ZWRfYXR0cmlidXRlcyI6eyJhZGRpdGlvbmFsUHJvcDEiOnsibmFtZXMiOlsiZk5hbWUiXSwicmVzdHJpY3Rpb25zIjpbeyJjcmVkX2RlZl9pZCI6IkxDNWFxcURQNnNCN055bjNHSG40ZUM6MzpDTDoyNDIwMTc6VUlEIn1dfX0sInJlcXVlc3RlZF9wcmVkaWNhdGVzIjp7fX0=',
-              },
-            },
-          ],
-        },
-        state: 'done',
-        connectionId: 'f2e80e21-f3ab-4b27-abbc-319141457a5b',
-        threadId: '1a1a6abf-e730-4d60-b33d-702527f81563',
-        isVerified: true,
-      };
-
-      const result: any = {
-        _tags: {
-          state: 'done',
-          connectionId: 'f2e80e21-f3ab-4b27-abbc-319141457a5b',
-          threadId: '1a1a6abf-e730-4d60-b33d-702527f81563',
-        },
-        metadata: {},
-        id: '6703e2e3-4bb3-463d-b2e4-5ea41ccd031f',
-        createdAt: '2022-04-19T11:13:10.825Z',
-        requestMessage: {
-          '@type': 'https://didcomm.org/present-proof/1.0/request-presentation',
-          '@id': '1a1a6abf-e730-4d60-b33d-702527f81563',
-          comment: 'Tested participant',
-          'request_presentations~attach': [
-            {
-              '@id': 'libindy-request-presentation-0',
-              'mime-type': 'application/json',
-              data: {
-                base64:
-                  'eyJuYW1lIjoiUHJvb2YgUmVxdWVzdCIsInZlcnNpb24iOiJQcm9vZiBSZXF1ZXN0Iiwibm9uY2UiOiI1MjY2MTI4Mjg3NjAiLCJyZXF1ZXN0ZWRfYXR0cmlidXRlcyI6eyJhZGRpdGlvbmFsUHJvcDEiOnsibmFtZXMiOlsiZk5hbWUiXSwicmVzdHJpY3Rpb25zIjpbeyJjcmVkX2RlZl9pZCI6IkxDNWFxcURQNnNCN055bjNHSG40ZUM6MzpDTDoyNDIwMTc6VUlEIn1dfX0sInJlcXVlc3RlZF9wcmVkaWNhdGVzIjp7fX0=',
-              },
-            },
-          ],
-        },
-        state: 'done',
-        connectionId: 'f2e80e21-f3ab-4b27-abbc-319141457a5b',
-        threadId: '1a1a6abf-e730-4d60-b33d-702527f81563',
-        isVerified: true,
-      };
-
-      const response = createResponse();
-
-      jest
-        .spyOn(service, 'findProofByProofRecordId')
-        .mockResolvedValueOnce(serviceResult);
-      const res: any = await controller.findProofByProofRecordId(
-        query,
-        response,
-      );
-      // eslint-disable-next-line no-underscore-dangle
-      const resData = res._getData();
-      expect(res.statusCode).toBe(HttpStatus.OK);
-      expect(resData.data).toStrictEqual(result);
-    });
-
-    it('should return an presentation request required following attributes ( proof_record_id, participant_id )', async () => {
-      const query = {
-        proof_record_id: '',
-        participant_id: '',
-      };
-      const serviceResult: any = [];
-      const response = createResponse();
-      response.status(HttpStatus.BAD_REQUEST);
-      const result = {
-        statusCode: HttpStatus.BAD_REQUEST,
-        message:
-          'Find presentation request required following attributes ( proof_record_id, participant_id )',
-      };
-      jest
-        .spyOn(service, 'findProofByProofRecordId')
-        .mockImplementation(() => serviceResult);
-
-      const res: any = await controller.findProofByProofRecordId(
-        query,
-        response,
-      );
-      // eslint-disable-next-line no-underscore-dangle
-      const resData = res._getData();
-      expect(res.statusCode).toBe(HttpStatus.BAD_REQUEST);
-      expect(resData).toStrictEqual(result);
-    });
-
-    it('should return an proof presentation no data found', async () => {
-      const query = {
-        proof_record_id: '6703e2e3-4bb3-463d-b2e4-5ea41ccd031f',
-        participant_id: '7780cd24-af13-423e-b1ff-ae944ab6fd71',
-      };
-      const serviceResult: any = '';
-      const result: any = { statusCode: 404, message: 'No Data found' };
-      const response = createResponse();
-      jest
-        .spyOn(service, 'findProofByProofRecordId')
-        .mockResolvedValueOnce(serviceResult);
-      const res: any = await controller.findProofByProofRecordId(
-        query,
-        response,
-      );
-      // eslint-disable-next-line no-underscore-dangle
-      const resData = res._getData();
-      expect(resData.statusCode).toBe(HttpStatus.NOT_FOUND);
-      expect(resData).toStrictEqual(result);
-    });
-  });
-
-  describe('send presentation request', () => {
-    it('should return an presentation request required following attributes ( connectionId, credential_def_id, attributes )', async () => {
-      const query: SendProofRequest = {
-        credentialDefId: '',
-        connectionId: '',
-        attributes: [
-          {
-            attribute_name: 'email',
-            value: '',
-            condition: '',
-          },
-        ],
-        participantId: '',
-        proofRecordId: '',
-      };
-      const serviceResult: any = [];
-      const response = createResponse();
-      response.status(HttpStatus.BAD_REQUEST);
-      const result = {
-        statusCode: HttpStatus.BAD_REQUEST,
-        message:
-          'Send presentation request required following attributes ( connectionId, credential_def_id, attributes )',
-      };
-      jest
-        .spyOn(service, 'sendPresentationRequest')
-        .mockImplementation(() => serviceResult);
-
-      const res: any = await controller.sendPresentationRequest(
-        query,
-        response,
-      );
-      // eslint-disable-next-line no-underscore-dangle
-      const resData = res._getData();
-      expect(res.statusCode).toBe(HttpStatus.BAD_REQUEST);
-      expect(resData).toStrictEqual(result);
-    });
-
-    it('should return an presentation request send successfully', async () => {
-      const query: SendProofRequest = {
-        credentialDefId:
-          'Knwz4KG97ta6EnC5BT7uH3:3:CL:241901:gaia-x principal member credential 0.2',
-        connectionId: '1d50f39b-200a-460d-8198-c2dac92d813a',
-        attributes: [
-          {
-            attribute_name: 'email',
-            value: '',
-            condition: '',
-          },
-        ],
-        participantId: '',
-        proofRecordId: '',
-      };
-      const serviceResult: any = {
-        _tags: {},
-        metadata: {},
-        id: '03469be8-a70e-4190-952c-d1b3778e81e5',
-        createdAt: '2022-04-21T10:07:10.070Z',
-        requestMessage: {
-          '@type': 'https://didcomm.org/present-proof/1.0/request-presentation',
-          '@id': 'caa5a5e8-8965-4457-8df0-a6db6e18617b',
-          comment: 'Gaia-x Test',
-          'request_presentations~attach': [[Object]],
-        },
-        state: 'request-sent',
-        connectionId: '1d50f39b-200a-460d-8198-c2dac92d813a',
-        threadId: 'caa5a5e8-8965-4457-8df0-a6db6e18617b',
-        participantId: '662dc769-a4de-4c95-934c-f6dab8cf432c',
-        theirDid: 'CePQGVFWkpWBN2trZuZSx4',
-      };
-
-      const response = createResponse();
-
-      const result: any = {
-        id: 'aa74842c-6bf5-4647-864c-4c45012cfef3',
-        proof_record_id: '03469be8-a70e-4190-952c-d1b3778e81e5',
-        participant_id: '662dc769-a4de-4c95-934c-f6dab8cf432c',
-        connectionId: '1d50f39b-200a-460d-8198-c2dac92d813a',
-        credential_def_id:
-          'Knwz4KG97ta6EnC5BT7uH3:3:CL:241901:gaia-x principal member credential 0.2',
-        schemaId: '',
-        their_did: '',
-        status: 'request-sent',
-        created_date: '2022-04-21T10:07:10.179Z',
-        updated_date: '2022-04-21T10:07:10.179Z',
-      };
-
-      jest
-        .spyOn(service, 'sendPresentationRequest')
-        .mockImplementation(() => serviceResult);
-      jest
-        .spyOn(service, 'createPresentationRequest')
-        .mockImplementation(() => result);
-
-      const res: any = await controller.sendPresentationRequest(
-        query,
-        response,
-      );
-      // eslint-disable-next-line no-underscore-dangle
-      const resData = res._getData();
-      expect(res.statusCode).toBe(HttpStatus.CREATED);
-      expect(resData.data).toStrictEqual(result);
-    });
-
-    it('should return an could not get agent details. please try again.', async () => {
-      const query: SendProofRequest = {
-        credentialDefId:
-          'Knwz4KG97ta6EnC5BT7uH3:3:CL:241901:gaia-x principal member credential 0.2',
-        connectionId: '1d50f39b-200a-460d-8198-c2dac92d813a',
-        attributes: [
-          {
-            attribute_name: 'email',
-            value: '',
-            condition: '',
-          },
-        ],
-        participantId: '',
-        proofRecordId: '',
-      };
-      const serviceResult: any = {
-        state: 'request-sent',
-        connectionId: '1d50f39b-200a-460d-8198-c2dac92d813a',
-        threadId: 'caa5a5e8-8965-4457-8df0-a6db6e18617b',
-        participantId: '662dc769-a4de-4c95-934c-f6dab8cf432c',
-        theirDid: 'CePQGVFWkpWBN2trZuZSx4',
-      };
-
-      const response = createResponse();
-
-      const result: any = {
-        statusCode: HttpStatus.BAD_REQUEST,
-        message: 'Could not get agent details. please try again.',
-      };
-
-      jest
-        .spyOn(service, 'sendPresentationRequest')
-        .mockImplementation(() => serviceResult);
-
-      const res: any = await controller.sendPresentationRequest(
-        query,
-        response,
-      );
-      // eslint-disable-next-line no-underscore-dangle
-      const resData = res._getData();
-      expect(res.statusCode).toBe(HttpStatus.BAD_REQUEST);
-      expect(resData).toStrictEqual(result);
-    });
-  });
-
-  describe('send out of band presentation request', () => {
-    it('should return an presentation request required following attributes ( participant_id, credential_def_id, attributes )', async () => {
-      const query: SendProofRequest = {
-        credentialDefId: '',
-        connectionId: '',
-        attributes: [
-          {
-            attribute_name: 'email',
-            value: '',
-            condition: '',
-          },
-        ],
-        participantId: '',
-        proofRecordId: '',
-      };
-      const serviceResult: any = [];
-      const response = createResponse();
-      response.status(HttpStatus.BAD_REQUEST);
-      const result = {
-        statusCode: HttpStatus.BAD_REQUEST,
-        message:
-          'Send presentation request required following attributes ( participant_id, credential_def_id, attributes )',
-      };
-      jest
-        .spyOn(service, 'sendOutOfBandPresentationRequest')
-        .mockImplementation(() => serviceResult);
-
-      const res: any = await controller.sendOutOfBandPresentationRequest(
-        query,
-        response,
-      );
-      // eslint-disable-next-line no-underscore-dangle
-      const resData = res._getData();
-      expect(res.statusCode).toBe(HttpStatus.BAD_REQUEST);
-      expect(resData).toStrictEqual(result);
-    });
-
-    it('should return an presentation request send successfully', async () => {
-      const query: SendProofRequest = {
-        credentialDefId:
-          'Knwz4KG97ta6EnC5BT7uH3:3:CL:241901:gaia-x principal member credential 0.2',
-        connectionId: '1d50f39b-200a-460d-8198-c2dac92d813a',
-        attributes: [
-          {
-            attribute_name: 'email',
-            value: '',
-            condition: '',
-          },
-        ],
-        participantId: '1d50f39b-200a-460d-8198-c2dac92d813a',
-        proofRecordId: '',
-      };
-      const serviceResult: any = {
-        message:
-          'http://3.111.77.38:4001/?d_m=eyJAdHlwZSI6ImRpZDpzb3Y6QnpDYnNOWWhNcmpIaXFaRFRVQVNIZztzcGVjL3ByZXNlbnQtcHJvb2YvMS4wL3JlcXVlc3QtcHJlc2VudGF0aW9uIiwiQGlkIjoiNGFlNTU0N2YtNmFmMi00MTQzLThiNWYtY2JkNWRiZWI5NGIyIiwiY29tbWVudCI6IlRlc3RlZCBCeSBTcHJpbnQgNCIsInJlcXVlc3RfcHJlc2VudGF0aW9uc35hdHRhY2giOlt7IkBpZCI6ImxpYmluZHktcmVxdWVzdC1wcmVzZW50YXRpb24tMCIsIm1pbWUtdHlwZSI6ImFwcGxpY2F0aW9uL2pzb24iLCJkYXRhIjp7ImJhc2U2NCI6ImV5SnVZVzFsSWpvaVQzVjBJRTltSUVKaGJtUWdVSEp2YjJZZ1VtVnhkV1Z6ZENJc0luWmxjbk5wYjI0aU9pSlBkWFFnVDJZZ1FtRnVaQ0JRY205dlppQlNaWEYxWlhOMElpd2libTl1WTJVaU9pSXlNamM0TURnM01UazFOakkwSWl3aWNtVnhkV1Z6ZEdWa1gyRjBkSEpwWW5WMFpYTWlPbnNpWVdSa2FYUnBiMjVoYkZCeWIzQXhJanA3SW01aGJXVnpJanBiSW1WdFlXbHNJaXdpYVhOemRXVnlSRWxFSWwwc0luSmxjM1J5YVdOMGFXOXVjeUk2VzNzaVkzSmxaRjlrWldaZmFXUWlPaUpMYm5kNk5FdEhPVGQwWVRaRmJrTTFRbFEzZFVnek9qTTZRMHc2TWpReE9UQXhPbWRoYVdFdGVDQndjbWx1WTJsd1lXd2diV1Z0WW1WeUlHTnlaV1JsYm5ScFlXd2dNQzR5SW4xZGZYMHNJbkpsY1hWbGMzUmxaRjl3Y21Wa2FXTmhkR1Z6SWpwN2ZYMD0ifX1dLCJ-c2VydmljZSI6eyJyZWNpcGllbnRLZXlzIjpbIkJCRmZVdmVVUTZjdEJUR3liWG9XWWkzNjJuS2h6NHV0WDZ4aVF3WHNzc3pRIl0sInJvdXRpbmdLZXlzIjpbXSwic2VydmljZUVuZHBvaW50IjoiaHR0cDovLzMuMTExLjc3LjM4OjQwMDEifX0',
-        proofRecord: {
-          _tags: {},
-          metadata: {},
-          id: '98c9840b-f47e-4572-8666-f17c13a6efa8',
-          createdAt: '2022-04-21T11:24:43.014Z',
-          requestMessage: {
-            '@type':
-              'https://didcomm.org/present-proof/1.0/request-presentation',
-            '@id': '4ae5547f-6af2-4143-8b5f-cbd5dbeb94b2',
-            comment: 'Tested By Sprint 4',
-            'request_presentations~attach': [Array],
-            '~service': [Object],
-          },
-          state: 'request-sent',
-          threadId: '4ae5547f-6af2-4143-8b5f-cbd5dbeb94b2',
-          autoAcceptProof: 'always',
-        },
-        participantId: '662dc769-a4de-4c95-934c-f6dab8cf432c',
-      };
-
-      const response = createResponse();
-
-      const result: any = {
-        id: '4cb19a07-0a3c-4a73-bbd6-006b73b26eeb',
-        proof_record_id: '98c9840b-f47e-4572-8666-f17c13a6efa8',
-        participant_id: '662dc769-a4de-4c95-934c-f6dab8cf432c',
-        connectionId: '',
-        credential_def_id:
-          'Knwz4KG97ta6EnC5BT7uH3:3:CL:241901:gaia-x principal member credential 0.2',
-        schemaId: '',
-        their_did: '',
-        status: 'request-sent',
-        created_date: '2022-04-21T11:24:43.042Z',
-        updated_date: '2022-04-21T11:24:43.042Z',
-        presentationMessage:
-          'http://3.111.77.38:4001/?d_m=eyJAdHlwZSI6ImRpZDpzb3Y6QnpDYnNOWWhNcmpIaXFaRFRVQVNIZztzcGVjL3ByZXNlbnQtcHJvb2YvMS4wL3JlcXVlc3QtcHJlc2VudGF0aW9uIiwiQGlkIjoiNGFlNTU0N2YtNmFmMi00MTQzLThiNWYtY2JkNWRiZWI5NGIyIiwiY29tbWVudCI6IlRlc3RlZCBCeSBTcHJpbnQgNCIsInJlcXVlc3RfcHJlc2VudGF0aW9uc35hdHRhY2giOlt7IkBpZCI6ImxpYmluZHktcmVxdWVzdC1wcmVzZW50YXRpb24tMCIsIm1pbWUtdHlwZSI6ImFwcGxpY2F0aW9uL2pzb24iLCJkYXRhIjp7ImJhc2U2NCI6ImV5SnVZVzFsSWpvaVQzVjBJRTltSUVKaGJtUWdVSEp2YjJZZ1VtVnhkV1Z6ZENJc0luWmxjbk5wYjI0aU9pSlBkWFFnVDJZZ1FtRnVaQ0JRY205dlppQlNaWEYxWlhOMElpd2libTl1WTJVaU9pSXlNamM0TURnM01UazFOakkwSWl3aWNtVnhkV1Z6ZEdWa1gyRjBkSEpwWW5WMFpYTWlPbnNpWVdSa2FYUnBiMjVoYkZCeWIzQXhJanA3SW01aGJXVnpJanBiSW1WdFlXbHNJaXdpYVhOemRXVnlSRWxFSWwwc0luSmxjM1J5YVdOMGFXOXVjeUk2VzNzaVkzSmxaRjlrWldaZmFXUWlPaUpMYm5kNk5FdEhPVGQwWVRaRmJrTTFRbFEzZFVnek9qTTZRMHc2TWpReE9UQXhPbWRoYVdFdGVDQndjbWx1WTJsd1lXd2diV1Z0WW1WeUlHTnlaV1JsYm5ScFlXd2dNQzR5SW4xZGZYMHNJbkpsY1hWbGMzUmxaRjl3Y21Wa2FXTmhkR1Z6SWpwN2ZYMD0ifX1dLCJ-c2VydmljZSI6eyJyZWNpcGllbnRLZXlzIjpbIkJCRmZVdmVVUTZjdEJUR3liWG9XWWkzNjJuS2h6NHV0WDZ4aVF3WHNzc3pRIl0sInJvdXRpbmdLZXlzIjpbXSwic2VydmljZUVuZHBvaW50IjoiaHR0cDovLzMuMTExLjc3LjM4OjQwMDEifX0',
-      };
-
-      jest
-        .spyOn(service, 'sendOutOfBandPresentationRequest')
-        .mockImplementation(() => serviceResult);
-      jest
-        .spyOn(service, 'createPresentationRequest')
-        .mockImplementation(() => result);
-
-      const res: any = await controller.sendOutOfBandPresentationRequest(
-        query,
-        response,
-      );
-      // eslint-disable-next-line no-underscore-dangle
-      const resData = res._getData();
-      expect(res.statusCode).toBe(HttpStatus.CREATED);
-      expect(resData.data).toStrictEqual(result);
-    });
-
-    it('should return an could not get agent details. please try again.', async () => {
-      const query: SendProofRequest = {
-        credentialDefId:
-          'Knwz4KG97ta6EnC5BT7uH3:3:CL:241901:gaia-x principal member credential 0.2',
-        connectionId: '1d50f39b-200a-460d-8198-c2dac92d813a',
-        attributes: [
-          {
-            attribute_name: 'email',
-            value: '',
-            condition: '',
-          },
-        ],
-        participantId: '1d50f39b-200a-460d-8198-c2dac92d813a',
-        proofRecordId: '',
-      };
-      const serviceResult: any = {
-        state: 'request-sent',
-        connectionId: '1d50f39b-200a-460d-8198-c2dac92d813a',
-        threadId: 'caa5a5e8-8965-4457-8df0-a6db6e18617b',
-        participantId: '662dc769-a4de-4c95-934c-f6dab8cf432c',
-        theirDid: 'CePQGVFWkpWBN2trZuZSx4',
-      };
-
-      const response = createResponse();
-
-      const result: any = {
-        statusCode: HttpStatus.BAD_REQUEST,
-        message: 'Could not get agent details. please try again.',
-      };
-
-      jest
-        .spyOn(service, 'sendOutOfBandPresentationRequest')
-        .mockImplementation(() => serviceResult);
-
-      const res: any = await controller.sendOutOfBandPresentationRequest(
-        query,
-        response,
-      );
-      // eslint-disable-next-line no-underscore-dangle
-      const resData = res._getData();
-      expect(res.statusCode).toBe(HttpStatus.BAD_REQUEST);
-      expect(resData).toStrictEqual(result);
-    });
-  });
-
-  describe('webHookCredentials()', () => {
-    it('should return an presentation states noted.', async () => {
-      const query: any = {
-        body: {
-          connectionId: '1d50f39b-200a-460d-8198-c2dac92d813a',
-          id: '1d50f39b-200a-460d-8198-c2dac92d813a',
-          state: 'done',
-          isVerified: true,
-        },
-      };
-
-      const serviceResult: any = {
-        state: 'request-sent',
-        connectionId: '1d50f39b-200a-460d-8198-c2dac92d813a',
-        threadId: 'caa5a5e8-8965-4457-8df0-a6db6e18617b',
-        participantId: '662dc769-a4de-4c95-934c-f6dab8cf432c',
-        theirDid: 'CePQGVFWkpWBN2trZuZSx4',
-      };
-
-      const result: any = {
-        statusCode: HttpStatus.OK,
-        message: 'Presentation states noted.',
-      };
-
-      jest
-        .spyOn(service, 'updatePresentationStatus')
-        .mockImplementation(() => serviceResult);
-
-      jest
-        .spyOn(service, 'makeConnectionTrusted')
-        .mockImplementation(() => serviceResult);
-
-      jest
-        .spyOn(natsClient, 'makeConnectionTrusted')
-        .mockResolvedValueOnce(serviceResult);
-
-      const res: any = await controller.webhookGetProofPresentation(query);
-      expect(res.statusCode).toBe(HttpStatus.OK);
-      expect(res).toStrictEqual(result);
-    });
-  });
-});
diff --git a/apps/proof-manager/src/presentationProof/controller/controller.ts b/apps/proof-manager/src/presentationProof/controller/controller.ts
deleted file mode 100644
index 882b935a7dca44dacac581b2f50b42ed44713d4b..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/presentationProof/controller/controller.ts
+++ /dev/null
@@ -1,1495 +0,0 @@
-import type ResponseType from '../../common/response.js';
-import type GetProofRequest from '../entities/get-proof-request.dto.js';
-import type MembershipCredentialDto from '../entities/membership-credential.dto.js';
-import type PresentationSubscriptionEndpointDto from '../entities/presentationSubscribeEndPoint.entity.js';
-// eslint-disable-next-line @typescript-eslint/consistent-type-imports
-import type { Response } from 'express';
-
-import {
-  Body,
-  Controller,
-  Get,
-  HttpStatus,
-  Param,
-  Post,
-  Query,
-  Res,
-  Version,
-} from '@nestjs/common';
-import { ConfigService } from '@nestjs/config';
-import { EventPattern, MessagePattern } from '@nestjs/microservices';
-import {
-  ApiBody,
-  ApiOperation,
-  ApiQuery,
-  ApiResponse,
-  ApiTags,
-} from '@nestjs/swagger';
-import { Base64 } from 'js-base64';
-
-import {
-  ATTESTATION,
-  Abstraction,
-  NATSServices,
-  States,
-} from '../../common/constants.js';
-import logger from '../../utils/logger.js';
-import AcceptPresentationDto from '../entities/accept-presentation.dto.js';
-import AcceptProofRequestDto from '../entities/accept-proof-request.dto.js';
-import FindProofPresentationDto from '../entities/find-proof-presentation.dto.js';
-import GetPresentProofsDto from '../entities/get-present-proofs.dto.js';
-import SendProofRequestBody from '../entities/send-proof-request-body.dto.js';
-import SendProofRequest from '../entities/send-proof-request.dto.js';
-import PresentationProofsService from '../services/service.js';
-
-@ApiTags('Proofs')
-@Controller()
-export default class PresentationProofsController {
-  public constructor(
-    private readonly presentationProofsService: PresentationProofsService,
-    private configService: ConfigService,
-  ) {}
-
-  @Version(['1'])
-  @ApiQuery({ name: 'page', required: false })
-  @ApiQuery({ name: 'pageSize', required: false })
-  @ApiQuery({ name: 'proofRecordId', required: false })
-  @ApiQuery({ name: 'connectionId', required: false })
-  @ApiQuery({ name: 'credentialDefId', required: false })
-  @ApiQuery({ name: 'schemaId', required: false })
-  @ApiQuery({ name: 'theirDid', required: false })
-  @ApiQuery({ name: 'status', required: false })
-  @ApiQuery({ name: 'createdDateStart', required: false })
-  @ApiQuery({ name: 'createdDateEnd', required: false })
-  @ApiQuery({ name: 'updatedDateStart', required: false })
-  @ApiQuery({ name: 'updatedDateEnd', required: false })
-  @Get('find-proof-presentation')
-  @ApiOperation({
-    summary: 'Fetch list of proof requests',
-    description:
-      'This call provides the capability to search proofs (Credential Presentation) by using pagination and filter parameters. This call returns a list of proof requests (Proof Presentations) and overall count of records. Filter supports following parameters: page, pageSize, proofRecordId, connectionId, credentialDefId, schemaId, theirDid, status, createdDateStart, createdDateEnd, updatedDateStart, updatedDateEnd',
-  })
-  @ApiResponse({
-    status: HttpStatus.OK,
-    description: 'Proof presentations fetched successfully',
-    content: {
-      'application/json': {
-        schema: {},
-        examples: {
-          'Proof presentations fetched successfully': {
-            value: {
-              statusCode: 200,
-              message: 'Proof presentations fetched successfully',
-              data: {
-                count: 1,
-                records: [
-                  {
-                    id: '30774a7e',
-                    proofRecordId: '9b4ab922',
-                    connectionId: '',
-                    credentialDefId: '',
-                    schemaId: '',
-                    theirDid: '',
-                    status: 'request-sent',
-                    createdDate: '1970-01-01T00:00:00.642Z',
-                    updatedDate: '1970-01-01T00:00:00.642Z',
-                  },
-                ],
-              },
-            },
-          },
-        },
-      },
-    },
-  })
-  @ApiResponse({
-    status: HttpStatus.NOT_FOUND,
-    description: 'No Data found',
-    content: {
-      'application/json': {
-        schema: {},
-        examples: {
-          'No Data found': {
-            value: {
-              statusCode: 404,
-              message: 'No Data found',
-            },
-          },
-        },
-      },
-    },
-  })
-  public async findProofPresentation(
-    @Query() query: FindProofPresentationDto,
-    @Res() response: Response,
-  ) {
-    let res: ResponseType;
-    const result = await this.presentationProofsService.findProofPresentation(
-      query.pageSize ? parseInt(query.pageSize, 10) : 10,
-      query.page ? parseInt(query.page, 10) : 0,
-      query.proofRecordId ? query.proofRecordId : false,
-      query.connectionId ? query.connectionId : false,
-      query.credentialDefId ? query.credentialDefId : false,
-      query.schemaId ? query.schemaId : false,
-      query.theirDid ? query.theirDid : false,
-      query.status ? query.status : false,
-      query.createdDateStart ? query.createdDateStart : false,
-      query.createdDateEnd ? query.createdDateEnd : false,
-      query.updatedDateStart ? query.updatedDateStart : false,
-      query.updatedDateEnd ? query.updatedDateEnd : false,
-    );
-    if (Array.isArray(result) && result[0] > 0) {
-      response.status(HttpStatus.OK);
-      res = {
-        statusCode: HttpStatus.OK,
-        message: 'Proof presentations fetched successfully',
-        data: {
-          count: result[0],
-          records: result[1],
-        },
-      };
-      logger.info('Proof presentations fetched successfully');
-      return response.send(res);
-    }
-    response.status(HttpStatus.NOT_FOUND);
-    res = {
-      statusCode: HttpStatus.NOT_FOUND,
-      message: 'No Data found',
-    };
-    return response.send(res);
-  }
-
-  @ApiQuery({ name: 'proofRecordId', required: true })
-  @Version(['1'])
-  @Get('find-by-presentation-id')
-  @ApiOperation({
-    summary: 'Fetch proof presentation by proofRequestId',
-    description:
-      'This call provides the capability to get proof request by providing proofRecordId (presentationId). The call returns an information about proof request and also (if user accepted proof request) information about requested user credentials',
-  })
-  @ApiResponse({
-    status: HttpStatus.OK,
-    description: 'Proof presentation fetched successfully',
-    content: {
-      'application/json': {
-        schema: {},
-        examples: {
-          'Proof presentation fetched successfully': {
-            value: {
-              statusCode: 200,
-              message: 'Proof presentation fetched successfully',
-              data: {
-                state: 'request-sent',
-                presentations: [
-                  {
-                    schemaId: '',
-                    credDefId: '',
-                    revRegId: '',
-                    timestamp: '',
-                    credentialSubject: {},
-                  },
-                ],
-              },
-            },
-          },
-        },
-      },
-    },
-  })
-  @ApiResponse({
-    status: HttpStatus.NOT_FOUND,
-    description: 'No Data found',
-    content: {
-      'application/json': {
-        schema: {},
-        examples: {
-          'No Data found': {
-            value: {
-              statusCode: 404,
-              message: 'No Data found',
-            },
-          },
-        },
-      },
-    },
-  })
-  @ApiResponse({
-    status: HttpStatus.BAD_REQUEST,
-    description:
-      'Find presentation request required following attributes: ( proofRecordId )',
-    content: {
-      'application/json': {
-        schema: {},
-        examples: {
-          'Find presentation request required following attributes: ( proofRecordId )':
-            {
-              value: {
-                statusCode: 400,
-                message:
-                  'Find presentation request required following attributes: ( proofRecordId )',
-              },
-            },
-        },
-      },
-    },
-  })
-  public async findProofByProofRecordId(
-    @Query() query: AcceptPresentationDto,
-    @Res() response: Response,
-  ) {
-    let res: ResponseType;
-
-    if (!query.proofRecordId) {
-      res = {
-        statusCode: HttpStatus.BAD_REQUEST,
-        message:
-          'Find presentation request required following attributes: ( proofRecordId )',
-      };
-      return response.status(HttpStatus.BAD_REQUEST).send(res);
-    }
-    const result =
-      await this.presentationProofsService.findProofByProofRecordId(
-        query.proofRecordId,
-      );
-    let schemaId: string;
-    let credDefId: string;
-    let revRegId: string;
-    let timestamp: string;
-    let resData: {
-      presentations: {
-        schemaId: string;
-        credDefId: string;
-        revRegId: string;
-        timestamp: string;
-        credentialSubject: Record<string, string>;
-      }[];
-      state: string;
-    };
-    if (result) {
-      if (result.state === 'done') {
-        const data = JSON.parse(
-          Base64.decode(
-            result.presentationMessage['presentations~attach'][0].data.base64,
-          ),
-        );
-
-        resData = {
-          state: result.state,
-          presentations: [],
-        };
-
-        const revealedAttrGroupsKeys = Object.keys(
-          data.requested_proof.revealed_attr_groups,
-        );
-
-        for (let i = 0; i < revealedAttrGroupsKeys.length; i += 1) {
-          const revealedAttrGroupsKey = revealedAttrGroupsKeys[i];
-          const subIndex =
-            data.requested_proof.revealed_attr_groups[revealedAttrGroupsKey]
-              .sub_proof_index;
-
-          const presentationData: (typeof resData)['presentations'][number] = {
-            schemaId: data.identifiers[subIndex].schema_id,
-            credDefId: data.identifiers[subIndex].cred_def_id,
-            revRegId: data.identifiers[subIndex].rev_reg_id,
-            timestamp: data.identifiers[subIndex].timestamp,
-            credentialSubject: {},
-          };
-
-          const keys = Object.keys(
-            data.requested_proof.revealed_attr_groups[revealedAttrGroupsKey]
-              .values,
-          );
-
-          keys.forEach((key) => {
-            // eslint-disable-next-line max-len
-            presentationData.credentialSubject[key] =
-              data.requested_proof.revealed_attr_groups[
-                revealedAttrGroupsKey
-              ].values[key].raw;
-          });
-
-          resData.presentations.push(presentationData);
-        }
-      } else {
-        schemaId = '';
-        credDefId = '';
-        revRegId = '';
-        timestamp = '';
-
-        resData = {
-          state: result.state,
-          presentations: [
-            {
-              schemaId,
-              credDefId,
-              revRegId,
-              timestamp,
-              credentialSubject: {},
-            },
-          ],
-        };
-      }
-
-      response.status(HttpStatus.OK);
-      res = {
-        statusCode: HttpStatus.OK,
-        message: 'Proof presentation fetched successfully',
-        data: resData,
-      };
-      return response.send(res);
-    }
-    response.status(HttpStatus.NOT_FOUND);
-    res = {
-      statusCode: HttpStatus.NOT_FOUND,
-      message: 'No Data found',
-    };
-    return response.send(res);
-  }
-
-  @MessagePattern({
-    endpoint: `${NATSServices.SERVICE_NAME}/sendMembershipProofRequest`,
-  })
-  public async sendPrincipalCredentialPresentationRequest(data: {
-    connectionId: string;
-  }) {
-    let res: ResponseType;
-    if (data.connectionId) {
-      // eslint-disable-next-line max-len
-      const principalCredentialDetail =
-        await this.presentationProofsService.getCredentialsTypeDetails(
-          ATTESTATION.CREDENTIAL_TYPE,
-        );
-      const attributes: {
-        attributeName: string;
-        schemaId: string;
-        value: string;
-        condition: string;
-      }[] = [];
-      principalCredentialDetail.schema.attribute.forEach(
-        (member: { name: string }) => {
-          attributes.push({
-            attributeName: member.name,
-            schemaId: principalCredentialDetail.schema.schemaID,
-            value: '',
-            condition: '',
-          });
-        },
-      );
-
-      const sendProofRes: MembershipCredentialDto = {
-        connectionId: data.connectionId,
-        attributes,
-      };
-
-      // eslint-disable-next-line max-len
-      const resp =
-        await this.presentationProofsService.sendPrincipalCredentialPresentationRequest(
-          sendProofRes,
-        );
-      const sendProofPayload: SendProofRequest = {
-        proofRecordId: resp.id,
-        theirDID: resp.theirDid,
-        status: resp.state,
-        attributes,
-        connectionId: data.connectionId,
-      };
-
-      res = {
-        statusCode: HttpStatus.CREATED,
-        message: 'Presentation request send successfully',
-        data: await this.presentationProofsService.createPresentationRequest(
-          sendProofPayload,
-        ),
-      };
-      logger.info('Presentation request send successfully');
-    } else {
-      res = {
-        statusCode: HttpStatus.BAD_REQUEST,
-        message: 'Required following attributes ( connectionId )',
-      };
-    }
-    return res;
-  }
-
-  @EventPattern({
-    endpoint: `${Abstraction.NATS_ENDPOINT}/${Abstraction.PROOF_STATE_CHANGED}`,
-  })
-  public async webhookGetProofPresentation(body: {
-    proofRecord: GetProofRequest;
-  }) {
-    const getProofRequest = body.proofRecord;
-    let res: ResponseType;
-    let getProofRequestDTO: GetProofRequest;
-    const presentationSubscriptionEndpointDto: PresentationSubscriptionEndpointDto =
-      {
-        proofRecordId: getProofRequest.id,
-        status: getProofRequest.state,
-      };
-
-    /**
-     * Sent Connection updates to subscriber
-     */
-    this.presentationProofsService.publishPresentationSubscriberEndpoint(
-      presentationSubscriptionEndpointDto,
-    );
-
-    if (
-      getProofRequest.state === States.PresentationReceived ||
-      getProofRequest.state === States.Done
-    ) {
-      getProofRequestDTO = {
-        id: getProofRequest.id ? getProofRequest.id : '',
-        state: getProofRequest.state ? getProofRequest.state : '',
-        connectionId: getProofRequest.connectionId
-          ? getProofRequest.connectionId
-          : '',
-      };
-      const getResponse =
-        await this.presentationProofsService.updatePresentationStatus(
-          getProofRequestDTO,
-        );
-      if (
-        this.configService.get('ACCEPT_PRESENTATION_CONFIG') === 'AUTO' &&
-        getProofRequest.state === States.PresentationReceived
-      ) {
-        res = {
-          statusCode: HttpStatus.ACCEPTED,
-          message: 'Presentation received request accepted successfully',
-          data: await this.presentationProofsService.acceptPresentation(
-            getResponse.proofRecordId,
-          ),
-        };
-        return res;
-      }
-      if (getProofRequest.state === States.Done) {
-        await this.presentationProofsService.makeConnectionTrusted(
-          getProofRequest.connectionId,
-        );
-      }
-    }
-    res = {
-      statusCode: HttpStatus.OK,
-      message: 'Presentation states noted.',
-    };
-    return res;
-  }
-
-  @Version(['1'])
-  @ApiBody({ type: SendProofRequest })
-  @Post('send-presentation-request')
-  @ApiOperation({
-    summary: 'Send presentation request',
-    description:
-      'This call provides the capability to create a new presentation request bound to existing connection. It is mandatory to provide a schema for every requested attribute and attribute name in the body information of the connection. The call returns an information about proof request (proofRecordId, connectionId, credentialDefId, schemaId, theirDid, status, createdDate, updatedDate, threadId)',
-  })
-  @ApiResponse({
-    status: HttpStatus.CREATED,
-    description: 'Presentation request sent successfully',
-    content: {
-      'application/json': {
-        schema: {},
-        examples: {
-          'Presentation request sent successfully': {
-            value: {
-              statusCode: 201,
-              message: 'Presentation request sent successfully',
-              data: {
-                id: 'a7ccc2f7',
-                proofRecordId: 'fb556018-1907-47c1-a6d6-c7cbca7d23b4',
-                connectionId: 'a9371aed-67ed-4448-ace0-d773e7b30e1c',
-                credentialDefId: '',
-                schemaId: '',
-                theirDid: '',
-                status: 'request-sent',
-                createdDate: '2023-03-02T13:02:43.656Z',
-                updatedDate: '2023-03-02T13:02:43.656Z',
-                threadId: '75045c1b-f0ef-4f10-831e-4e4f301333af',
-              },
-            },
-          },
-        },
-      },
-    },
-  })
-  @ApiResponse({
-    status: HttpStatus.BAD_REQUEST,
-    description:
-      'Find presentation request required following attributes: ( proofRecordId )',
-    content: {
-      'application/json': {
-        schema: {},
-        examples: {
-          'Find presentation request required following attributes: ( proofRecordId )':
-            {
-              value: {
-                statusCode: 400,
-                message:
-                  'Find presentation request required following attributes: ( proofRecordId )',
-              },
-            },
-        },
-      },
-    },
-  })
-  @ApiResponse({
-    status: HttpStatus.BAD_REQUEST,
-    description:
-      'Could not get schema or connection details. please try again.',
-    content: {
-      'application/json': {
-        schema: {},
-        examples: {
-          'Could not get schema or connection details. please try again.': {
-            value: {
-              statusCode: 400,
-              message:
-                'Could not get schema or connection details. please try again.',
-            },
-          },
-        },
-      },
-    },
-  })
-  public async sendPresentationRequest(
-    @Body() sendProofRequest: SendProofRequest,
-    @Res() response: Response,
-  ) {
-    let res: ResponseType;
-    if (
-      !(
-        sendProofRequest.connectionId &&
-        Array.isArray(sendProofRequest.attributes) &&
-        sendProofRequest.attributes.every(
-          (i) =>
-            (typeof i.schemaId === 'string' && i.schemaId.trim().length > 0) ||
-            (typeof i.credentialDefId === 'string' &&
-              i.credentialDefId.trim().length > 0),
-        )
-      )
-    ) {
-      res = {
-        statusCode: HttpStatus.BAD_REQUEST,
-        message:
-          'Send presentation request required following attributes ( connectionId, attributes,schemaId or credentialDefId)', // eslint-disable-line
-      };
-      return response.status(HttpStatus.BAD_REQUEST).send(res);
-    }
-    const resp =
-      await this.presentationProofsService.sendPresentationRequest(
-        sendProofRequest,
-      );
-    logger.info(`sendPresentationRequest response ${JSON.stringify(resp)}`);
-    if (resp?.id) {
-      const sendProofRes: SendProofRequest = sendProofRequest;
-      sendProofRes.proofRecordId = resp.id;
-      sendProofRes.theirDID = resp.theirDid;
-      sendProofRes.status = resp.state;
-      response.status(HttpStatus.CREATED);
-
-      // eslint-disable-next-line max-len
-      const createPresentationRequestRes =
-        await this.presentationProofsService.createPresentationRequest(
-          // eslint-disable-line
-          sendProofRes,
-        );
-      res = {
-        statusCode: HttpStatus.CREATED,
-        message: 'Presentation request sent successfully',
-        data: {
-          ...createPresentationRequestRes,
-          threadId: resp.threadId,
-        },
-      };
-      logger.info('Presentation request send successfully');
-    } else {
-      response.status(HttpStatus.BAD_REQUEST);
-      res = {
-        statusCode: HttpStatus.BAD_REQUEST,
-        message:
-          'Could not get schema or connection details. please try again.',
-      };
-    }
-    return response.send(res);
-  }
-
-  @Version(['1'])
-  @ApiBody({ type: SendProofRequestBody })
-  @Post('send-out-of-band-presentation-request')
-  @ApiOperation({
-    summary: 'Send out of band presentation request',
-    description:
-      'This call provides the capability to create a new presentation request not bound to any proposal or existing connection. The call returns an information about presentation request',
-  })
-  @ApiResponse({
-    status: HttpStatus.CREATED,
-    description: 'Presentation request sent successfully',
-    content: {
-      'application/json': {
-        schema: {},
-        examples: {
-          'Presentation request sent successfully': {
-            value: {
-              statusCode: 201,
-              message: 'Presentation request sent successfully',
-              data: {
-                id: 'd6667caa',
-                proofRecordId: '600dd422',
-                connectionId: '',
-                credentialDefId: '',
-                schemaId: '',
-                theirDid: '',
-                status: 'request-sent',
-                createdDate: '1970-01-01T00:00:00.934Z',
-                updatedDate: '1970-01-01T00:00:00.934Z',
-                presentationMessage:
-                  'https://serviceEndpointUrl.com:443/ocm/didcomm/?d_m=eyJAdHlwZSI6I',
-                presentationMessageShort: 'https://selfUrl.com/v1/url/1234abcd',
-              },
-            },
-          },
-        },
-      },
-    },
-  })
-  @ApiResponse({
-    status: HttpStatus.BAD_REQUEST,
-    description:
-      'Send presentation request required following attributes( attributes, schemaId or credentialDefinitionId )',
-    content: {
-      'application/json': {
-        schema: {},
-        examples: {
-          'Send presentation request required following attributes( attributes, schemaId or credentialDefinitionId )':
-            {
-              value: {
-                statusCode: 400,
-                message:
-                  'Send presentation request required following attributes( attributes, schemaId or credentialDefinitionId )',
-              },
-            },
-        },
-      },
-    },
-  })
-  @ApiResponse({
-    status: HttpStatus.BAD_REQUEST,
-    description: 'Could not get schema details. please try again.',
-    content: {
-      'application/json': {
-        schema: {},
-        examples: {
-          'Could not get schema details. please try again.': {
-            value: {
-              statusCode: 400,
-              message: 'Could not get schema details. please try again.',
-            },
-          },
-        },
-      },
-    },
-  })
-  public async sendOutOfBandPresentationRequest(
-    @Body() sendProofRequestBody: SendProofRequestBody,
-    @Res() response: Response,
-  ) {
-    const sendProofRequest: SendProofRequest = {
-      attributes: [],
-    };
-    // sendProofRequest.credentialDefId = sendProofRequestBody.options?.credentialDefinitionId;
-
-    let res: ResponseType;
-    if (
-      !(
-        Array.isArray(sendProofRequestBody.attributes) &&
-        sendProofRequestBody.attributes.every(
-          (i) =>
-            (typeof i.schemaId === 'string' && i.schemaId.trim().length > 0) ||
-            (typeof i.credentialDefId === 'string' &&
-              i.credentialDefId.trim().length > 0),
-        )
-      )
-    ) {
-      res = {
-        statusCode: HttpStatus.BAD_REQUEST,
-        message:
-          'Send presentation request required following attributes( attributes, schemaId or credentialDefinitionId )',
-      };
-      return response.status(HttpStatus.BAD_REQUEST).send(res);
-    }
-    // REVIEW:
-    // const valideSchemaIdOrCredentialId = await Promise.allSettled([
-    //   this.presentationProofsService.getSchemaById(
-    //     `${sendProofRequest.schemaId}`,
-    //   ),
-    //   this.presentationProofsService.getCredentialDefinitionsById(
-    //     `${sendProofRequest.credentialDefId}`,
-    //   ),
-    // ]);
-    // logger.info(
-    //   `valideSchemaIdOrCredentialId[0].status ${valideSchemaIdOrCredentialId[0].status}`,
-    // );
-    // logger.info(
-    //   `valideSchemaIdOrCredentialId[1].status ${valideSchemaIdOrCredentialId[1].status}`,
-    // );
-    // if (
-    //   valideSchemaIdOrCredentialId[0].status !== 'fulfilled'
-    //   && valideSchemaIdOrCredentialId[1].status !== 'fulfilled'
-    // ) {
-    //   res = {
-    //     statusCode: HttpStatus.BAD_REQUEST,
-    //     message: 'Please provide a valid schema ID or credential def ID',
-    //   };
-    //   return response.status(HttpStatus.BAD_REQUEST).send(res);
-    // }
-
-    sendProofRequestBody.attributes.forEach((element) => {
-      sendProofRequest.attributes.push({
-        attributeName: element.attributeName,
-        value: element.value,
-        condition: element.condition,
-        schemaId: element.schemaId,
-        credentialDefId: element.credentialDefId,
-      });
-    });
-
-    const resp =
-      await this.presentationProofsService.sendOutOfBandPresentationRequest(
-        sendProofRequest,
-      );
-    logger.info(`agent response ${JSON.stringify(resp)}`);
-    if (resp?.proofRecord?.id) {
-      const sendProofRes: SendProofRequest = sendProofRequest;
-      sendProofRes.proofRecordId = resp.proofRecord.id;
-      sendProofRes.theirDID = resp.theirDid;
-      sendProofRes.status = resp.proofRecord.state;
-      response.status(HttpStatus.CREATED);
-      const getResult =
-        await this.presentationProofsService.createPresentationRequest(
-          sendProofRes,
-        );
-      const resResult = {
-        ...getResult,
-        presentationMessage: resp.message,
-        presentationMessageShort: resp.messageShort,
-      };
-      res = {
-        statusCode: HttpStatus.CREATED,
-        message: 'Presentation request sent successfully',
-        data: resResult,
-      };
-      logger.info('Presentation request sent successfully');
-    } else {
-      response.status(HttpStatus.BAD_REQUEST);
-      res = {
-        statusCode: HttpStatus.BAD_REQUEST,
-        message: 'Could not get schema details. please try again.',
-      };
-    }
-    return response.send(res);
-  }
-
-  @Version(['1'])
-  @ApiQuery({ name: 'type', required: true })
-  @Post('out-of-band-proof')
-  @ApiOperation({
-    summary: 'Send out of band proof',
-    description:
-      'This call provides the capability to create a new presentation request not bound to any proposal or existing connection but it creates just on type defined in attestation manager (type is bound to schema id there). The call returns an information about presentation request',
-  })
-  @ApiResponse({
-    status: HttpStatus.CREATED,
-    description: 'Presentation request sent successfully',
-    content: {
-      'application/json': {
-        schema: {},
-        examples: {
-          'Presentation request sent successfully': {
-            value: {
-              statusCode: 201,
-              message: 'Presentation request sent successfully',
-              data: {
-                id: '60f38aa4',
-                proofRecordId: '852ee278',
-                connectionId: '',
-                credentialDefId: '',
-                schemaId: '',
-                theirDid: '',
-                status: 'request-sent',
-                createdDate: '2023-03-02T13:12:38.934Z',
-                updatedDate: '2023-03-02T13:12:38.934Z',
-                presentationMessage:
-                  'https://serviceEndpointUrl.com:443/ocm/didcomm/?d_m=eyJAdHlwZSI6Imh0dHBzOi8',
-                presentationMessageShort: 'https://selfUrl/v1/url/1234abcd',
-              },
-            },
-          },
-        },
-      },
-    },
-  })
-  @ApiResponse({
-    status: HttpStatus.BAD_REQUEST,
-    description: 'Could not get schema details. please try again.',
-    content: {
-      'application/json': {
-        schema: {},
-        examples: {
-          'Could not get schema details. please try again.': {
-            value: {
-              statusCode: 400,
-              message: 'Could not get schema details. please try again.',
-            },
-          },
-        },
-      },
-    },
-  })
-  public async outOfBandProof(
-    @Query() query: { type: string },
-    @Res() response: Response,
-  ) {
-    let res: ResponseType;
-    // eslint-disable-next-line max-len
-    const typesArr = query.type.split(',');
-
-    const principalCredentialDetailPromiseArr = [];
-
-    for (let i = 0; i < typesArr.length; i += 1) {
-      principalCredentialDetailPromiseArr.push(
-        this.presentationProofsService.getCredentialsTypeDetails(typesArr[i]),
-      );
-    }
-
-    const principalCredentialDetail = await Promise.all(
-      principalCredentialDetailPromiseArr,
-    );
-    const attributes: {
-      attributeName: string;
-      schemaId: string;
-      value: '';
-      condition: '';
-    }[] = [];
-    for (let i = 0; i < principalCredentialDetail.length; i += 1) {
-      principalCredentialDetail[i].schema.attribute.forEach(
-        (member: { name: string }) => {
-          attributes.push({
-            attributeName: member.name,
-            schemaId: principalCredentialDetail[i].schema.schemaID,
-            value: '',
-            condition: '',
-          });
-        },
-      );
-    }
-
-    const sendProofRequest: SendProofRequest = {
-      attributes,
-      connectionId: '',
-      proofRecordId: '',
-    };
-    const resp =
-      await this.presentationProofsService.sendOutOfBandPresentationRequest(
-        sendProofRequest,
-      );
-    if (resp?.proofRecord?.id) {
-      const sendProofRes: SendProofRequest = sendProofRequest;
-      sendProofRes.proofRecordId = resp.proofRecord.id;
-      sendProofRes.theirDID = resp.theirDid;
-      sendProofRes.status = resp.proofRecord.state;
-      response.status(HttpStatus.CREATED);
-      const getResult =
-        await this.presentationProofsService.createPresentationRequest(
-          sendProofRes,
-        );
-      const resResult = {
-        ...getResult,
-        presentationMessage: resp.message,
-        presentationMessageShort: resp.messageShort,
-      };
-      res = {
-        statusCode: HttpStatus.CREATED,
-        message: 'Presentation request sent successfully',
-        data: resResult,
-      };
-      logger.info('Presentation request sent successfully');
-    } else {
-      response.status(HttpStatus.BAD_REQUEST);
-      res = {
-        statusCode: HttpStatus.BAD_REQUEST,
-        message: 'Could not get schema details. please try again.',
-      };
-    }
-    return response.send(res);
-  }
-
-  @Version(['1'])
-  @Post('accept-presentation/:proofRecordId')
-  @ApiOperation({
-    summary: 'Accept presentation request by proofRecordId',
-    description:
-      'Accept a presentation as prover (by sending a presentation acknowledgement message) to the connection associated with the proof record.',
-  })
-  @ApiResponse({
-    status: HttpStatus.OK,
-    description: 'Presentation accepted successfully',
-    content: {
-      'application/json': {
-        schema: {},
-        examples: {
-          'Presentation accepted successfully': {
-            value: {}, // TODO: example
-          },
-        },
-      },
-    },
-  })
-  @ApiResponse({
-    status: HttpStatus.BAD_REQUEST,
-    description:
-      'Accept presentation request required following attributes ( proof_record_id )',
-    content: {
-      'application/json': {
-        schema: {},
-        examples: {
-          'Accept presentation request required following attributes ( proof_record_id )':
-            {
-              value: {
-                statusCode: 400,
-                message:
-                  'Accept presentation request required following attributes ( proof_record_id )',
-              },
-            },
-        },
-      },
-    },
-  })
-  @ApiResponse({
-    status: HttpStatus.INTERNAL_SERVER_ERROR,
-    description: 'Internal Server Error',
-    content: {
-      'application/json': {
-        schema: {},
-        examples: {
-          'Internal Server Error': {
-            value: {
-              statusCode: 500,
-              timestamp: '1970-01-01T00:00:00.891Z',
-              message: 'Something went wrong: Lorem Ipsum',
-            },
-          },
-        },
-      },
-    },
-  })
-  public async acceptPresentation(
-    @Param() params: AcceptPresentationDto,
-    @Res() response: Response,
-  ) {
-    let res: ResponseType;
-    if (!params.proofRecordId) {
-      res = {
-        statusCode: HttpStatus.BAD_REQUEST,
-        message:
-          'Accept presentation request required following attributes ( proof_record_id )',
-      };
-      return response.status(HttpStatus.BAD_REQUEST).send(res);
-    }
-    logger.info('Presentation accepted successfully');
-    res = {
-      statusCode: HttpStatus.OK,
-      message: 'Presentation accepted successfully',
-      data: await this.presentationProofsService.acceptPresentation(
-        params.proofRecordId,
-      ),
-    };
-    return response.status(HttpStatus.OK).send(res);
-  }
-
-  @Version(['1'])
-  @Post('accept-proof-request/:proofRecordId')
-  @ApiOperation({
-    summary: 'Accept proof request by proofRecordId',
-    description:
-      'Accept a presentation request as prover (by sending a presentation message) to the connection associated with the proof record.',
-  })
-  @ApiResponse({
-    status: HttpStatus.OK,
-    description: 'Request accepted successfully',
-    content: {
-      'application/json': {
-        schema: {},
-        examples: {
-          'Request accepted successfully': {
-            value: {
-              statusCode: 200,
-              message: 'Request accepted successfully',
-              data: {
-                _tags: {
-                  threadId: '6b5c57b3',
-                  state: 'request-received',
-                  connectionId: '653b8cdc',
-                },
-                metadata: {},
-                id: '19c5269f',
-                createdAt: '1970-01-01T00:00:00.498Z',
-                requestMessage: {
-                  '@type':
-                    'https://didcomm.org/present-proof/1.0/request-presentation',
-                  '@id': '6b5c57b3',
-                  comment: 'Proof Presenation',
-                  'request_presentations~attach': [
-                    {
-                      '@id': 'libindy-request-presentation-0',
-                      'mime-type': 'application/json',
-                      data: {
-                        base64: 'eyJuYW=',
-                      },
-                    },
-                  ],
-                },
-                state: 'presentation-sent',
-                connectionId: '653b8cdc',
-                threadId: '6b5c57b3',
-                presentationMessage: {
-                  '@type': 'https://didcomm.org/present-proof/1.0/presentation',
-                  '@id': 'c1089096',
-                  'presentations~attach': [
-                    {
-                      '@id': 'libindy-presentation-0',
-                      'mime-type': 'application/json',
-                      data: {
-                        base64: 'eyJwcm9vZ',
-                      },
-                    },
-                  ],
-                  '~thread': {
-                    thid: '6b5c57b3',
-                  },
-                },
-              },
-            },
-          },
-        },
-      },
-    },
-  })
-  @ApiResponse({
-    status: HttpStatus.BAD_REQUEST,
-    description:
-      'Accept proof request required following attributes ( proofRecordId )',
-    content: {
-      'application/json': {
-        schema: {},
-        examples: {
-          'Accept proof request required following attributes ( proofRecordId )':
-            {
-              value: {
-                statusCode: 400,
-                timestamp: '1970-01-01T00:00:00.891Z',
-                message:
-                  'Accept proof request required following attributes ( proofRecordId )',
-              },
-            },
-        },
-      },
-    },
-  })
-  @ApiResponse({
-    status: HttpStatus.INTERNAL_SERVER_ERROR,
-    description: 'Internal Server Error',
-    content: {
-      'application/json': {
-        schema: {},
-        examples: {
-          'Internal Server Error': {
-            value: {
-              statusCode: 500,
-              timestamp: '1970-01-01T00:00:00.891Z',
-              message: 'Something went wrong: Lorem Ipsum',
-            },
-          },
-        },
-      },
-    },
-  })
-  public async acceptProofRequest(
-    @Param() params: AcceptProofRequestDto,
-    @Res() response: Response,
-  ) {
-    let res: ResponseType;
-    if (!params.proofRecordId) {
-      res = {
-        statusCode: HttpStatus.BAD_REQUEST,
-        message:
-          'Accept proof request required following attributes ( proofRecordId )',
-      };
-      return response.status(HttpStatus.BAD_REQUEST).send(res);
-    }
-    logger.info('Request accepted successfully');
-    res = {
-      statusCode: HttpStatus.OK,
-      message: 'Request accepted successfully',
-      data: await this.presentationProofsService.acceptProofRequest(
-        params.proofRecordId,
-      ),
-    };
-    return response.status(HttpStatus.OK).send(res);
-  }
-
-  @Version(['1'])
-  @Post('delete-proof-request/:proofRecordId')
-  @ApiOperation({
-    summary: 'Delete proof request by proofRecordId',
-    description: 'Deletes a proofRecord in the proof repository.',
-  })
-  @ApiResponse({
-    status: HttpStatus.OK,
-    description: 'Delete proof request',
-    content: {
-      'application/json': {
-        schema: {},
-        examples: {
-          'Delete proof request': {
-            value: {
-              statusCode: 200,
-              message: 'Proof request deleted successfully',
-              data: '',
-            },
-          },
-        },
-      },
-    },
-  })
-  @ApiResponse({
-    status: HttpStatus.BAD_REQUEST,
-    description:
-      'Delete proof request required following attributes ( proofRecordId )',
-    content: {
-      'application/json': {
-        schema: {},
-        examples: {
-          'Delete proof request required following attributes ( proofRecordId )':
-            {
-              value: {
-                statusCode: 400,
-                timestamp: '1970-01-01T00:00:00.891Z',
-                message:
-                  'Delete proof request required following attributes ( proofRecordId )',
-              },
-            },
-        },
-      },
-    },
-  })
-  @ApiResponse({
-    status: HttpStatus.INTERNAL_SERVER_ERROR,
-    description: 'Internal Server Error',
-    content: {
-      'application/json': {
-        schema: {},
-        examples: {
-          'Internal Server Error': {
-            value: {
-              statusCode: 500,
-              timestamp: '1970-01-01T00:00:00.891Z',
-              message: 'Something went wrong: Lorem Ipsum',
-            },
-          },
-        },
-      },
-    },
-  })
-  public async deleteProofRequest(
-    @Param() params: AcceptProofRequestDto,
-    @Res() response: Response,
-  ) {
-    let res: ResponseType;
-    if (!params.proofRecordId) {
-      res = {
-        statusCode: HttpStatus.BAD_REQUEST,
-        message:
-          'Delete proof request required following attributes ( proofRecordId )',
-      };
-      return response.status(HttpStatus.BAD_REQUEST).send(res);
-    }
-    logger.info('Proof request deleting');
-    res = {
-      statusCode: HttpStatus.OK,
-      message: 'Proof request deleted successfully',
-      data: await this.presentationProofsService.deleteProofRequest(
-        params.proofRecordId,
-      ),
-    };
-    return response.status(HttpStatus.OK).send(res);
-  }
-
-  @Version(['1'])
-  @Post('decline-proof-request/:proofRecordId')
-  @ApiOperation({
-    summary: 'Decline proof request by proofRecordId',
-    description:
-      'Decline proof request as prover (by sending a presentation message) to the connection associated with the proof record.',
-  })
-  @ApiResponse({
-    status: HttpStatus.OK,
-    description: 'Request declined successfully',
-    content: {
-      'application/json': {
-        schema: {},
-        examples: {
-          'Request declined successfully': {
-            value: {
-              statusCode: 200,
-              message: 'Request declined successfully',
-              data: {
-                _tags: {
-                  threadId: '6b5c57b3',
-                  state: 'request-received',
-                  connectionId: '653b8cdc',
-                },
-                metadata: {},
-                id: '19c5269f',
-                createdAt: '1970-01-01T00:00:00.498Z',
-                requestMessage: {
-                  '@type':
-                    'https://didcomm.org/present-proof/1.0/request-presentation',
-                  '@id': '6b5c57b3',
-                  comment: 'Proof Presenation',
-                  'request_presentations~attach': [
-                    {
-                      '@id': 'libindy-request-presentation-0',
-                      'mime-type': 'application/json',
-                      data: {
-                        base64: 'eyJuYW=',
-                      },
-                    },
-                  ],
-                },
-                state: 'presentation-sent',
-                connectionId: '653b8cdc',
-                threadId: '6b5c57b3',
-                presentationMessage: {
-                  '@type': 'https://didcomm.org/present-proof/1.0/presentation',
-                  '@id': 'c1089096',
-                  'presentations~attach': [
-                    {
-                      '@id': 'libindy-presentation-0',
-                      'mime-type': 'application/json',
-                      data: {
-                        base64: 'eyJwcm9vZ',
-                      },
-                    },
-                  ],
-                  '~thread': {
-                    thid: '6b5c57b3',
-                  },
-                },
-              },
-            },
-          },
-        },
-      },
-    },
-  })
-  @ApiResponse({
-    status: HttpStatus.BAD_REQUEST,
-    description:
-      'Accept proof request required following attributes ( proofRecordId )',
-    content: {
-      'application/json': {
-        schema: {},
-        examples: {
-          'Accept proof request required following attributes ( proofRecordId )':
-            {
-              value: {
-                statusCode: 400,
-                timestamp: '1970-01-01T00:00:00.891Z',
-                message:
-                  'Accept proof request required following attributes ( proofRecordId )',
-              },
-            },
-        },
-      },
-    },
-  })
-  @ApiResponse({
-    status: HttpStatus.INTERNAL_SERVER_ERROR,
-    description: 'Internal Server Error',
-    content: {
-      'application/json': {
-        schema: {},
-        examples: {
-          'Internal Server Error': {
-            value: {
-              statusCode: 500,
-              timestamp: '1970-01-01T00:00:00.891Z',
-              message: 'Something went wrong: Lorem Ipsum',
-            },
-          },
-        },
-      },
-    },
-  })
-  public async declineProofRequest(
-    @Param() params: AcceptProofRequestDto,
-    @Res() response: Response,
-  ) {
-    let res: ResponseType;
-    if (!params.proofRecordId) {
-      res = {
-        statusCode: HttpStatus.BAD_REQUEST,
-        message:
-          'Decline proof request required following attributes ( proofRecordId )',
-      };
-      return response.status(HttpStatus.BAD_REQUEST).send(res);
-    }
-    logger.info('Request decline in progress...');
-    res = await this.presentationProofsService.declineProofRequest(
-      params.proofRecordId,
-    );
-    return response.status(HttpStatus.OK).send(res);
-  }
-
-  @Version(['1'])
-  @ApiQuery({ name: 'threadId', required: false })
-  @Get('agent-proofs')
-  @ApiOperation({
-    summary: 'Fetch all proofs directly from the agent',
-    description:
-      'This call provides the capability to get all proof records directly from agent. Pagination and sorting does not implemented in that version of Aries Framework Javascript',
-  })
-  @ApiResponse({
-    status: HttpStatus.OK,
-    description: 'Proofs fetched successfully',
-    content: {
-      'application/json': {
-        schema: {},
-        examples: {
-          'Proofs fetched successfully': {
-            value: {
-              statusCode: 200,
-              message: 'Proofs fetched successfully',
-              data: [
-                {
-                  _tags: {
-                    threadId: '75045c1b',
-                    state: 'request-received',
-                    connectionId: 'e6d30380',
-                  },
-                  metadata: {},
-                  id: '6f776996',
-                  createdAt: '1970-01-01T00:00:00.640Z',
-                  requestMessage: {
-                    '@type':
-                      'https://didcomm.org/present-proof/1.0/request-presentation',
-                    '@id': '75045c1b',
-                    comment: 'Proof Presenation',
-                    'request_presentations~attach': [
-                      {
-                        '@id': 'libindy-request-presentation-0',
-                        'mime-type': 'application/json',
-                        data: {
-                          base64: 'eyJ',
-                        },
-                      },
-                    ],
-                  },
-                  state: 'request-received',
-                  connectionId: 'e6d30380',
-                  threadId: '75045c1b',
-                },
-                {
-                  _tags: {
-                    connectionId: 'a9371aed',
-                    state: 'request-sent',
-                    threadId: '75045c1b',
-                  },
-                  metadata: {},
-                  id: 'fb556018',
-                  createdAt: '1970-01-01T00:00:00.568Z',
-                  requestMessage: {
-                    '@type':
-                      'https://didcomm.org/present-proof/1.0/request-presentation',
-                    '@id': '75045c1b',
-                    comment: 'Proof Presenation',
-                    'request_presentations~attach': [
-                      {
-                        '@id': 'libindy-request-presentation-0',
-                        'mime-type': 'application/json',
-                        data: {
-                          base64: 'eyJ',
-                        },
-                      },
-                    ],
-                  },
-                  state: 'request-sent',
-                  connectionId: 'a9371aed',
-                  threadId: '75045c1b',
-                },
-              ],
-            },
-          },
-        },
-      },
-    },
-  })
-  @ApiResponse({
-    status: HttpStatus.INTERNAL_SERVER_ERROR,
-    description: 'Internal Server Error',
-    content: {
-      'application/json': {
-        schema: {},
-        examples: {
-          'Internal Server Error': {
-            value: {
-              statusCode: 500,
-              timestamp: '1970-01-01T00:00:00.891Z',
-              message: 'Something went wrong: Lorem Ipsum',
-            },
-          },
-        },
-      },
-    },
-  })
-  public async getAllProofRequest(
-    @Query() query: { threadId: string },
-    @Res() response: Response,
-  ) {
-    const res: ResponseType = {
-      statusCode: HttpStatus.OK,
-      message: 'Proofs fetched successfully',
-      data: await this.presentationProofsService.getAllProofRequest(
-        query.threadId,
-      ),
-    };
-    return response.status(HttpStatus.OK).send(res);
-  }
-
-  @MessagePattern({
-    endpoint: `${NATSServices.SERVICE_NAME}/getPresentProofs`,
-  })
-  public async getPresentProofs(data: GetPresentProofsDto) {
-    return this.presentationProofsService.getPresentProofs(data);
-  }
-
-  @Version(['1'])
-  @Get('url/:id')
-  @ApiOperation({
-    summary: 'Get full url from short url id',
-    description: 'Get full url from short url id',
-  })
-  public async redirectToOriginalUrl(
-    @Param('id') id: string,
-    @Res() response: Response,
-  ) {
-    const result = await this.presentationProofsService.findUrlByShortUrlId(id);
-    if (!result) {
-      throw new Error('Not found');
-    }
-    response.writeHead(302, {
-      location: result.originalUrl,
-    });
-    return response.end();
-  }
-}
diff --git a/apps/proof-manager/src/presentationProof/entities/accept-presentation.dto.ts b/apps/proof-manager/src/presentationProof/entities/accept-presentation.dto.ts
deleted file mode 100644
index d4c498c404e9caa391c99640cc941825070aaef5..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/presentationProof/entities/accept-presentation.dto.ts
+++ /dev/null
@@ -1,8 +0,0 @@
-import { ApiProperty } from '@nestjs/swagger';
-import { IsString } from 'class-validator';
-
-export default class AcceptPresentationDto {
-  @IsString()
-  @ApiProperty()
-  public proofRecordId: string;
-}
diff --git a/apps/proof-manager/src/presentationProof/entities/accept-proof-request.dto.ts b/apps/proof-manager/src/presentationProof/entities/accept-proof-request.dto.ts
deleted file mode 100644
index b232485ee5995972173d9dbbbdc1e956a10e83d9..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/presentationProof/entities/accept-proof-request.dto.ts
+++ /dev/null
@@ -1,6 +0,0 @@
-import { IsString } from 'class-validator';
-
-export default class AcceptProofRequestDto {
-  @IsString()
-  public proofRecordId: string;
-}
diff --git a/apps/proof-manager/src/presentationProof/entities/find-proof-presentation.dto.ts b/apps/proof-manager/src/presentationProof/entities/find-proof-presentation.dto.ts
deleted file mode 100644
index 7b8dead682e6a678e6d2a91a5cca7b886ed28fd7..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/presentationProof/entities/find-proof-presentation.dto.ts
+++ /dev/null
@@ -1,39 +0,0 @@
-import { IsDateString, IsNumber, IsString } from 'class-validator';
-
-export default class FindProofPresentationDto {
-  @IsNumber()
-  public page: string;
-
-  @IsNumber()
-  public pageSize: string;
-
-  @IsString()
-  public proofRecordId: string;
-
-  @IsString()
-  public connectionId: string;
-
-  @IsString()
-  public credentialDefId: string;
-
-  @IsString()
-  public schemaId: string;
-
-  @IsString()
-  public theirDid: string;
-
-  @IsString()
-  public status: string;
-
-  @IsDateString()
-  public createdDateStart: string;
-
-  @IsDateString()
-  public createdDateEnd: string;
-
-  @IsDateString()
-  public updatedDateStart: string;
-
-  @IsDateString()
-  public updatedDateEnd: string;
-}
diff --git a/apps/proof-manager/src/presentationProof/entities/get-present-proofs.dto.ts b/apps/proof-manager/src/presentationProof/entities/get-present-proofs.dto.ts
deleted file mode 100644
index faa8f59a201dc6fb55d586b30ffc8d8f7fad50b6..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/presentationProof/entities/get-present-proofs.dto.ts
+++ /dev/null
@@ -1,6 +0,0 @@
-import { IsString } from 'class-validator';
-
-export default class GetPresentProofsDto {
-  @IsString()
-  public connectionId: string;
-}
diff --git a/apps/proof-manager/src/presentationProof/entities/get-proof-request.dto.ts b/apps/proof-manager/src/presentationProof/entities/get-proof-request.dto.ts
deleted file mode 100644
index b7d4f099ed6a2e7533b81f0c63b610c8cd357187..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/presentationProof/entities/get-proof-request.dto.ts
+++ /dev/null
@@ -1,14 +0,0 @@
-import { IsString } from 'class-validator';
-
-export default class GetProofRequest {
-  @IsString()
-  public state: string;
-
-  @IsString()
-  public id: string;
-
-  @IsString()
-  public connectionId: string;
-
-  public isVerified?: boolean;
-}
diff --git a/apps/proof-manager/src/presentationProof/entities/membership-credential.dto.ts b/apps/proof-manager/src/presentationProof/entities/membership-credential.dto.ts
deleted file mode 100644
index 48e352111ad5e646e264d8137edfbdb121c4eb9b..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/presentationProof/entities/membership-credential.dto.ts
+++ /dev/null
@@ -1,12 +0,0 @@
-import { IsString } from 'class-validator';
-
-export default class MembershipCredentialDto {
-  @IsString()
-  public connectionId: string;
-
-  public attributes: {
-    attributeName: string;
-    schemaId?: string;
-    credentialDefId?: string;
-  }[];
-}
diff --git a/apps/proof-manager/src/presentationProof/entities/presentationSubscribeEndPoint.entity.ts b/apps/proof-manager/src/presentationProof/entities/presentationSubscribeEndPoint.entity.ts
deleted file mode 100644
index c6dabeb1b2cbfe43c1da895a4984f569f050aa91..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/presentationProof/entities/presentationSubscribeEndPoint.entity.ts
+++ /dev/null
@@ -1,11 +0,0 @@
-import { IsString, IsNotEmpty } from 'class-validator';
-
-export default class PresentationSubscriptionEndpointDto {
-  @IsString()
-  @IsNotEmpty()
-  public proofRecordId: string;
-
-  @IsString()
-  @IsNotEmpty()
-  public status: string;
-}
diff --git a/apps/proof-manager/src/presentationProof/entities/send-proof-request-body.dto.ts b/apps/proof-manager/src/presentationProof/entities/send-proof-request-body.dto.ts
deleted file mode 100644
index a952a47c42462fb874381d9c41787fe23372a0a1..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/presentationProof/entities/send-proof-request-body.dto.ts
+++ /dev/null
@@ -1,47 +0,0 @@
-import { ApiProperty } from '@nestjs/swagger';
-import { IsString } from 'class-validator';
-
-import GetProofRequest from './get-proof-request.dto.js';
-
-export default class SendProofRequestBody {
-  @ApiProperty({ example: 'comments' })
-  public comment?: string;
-
-  @IsString()
-  public status?: string;
-
-  @ApiProperty({ example: 'WgWxqztrNooG92RXvxSTWv:3:CL:20:tag' })
-  @IsString()
-  public schemaId: string;
-
-  @IsString()
-  public theirDID?: string;
-
-  @IsString()
-  public presentationMessage?: string;
-
-  @ApiProperty({
-    example: {
-      type: 'Aries1.0',
-      credentialDefinitionId: 'credentialDefinitionId',
-    },
-  })
-  public options?: {
-    type: string;
-    credentialDefinitionId: string;
-  };
-
-  @IsString()
-  public invitation?: GetProofRequest;
-
-  @ApiProperty({ example: ['attributeName'] })
-  public attributes: [
-    {
-      attributeName: string;
-      schemaId: string;
-      credentialDefId: string;
-      value: string;
-      condition: string;
-    },
-  ];
-}
diff --git a/apps/proof-manager/src/presentationProof/entities/send-proof-request.dto.ts b/apps/proof-manager/src/presentationProof/entities/send-proof-request.dto.ts
deleted file mode 100644
index 5f14fd970ddcb27cf81ea7c97b05e67885ee2cf1..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/presentationProof/entities/send-proof-request.dto.ts
+++ /dev/null
@@ -1,44 +0,0 @@
-import { ApiProperty } from '@nestjs/swagger';
-import { IsString } from 'class-validator';
-
-import GetProofRequest from './get-proof-request.dto.js';
-
-export default class SendProofRequest {
-  @ApiProperty({ example: 'comments' })
-  public comment?: string;
-
-  @ApiProperty({ example: '3fa85f64-5717-4562-b3fc-2c963f66afa6' })
-  public connectionId?: string;
-
-  @IsString()
-  public proofRecordId?: string;
-
-  @IsString()
-  public status?: string;
-
-  @IsString()
-  public theirDID?: string;
-
-  @IsString()
-  public presentationMessage?: string;
-
-  @IsString()
-  public invitation?: GetProofRequest;
-
-  @ApiProperty({
-    example: [
-      {
-        attributeName: 'attributeName',
-        schemaId: 'schemaId',
-        credentialDefId: 'credentialDefId',
-      },
-    ],
-  })
-  public attributes: {
-    attributeName: string;
-    schemaId?: string;
-    credentialDefId?: string;
-    value: string;
-    condition: string;
-  }[];
-}
diff --git a/apps/proof-manager/src/presentationProof/module.spec.ts b/apps/proof-manager/src/presentationProof/module.spec.ts
deleted file mode 100644
index 4d9b6af615c81f391407fe126d0998db8cc89f8f..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/presentationProof/module.spec.ts
+++ /dev/null
@@ -1,7 +0,0 @@
-import PresentationProofsModule from './module';
-
-describe('Check if the module is working', () => {
-  it('should be defined', () => {
-    expect(PresentationProofsModule).toBeDefined();
-  });
-});
diff --git a/apps/proof-manager/src/presentationProof/module.ts b/apps/proof-manager/src/presentationProof/module.ts
deleted file mode 100644
index 33e0f417bed52467985800a58b2711ca83c938d1..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/presentationProof/module.ts
+++ /dev/null
@@ -1,35 +0,0 @@
-import { HttpModule } from '@nestjs/axios';
-import { Module } from '@nestjs/common';
-import { ClientsModule, Transport } from '@nestjs/microservices';
-
-import NatsClientService from '../client/nats.client.js';
-import RestClientService from '../client/rest.client.js';
-import { NATSServices } from '../common/constants.js';
-import config from '../config/config.js';
-import PrismaService from '../prisma/prisma.service.js';
-
-import PresentationProofsController from './controller/controller.js';
-import PresentationProofsService from './services/service.js';
-
-@Module({
-  imports: [
-    HttpModule,
-    ClientsModule.register([
-      {
-        name: NATSServices.SERVICE_NAME,
-        transport: Transport.NATS,
-        options: {
-          servers: [config().nats.url as string],
-        },
-      },
-    ]),
-  ],
-  controllers: [PresentationProofsController],
-  providers: [
-    PresentationProofsService,
-    PrismaService,
-    NatsClientService,
-    RestClientService,
-  ],
-})
-export default class PresentationProofsModule {}
diff --git a/apps/proof-manager/src/presentationProof/repository/presentationProof.respository.ts b/apps/proof-manager/src/presentationProof/repository/presentationProof.respository.ts
deleted file mode 100644
index 8fd00b5608c807813611c9ea9ac85adb7fe71c7c..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/presentationProof/repository/presentationProof.respository.ts
+++ /dev/null
@@ -1,71 +0,0 @@
-import type { Prisma } from '@prisma/client';
-
-import { Injectable } from '@nestjs/common';
-
-import PrismaService from '../../prisma/prisma.service.js';
-
-@Injectable()
-export default class PresentationProofRepository {
-  public constructor(private readonly prismaService: PrismaService) {}
-
-  public async createPresentationProof(data: Prisma.ProofCreateInput) {
-    return this.prismaService.proof.create({
-      data,
-    });
-  }
-
-  public async updatePresentationStatus(params: {
-    where: Prisma.ProofWhereUniqueInput;
-    data: Prisma.ProofUpdateInput;
-  }) {
-    const { where, data } = params;
-    return this.prismaService.proof.update({
-      data,
-      where,
-    });
-  }
-
-  public async findProofPresentation(params: {
-    skip?: number;
-    take?: number;
-    cursor?: Prisma.ProofWhereUniqueInput;
-    where?: Prisma.ProofWhereInput;
-    orderBy?: Prisma.ProofOrderByWithRelationInput;
-  }) {
-    const { skip, take, cursor, where, orderBy } = params;
-    return this.prismaService.$transaction([
-      this.prismaService.proof.count({
-        where,
-      }),
-      this.prismaService.proof.findMany({
-        skip,
-        take,
-        cursor,
-        where,
-        orderBy,
-      }),
-    ]);
-  }
-
-  public async deleteProofRequest(proofRecordId: string) {
-    return this.prismaService.proof.delete({
-      where: { proofRecordId },
-    });
-  }
-
-  public async createShortUrl(originalUrl: string) {
-    return this.prismaService.shortUrl.create({
-      data: {
-        originalUrl,
-      },
-    });
-  }
-
-  public async getShortUrl(id: string) {
-    return this.prismaService.shortUrl.findUnique({
-      where: {
-        id,
-      },
-    });
-  }
-}
diff --git a/apps/proof-manager/src/presentationProof/services/service.spec.ts b/apps/proof-manager/src/presentationProof/services/service.spec.ts
deleted file mode 100644
index d82d22e3e0e054dcdbeb4806ed9f98bb05af05ce..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/presentationProof/services/service.spec.ts
+++ /dev/null
@@ -1,473 +0,0 @@
-/* eslint-disable @typescript-eslint/no-explicit-any */
-import type MembershipCredentialDto from '../entities/membership-credential.dto.js';
-import type SendProofRequest from '../entities/send-proof-request.dto.js';
-import type { TestingModule } from '@nestjs/testing';
-
-import { HttpModule } from '@nestjs/axios';
-import { ConfigModule } from '@nestjs/config';
-import { ClientsModule, Transport } from '@nestjs/microservices';
-import { Test } from '@nestjs/testing';
-
-import NatsClientService from '../../client/nats.client.js';
-import RestClientService from '../../client/rest.client.js';
-import { NATSServices } from '../../common/constants.js';
-import PrismaService from '../../prisma/prisma.service.js';
-
-import PresentationProofsService from './service.js';
-
-describe.skip('ConnectionsService', () => {
-  let service: PresentationProofsService;
-  let prismaService: PrismaService;
-  let natsClient: NatsClientService;
-  let restClient: RestClientService;
-  beforeEach(async () => {
-    const module: TestingModule = await Test.createTestingModule({
-      imports: [
-        ConfigModule,
-        HttpModule,
-        ClientsModule.register([
-          {
-            name: NATSServices.SERVICE_NAME,
-            transport: Transport.NATS,
-          },
-        ]),
-      ],
-      providers: [
-        PresentationProofsService,
-        PrismaService,
-        NatsClientService,
-        RestClientService,
-      ],
-      exports: [PrismaService],
-    }).compile();
-    prismaService = module.get<PrismaService>(PrismaService);
-    service = module.get<PresentationProofsService>(PresentationProofsService);
-    natsClient = module.get<NatsClientService>(NatsClientService);
-    restClient = module.get<RestClientService>(RestClientService);
-  });
-
-  it('should be defined', () => {
-    expect(service).toBeDefined();
-  });
-
-  describe('find proof presentation function', () => {
-    it('find proof presentation by ID', async () => {
-      const getAgentDetails: any = {
-        statusCode: 200,
-        message: 'Agent',
-        data: {
-          id: '15b9c7d6-8bc9-47cb-b78e-314e6c12bf16',
-          participant_id: '662dc769-a4de-4c95-934c-f6dab8cf432c',
-          agent_url: 'http://3.111.77.38:4001',
-          invitation_url:
-            'http://3.111.77.38:4001?c_i=eyJAdHlwZSI6ImRpZDpzb3Y6QnpDYnNOWWhNcmpIaXFaRFRVQVNIZztzcGVjL2Nvbm5lY3Rpb25zLzEuMC9pbnZpdGF0aW9uIiwiQGlkIjoiZGVhMGY1NTYtOWM4MS00OTcyLTkxZjktODhmNWQ3MDNlNDRiIiwibGFiZWwiOiJPcmdfT25lIiwicmVjaXBpZW50S2V5cyI6WyI0eFFSMVVCUXV0TGg5S2tFc1lLZ2FZNDg5VEFtMUtRTVREcnR4WEdQNnNQUiJdLCJzZXJ2aWNlRW5kcG9pbnQiOiJodHRwOi8vMy4xMTEuNzcuMzg6NDAwMSIsInJvdXRpbmdLZXlzIjpbXX0',
-          public_did: 'Knwz4KG97ta6EnC5BT7uH3',
-          wallet_name: 'Org_One',
-          service_endpoint: 'http://3.111.77.38:4000',
-          status: true,
-          created_by: '662dc769-a4de-4c95-934c-f6dab8cf432c',
-          created_date: '2022-04-14T16:33:14.152Z',
-          updated_by: '662dc769-a4de-4c95-934c-f6dab8cf432c',
-          updated_date: '2022-04-26T06:03:32.178Z',
-        },
-      };
-
-      const result: any = {
-        _tags: {
-          connectionId: 'b6724f85-a633-43ee-9c1c-736eaccbb6f9',
-          state: 'request-sent',
-          threadId: '34881067-b9fc-49a4-814d-dee4668b4f90',
-        },
-        metadata: {},
-        id: '117631fe-06c8-4b2c-9132-9e9f775709d8',
-        createdAt: '2022-04-26T08:18:19.206Z',
-        requestMessage: {
-          '@type': 'https://didcomm.org/present-proof/1.0/request-presentation',
-          '@id': '34881067-b9fc-49a4-814d-dee4668b4f90',
-          comment: 'Gaia-x Test',
-          'request_presentations~attach': [
-            {
-              '@id': 'libindy-request-presentation-0',
-              'mime-type': 'application/json',
-              data: {
-                base64:
-                  'eyJuYW1lIjoiUHJvb2YgUmVxdWVzdCIsInZlcnNpb24iOiJQcm9vZiBSZXF1ZXN0Iiwibm9uY2UiOiIxMjM4NzU3NTMwMTU2IiwicmVxdWVzdGVkX2F0dHJpYnV0ZXMiOnsiYWRkaXRpb25hbFByb3AxIjp7Im5hbWVzIjpbImVtYWlsIiwiaXNzdWVyRElEIl0sInJlc3RyaWN0aW9ucyI6W3siY3JlZF9kZWZfaWQiOiJLbnd6NEtHOTd0YTZFbkM1QlQ3dUgzOjM6Q0w6MjQxOTAxOmdhaWEteCBwcmluY2lwYWwgbWVtYmVyIGNyZWRlbnRpYWwgMC4yIn1dfX0sInJlcXVlc3RlZF9wcmVkaWNhdGVzIjp7fX0=',
-              },
-            },
-          ],
-        },
-        state: 'request-sent',
-        connectionId: 'b6724f85-a633-43ee-9c1c-736eaccbb6f9',
-        threadId: '34881067-b9fc-49a4-814d-dee4668b4f90',
-      };
-      jest
-        .spyOn(natsClient, 'getConnectionById')
-        .mockResolvedValueOnce(getAgentDetails);
-
-      jest.spyOn(restClient, 'get').mockResolvedValueOnce(result);
-
-      const res: any = await service.findProofByProofRecordId(
-        '117631fe-06c8-4b2c-9132-9e9f775709d8',
-      );
-
-      expect(res).toStrictEqual(result);
-    });
-
-    it('find connections by participant Id and status', async () => {
-      const repositoryResult: any = [
-        2,
-        [
-          {
-            id: '77e98b6d-cbd0-41e4-b878-8161888ff489',
-            proof_record_id: '698fa724-675b-437d-bee9-b9e86a520572',
-            participant_id: '66398cf4-e14d-4d92-9dc4-b40a48ae97dd',
-            connectionId: '',
-            credential_def_id:
-              'S2YLfsoaWyePckkhLDqn4j:3:CL:183415:gaia-x test new test',
-            schemaId: '',
-            their_did: '',
-            status: 'request-sent',
-            created_date: '2022-04-13T13:14:10.057Z',
-            updated_date: '2022-04-13T13:14:10.057Z',
-          },
-          {
-            id: 'c02f4723-510a-4966-b3fa-de7ef6d8f1aa',
-            proof_record_id: 'ab0b3681-eccb-4c5d-9c2f-4dabc1828255',
-            participant_id: '66398cf4-e14d-4d92-9dc4-b40a48ae97dd',
-            connectionId: 'b213f9bd-3774-40dd-8f1f-085950c10c30',
-            credential_def_id:
-              'TP6CJhQ9xuPnTPpVu1kinR:3:CL:221970:gaia-x test sprint 4',
-            schemaId: '',
-            their_did: '',
-            status: 'request-sent',
-            created_date: '2022-04-08T12:53:46.193Z',
-            updated_date: '2022-04-08T12:53:46.196Z',
-          },
-        ],
-      ];
-
-      const result: any = [
-        2,
-        [
-          {
-            id: '77e98b6d-cbd0-41e4-b878-8161888ff489',
-            proof_record_id: '698fa724-675b-437d-bee9-b9e86a520572',
-            participant_id: '66398cf4-e14d-4d92-9dc4-b40a48ae97dd',
-            connectionId: '',
-            credential_def_id:
-              'S2YLfsoaWyePckkhLDqn4j:3:CL:183415:gaia-x test new test',
-            schemaId: '',
-            their_did: '',
-            status: 'request-sent',
-            created_date: '2022-04-13T13:14:10.057Z',
-            updated_date: '2022-04-13T13:14:10.057Z',
-          },
-          {
-            id: 'c02f4723-510a-4966-b3fa-de7ef6d8f1aa',
-            proof_record_id: 'ab0b3681-eccb-4c5d-9c2f-4dabc1828255',
-            participant_id: '66398cf4-e14d-4d92-9dc4-b40a48ae97dd',
-            connectionId: 'b213f9bd-3774-40dd-8f1f-085950c10c30',
-            credential_def_id:
-              'TP6CJhQ9xuPnTPpVu1kinR:3:CL:221970:gaia-x test sprint 4',
-            schemaId: '',
-            their_did: '',
-            status: 'request-sent',
-            created_date: '2022-04-08T12:53:46.193Z',
-            updated_date: '2022-04-08T12:53:46.196Z',
-          },
-        ],
-      ];
-      jest
-        .spyOn(prismaService, '$transaction')
-        .mockResolvedValueOnce(repositoryResult);
-
-      const res: any = await service.findProofPresentation(0, 0);
-
-      expect(res).toStrictEqual(result);
-    });
-  });
-
-  describe('create presentation request function', () => {
-    it('create presentation request', async () => {
-      const serviceDto: any = [
-        {
-          proof_record_id: '698fa724-675b-437d-bee9-b9e86a520572',
-          participant_id: '66398cf4-e14d-4d92-9dc4-b40a48ae97dd',
-          connectionId: '',
-          credential_def_id:
-            'S2YLfsoaWyePckkhLDqn4j:3:CL:183415:gaia-x test new test',
-          schemaId: '',
-          status: 'request-sent',
-          created_date: '2022-04-13T13:14:10.057Z',
-          updated_date: '2022-04-13T13:14:10.057Z',
-        },
-      ];
-
-      const repositoryResult: any = {
-        id: 'c7e06b9e-d796-4a54-b8f2-9746d3188c97',
-        proof_record_id: '117631fe-06c8-4b2c-9132-9e9f775709d8',
-        participant_id: '662dc769-a4de-4c95-934c-f6dab8cf432c',
-        connectionId: 'b6724f85-a633-43ee-9c1c-736eaccbb6f9',
-        credential_def_id:
-          'Knwz4KG97ta6EnC5BT7uH3:3:CL:241901:gaia-x principal member credential 0.2',
-        schemaId: '',
-        their_did: '',
-        status: 'request-sent',
-        created_date: '2022-04-26T08:18:18.644Z',
-        updated_date: '2022-04-26T08:18:18.646Z',
-      };
-
-      const result: any = {
-        id: 'c7e06b9e-d796-4a54-b8f2-9746d3188c97',
-        proof_record_id: '117631fe-06c8-4b2c-9132-9e9f775709d8',
-        participant_id: '662dc769-a4de-4c95-934c-f6dab8cf432c',
-        connectionId: 'b6724f85-a633-43ee-9c1c-736eaccbb6f9',
-        credential_def_id:
-          'Knwz4KG97ta6EnC5BT7uH3:3:CL:241901:gaia-x principal member credential 0.2',
-        schemaId: '',
-        their_did: '',
-        status: 'request-sent',
-        created_date: '2022-04-26T08:18:18.644Z',
-        updated_date: '2022-04-26T08:18:18.646Z',
-      };
-
-      jest
-        .spyOn(prismaService.proof, 'create')
-        .mockResolvedValueOnce(repositoryResult);
-
-      const res: any = await service.createPresentationRequest(serviceDto);
-      expect(res).toStrictEqual(result);
-    });
-  });
-
-  describe('send presentation request function', () => {
-    it('send presentation request', async () => {
-      const serviceDto: SendProofRequest = {
-        comment: 'Gaia-x Test',
-        attributes: [
-          {
-            attributeName: 'email',
-            value: '',
-            condition: '',
-          },
-          {
-            attributeName: 'issuerDID',
-            value: '',
-            condition: '',
-          },
-        ],
-        credentialDefId:
-          'Knwz4KG97ta6EnC5BT7uH3:3:CL:241901:gaia-x principal member credential 0.2',
-        connectionId: 'b6724f85-a633-43ee-9c1c-736eaccbb6f9',
-        participantId: '',
-        proofRecordId: '',
-      };
-
-      const getAgentDetails: any = {
-        statusCode: 200,
-        message: 'Agent',
-        data: {
-          id: '15b9c7d6-8bc9-47cb-b78e-314e6c12bf16',
-          participant_id: '662dc769-a4de-4c95-934c-f6dab8cf432c',
-          agent_url: 'http://3.111.77.38:4001',
-          invitation_url:
-            'http://3.111.77.38:4001?c_i=eyJAdHlwZSI6ImRpZDpzb3Y6QnpDYnNOWWhNcmpIaXFaRFRVQVNIZztzcGVjL2Nvbm5lY3Rpb25zLzEuMC9pbnZpdGF0aW9uIiwiQGlkIjoiZGVhMGY1NTYtOWM4MS00OTcyLTkxZjktODhmNWQ3MDNlNDRiIiwibGFiZWwiOiJPcmdfT25lIiwicmVjaXBpZW50S2V5cyI6WyI0eFFSMVVCUXV0TGg5S2tFc1lLZ2FZNDg5VEFtMUtRTVREcnR4WEdQNnNQUiJdLCJzZXJ2aWNlRW5kcG9pbnQiOiJodHRwOi8vMy4xMTEuNzcuMzg6NDAwMSIsInJvdXRpbmdLZXlzIjpbXX0',
-          public_did: 'Knwz4KG97ta6EnC5BT7uH3',
-          wallet_name: 'Org_One',
-          service_endpoint: 'http://3.111.77.38:4000',
-          status: true,
-          created_by: '662dc769-a4de-4c95-934c-f6dab8cf432c',
-          created_date: '2022-04-14T16:33:14.152Z',
-          updated_by: '662dc769-a4de-4c95-934c-f6dab8cf432c',
-          updated_date: '2022-04-26T06:03:32.178Z',
-        },
-      };
-
-      const natsConnectionIdResponce: any = {
-        id: '480f4738-3d34-4b80-8160-d59e7ad91b52',
-        connectionId: 'b6724f85-a633-43ee-9c1c-736eaccbb6f9',
-        participantId: '662dc769-a4de-4c95-934c-f6dab8cf432c',
-        status: 'complete',
-        participantDid: 'SQVgKy9CHSYN2TLRsg999E',
-        theirDid: '4D9hPSoWZLCkrCr57pqMqs',
-        theirLabel: 'Org_Two',
-        createdDate: '2022-04-26T08:17:45.295Z',
-        updatedDate: '2022-04-26T08:18:02.218Z',
-        isActive: false,
-      };
-
-      const result: any = {
-        _tags: {},
-        metadata: {},
-        id: '10ff9df7-c98b-48d4-b540-d5df0d91f7cd',
-        createdAt: '2022-04-26T10:02:59.310Z',
-        requestMessage: {
-          '@type': 'https://didcomm.org/present-proof/1.0/request-presentation',
-          '@id': 'cb5df550-36a4-4cba-8afc-3b89cedbc6bb',
-          comment: 'Gaia-x Test',
-          'request_presentations~attach': [[Object]],
-        },
-        state: 'request-sent',
-        connectionId: 'b6724f85-a633-43ee-9c1c-736eaccbb6f9',
-        threadId: 'cb5df550-36a4-4cba-8afc-3b89cedbc6bb',
-        participantId: '662dc769-a4de-4c95-934c-f6dab8cf432c',
-        theirDid: '4D9hPSoWZLCkrCr57pqMqs',
-      };
-
-      jest
-        .spyOn(natsClient, 'getConnectionById')
-        .mockResolvedValueOnce(natsConnectionIdResponce);
-
-      jest
-        .spyOn(natsClient, 'getConnectionById')
-        .mockResolvedValueOnce(getAgentDetails);
-
-      jest.spyOn(restClient, 'post').mockResolvedValueOnce(result);
-
-      const res: any = await service.sendPresentationRequest(serviceDto);
-
-      expect(res).toStrictEqual(result);
-    });
-  });
-
-  describe('send out of band presentation request function', () => {
-    it('send out of band presentation request', async () => {
-      const serviceDto: SendProofRequest = {
-        comment: 'Gaia-x Test',
-        attributes: [
-          {
-            attributeName: 'email',
-            value: '',
-            condition: '',
-          },
-          {
-            attributeName: 'issuerDID',
-            value: '',
-            condition: '',
-          },
-        ],
-        credentialDefId:
-          'Knwz4KG97ta6EnC5BT7uH3:3:CL:241901:gaia-x principal member credential 0.2',
-        connectionId: '',
-        participantId: '662dc769-a4de-4c95-934c-f6dab8cf432c',
-        proofRecordId: '',
-      };
-
-      const getAgentDetails: any = {
-        statusCode: 200,
-        message: 'Agent',
-        data: {
-          id: '15b9c7d6-8bc9-47cb-b78e-314e6c12bf16',
-          participant_id: '662dc769-a4de-4c95-934c-f6dab8cf432c',
-          agent_url: 'http://3.111.77.38:4001',
-          invitation_url:
-            'http://3.111.77.38:4001?c_i=eyJAdHlwZSI6ImRpZDpzb3Y6QnpDYnNOWWhNcmpIaXFaRFRVQVNIZztzcGVjL2Nvbm5lY3Rpb25zLzEuMC9pbnZpdGF0aW9uIiwiQGlkIjoiZGVhMGY1NTYtOWM4MS00OTcyLTkxZjktODhmNWQ3MDNlNDRiIiwibGFiZWwiOiJPcmdfT25lIiwicmVjaXBpZW50S2V5cyI6WyI0eFFSMVVCUXV0TGg5S2tFc1lLZ2FZNDg5VEFtMUtRTVREcnR4WEdQNnNQUiJdLCJzZXJ2aWNlRW5kcG9pbnQiOiJodHRwOi8vMy4xMTEuNzcuMzg6NDAwMSIsInJvdXRpbmdLZXlzIjpbXX0',
-          public_did: 'Knwz4KG97ta6EnC5BT7uH3',
-          wallet_name: 'Org_One',
-          service_endpoint: 'http://3.111.77.38:4000',
-          status: true,
-          created_by: '662dc769-a4de-4c95-934c-f6dab8cf432c',
-          created_date: '2022-04-14T16:33:14.152Z',
-          updated_by: '662dc769-a4de-4c95-934c-f6dab8cf432c',
-          updated_date: '2022-04-26T06:03:32.178Z',
-        },
-      };
-
-      const result: any = {
-        _tags: {},
-        metadata: {},
-        id: '10ff9df7-c98b-48d4-b540-d5df0d91f7cd',
-        createdAt: '2022-04-26T10:02:59.310Z',
-        requestMessage: {
-          '@type': 'https://didcomm.org/present-proof/1.0/request-presentation',
-          '@id': 'cb5df550-36a4-4cba-8afc-3b89cedbc6bb',
-          comment: 'Gaia-x Test',
-          'request_presentations~attach': [[Object]],
-        },
-        state: 'request-sent',
-        connectionId: 'b6724f85-a633-43ee-9c1c-736eaccbb6f9',
-        threadId: 'cb5df550-36a4-4cba-8afc-3b89cedbc6bb',
-        participantId: '662dc769-a4de-4c95-934c-f6dab8cf432c',
-        theirDid: '4D9hPSoWZLCkrCr57pqMqs',
-      };
-
-      jest
-        .spyOn(natsClient, 'getConnectionById')
-        .mockResolvedValueOnce(getAgentDetails);
-
-      jest.spyOn(restClient, 'post').mockResolvedValueOnce(result);
-
-      const res: any =
-        await service.sendOutOfBandPresentationRequest(serviceDto);
-
-      expect(res).toStrictEqual(result);
-    });
-  });
-
-  describe('send membership credential presentation request function', () => {
-    it('send membership credential presentation request', async () => {
-      const serviceDto: MembershipCredentialDto = {
-        attributes: [
-          {
-            attributeName: 'email',
-          },
-          {
-            attributeName: 'issuerDID',
-          },
-        ],
-        connectionId: '',
-        participant_id: '662dc769-a4de-4c95-934c-f6dab8cf432c',
-        schemaId: '',
-      };
-
-      const getAgentDetails: any = {
-        statusCode: 200,
-        message: 'Agent',
-        data: {
-          id: '15b9c7d6-8bc9-47cb-b78e-314e6c12bf16',
-          participant_id: '662dc769-a4de-4c95-934c-f6dab8cf432c',
-          agent_url: 'http://3.111.77.38:4001',
-          invitation_url:
-            'http://3.111.77.38:4001?c_i=eyJAdHlwZSI6ImRpZDpzb3Y6QnpDYnNOWWhNcmpIaXFaRFRVQVNIZztzcGVjL2Nvbm5lY3Rpb25zLzEuMC9pbnZpdGF0aW9uIiwiQGlkIjoiZGVhMGY1NTYtOWM4MS00OTcyLTkxZjktODhmNWQ3MDNlNDRiIiwibGFiZWwiOiJPcmdfT25lIiwicmVjaXBpZW50S2V5cyI6WyI0eFFSMVVCUXV0TGg5S2tFc1lLZ2FZNDg5VEFtMUtRTVREcnR4WEdQNnNQUiJdLCJzZXJ2aWNlRW5kcG9pbnQiOiJodHRwOi8vMy4xMTEuNzcuMzg6NDAwMSIsInJvdXRpbmdLZXlzIjpbXX0',
-          public_did: 'Knwz4KG97ta6EnC5BT7uH3',
-          wallet_name: 'Org_One',
-          service_endpoint: 'http://3.111.77.38:4000',
-          status: true,
-          created_by: '662dc769-a4de-4c95-934c-f6dab8cf432c',
-          created_date: '2022-04-14T16:33:14.152Z',
-          updated_by: '662dc769-a4de-4c95-934c-f6dab8cf432c',
-          updated_date: '2022-04-26T06:03:32.178Z',
-        },
-      };
-
-      const result: any = {
-        _tags: {},
-        metadata: {},
-        id: '10ff9df7-c98b-48d4-b540-d5df0d91f7cd',
-        createdAt: '2022-04-26T10:02:59.310Z',
-        requestMessage: {
-          '@type': 'https://didcomm.org/present-proof/1.0/request-presentation',
-          '@id': 'cb5df550-36a4-4cba-8afc-3b89cedbc6bb',
-          comment: 'Gaia-x Test',
-          'request_presentations~attach': [[Object]],
-        },
-        state: 'request-sent',
-        connectionId: 'b6724f85-a633-43ee-9c1c-736eaccbb6f9',
-        threadId: 'cb5df550-36a4-4cba-8afc-3b89cedbc6bb',
-        participantId: '662dc769-a4de-4c95-934c-f6dab8cf432c',
-        theirDid: '4D9hPSoWZLCkrCr57pqMqs',
-      };
-
-      jest
-        .spyOn(natsClient, 'getConnectionById')
-        .mockResolvedValueOnce(getAgentDetails);
-
-      jest.spyOn(restClient, 'post').mockResolvedValueOnce(result);
-
-      const res: any =
-        await service.sendPrincipalCredentialPresentationRequest(serviceDto);
-
-      expect(res).toStrictEqual(result);
-    });
-  });
-});
diff --git a/apps/proof-manager/src/presentationProof/services/service.ts b/apps/proof-manager/src/presentationProof/services/service.ts
deleted file mode 100644
index f8ac9731c7fc985a7cda04f4a4a6bb07b0b6d5f3..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/presentationProof/services/service.ts
+++ /dev/null
@@ -1,456 +0,0 @@
-import type GetPresentProofsDto from '../entities/get-present-proofs.dto.js';
-import type GetProofRequest from '../entities/get-proof-request.dto.js';
-import type MembershipCredentialDto from '../entities/membership-credential.dto.js';
-import type PresentationSubscriptionEndpointDto from '../entities/presentationSubscribeEndPoint.entity.js';
-import type SendProofRequest from '../entities/send-proof-request.dto.js';
-import type { Prisma } from '@prisma/client';
-
-import { HttpService } from '@nestjs/axios';
-import { Injectable } from '@nestjs/common';
-import { ConfigService } from '@nestjs/config';
-import { lastValueFrom, map } from 'rxjs';
-
-import NatsClientService from '../../client/nats.client.js';
-import RestClientService from '../../client/rest.client.js';
-import PrismaService from '../../prisma/prisma.service.js';
-import logger from '../../utils/logger.js';
-import pagination from '../../utils/pagination.js';
-import PresentationProofRepository from '../repository/presentationProof.respository.js';
-
-@Injectable()
-export default class PresentationProofsService {
-  private presentationProofRepository;
-
-  private agentURL;
-
-  private didcommUrl;
-
-  public constructor(
-    private readonly natsClient: NatsClientService,
-    private readonly prismaService: PrismaService,
-    private readonly httpService: HttpService,
-    private readonly restClient: RestClientService,
-    private readonly configService: ConfigService,
-  ) {
-    this.presentationProofRepository = new PresentationProofRepository(
-      this.prismaService,
-    );
-
-    this.agentURL = this.configService.get('agent').agentUrl;
-    this.didcommUrl = this.configService.get('agent').didcommUrl;
-  }
-
-  public getAppUrl() {
-    return this.configService.get('APP_URL');
-  }
-
-  public static readonly connectionStatus = {
-    TRUSTED: 'trusted',
-  };
-
-  public async findProofByProofRecordId(proof_record_id: string) {
-    return this.restClient.get(`${this.agentURL}/proofs/${proof_record_id}`);
-  }
-
-  public async findProofPresentation(
-    pageSize: number,
-    page: number,
-    proofRecordId?: string | false,
-    connectionId?: string | false,
-    credentialDefId?: string | false,
-    schemaId?: string | false,
-    theirDid?: string | false,
-    status?: string | false,
-    createdDateStart?: string | false,
-    createdDateEnd?: string | false,
-    updatedDateStart?: string | false,
-    updatedDateEnd?: string | false,
-  ) {
-    let query: {
-      skip?: number;
-      take?: number;
-      cursor?: Prisma.ProofWhereUniqueInput;
-      where: Prisma.ProofWhereInput;
-      orderBy?: Prisma.ProofOrderByWithRelationInput;
-    } = {
-      where: {},
-    };
-
-    if (status) {
-      const states: string[] = status.split(',');
-      query.where.status = { in: states };
-    }
-    if (proofRecordId) {
-      query.where.proofRecordId = proofRecordId;
-    }
-    if (connectionId) {
-      query.where.connectionId = connectionId;
-    }
-    if (credentialDefId) {
-      query.where.credentialDefId = credentialDefId;
-    }
-    if (schemaId) {
-      query.where.schemaId = schemaId;
-    }
-    if (theirDid) {
-      query.where.theirDid = theirDid;
-    }
-    if (createdDateStart) {
-      query.where.createdDate = { gte: createdDateStart };
-    }
-    if (createdDateEnd) {
-      // eslint-disable-next-line prefer-object-spread
-      query.where.createdDate = Object.assign({}, query.where.createdDate, {
-        lte: createdDateEnd,
-      });
-    }
-    if (updatedDateStart) {
-      query.where.updatedDate = { gte: updatedDateStart };
-    }
-    if (updatedDateEnd) {
-      // eslint-disable-next-line prefer-object-spread
-      query.where.updatedDate = Object.assign({}, query.where.updatedDate, {
-        lte: updatedDateEnd,
-      });
-    }
-
-    query = { ...query, ...pagination(pageSize, page) };
-    return this.presentationProofRepository.findProofPresentation(query);
-  }
-
-  public async createPresentationRequest(sendProofRequest: SendProofRequest) {
-    const query: Prisma.ProofCreateInput = {
-      proofRecordId: sendProofRequest.proofRecordId || '',
-      connectionId: sendProofRequest.connectionId,
-      status: sendProofRequest.status,
-    };
-    return this.presentationProofRepository.createPresentationProof(query);
-  }
-
-  public async getConnectionByID(connectionID: string) {
-    const connection = await this.natsClient.getConnectionById(connectionID);
-
-    return connection;
-  }
-
-  public async sendPresentationRequest(sendProofRequest: SendProofRequest) {
-    const getPayloadRes =
-      PresentationProofsService.createCommonPresentationRequestPaylod(
-        sendProofRequest,
-      );
-
-    const proofRequestPayload = {
-      comment: getPayloadRes.comment,
-      connectionId: sendProofRequest.connectionId,
-      // trace: true,
-      autoAcceptProof: 'always',
-      proofRequest: {
-        name: 'Proof Request',
-        version: '1.0',
-        // nonce: getPayloadRes.nonce.toString(),
-        requested_attributes: getPayloadRes.requested_attributes,
-        requested_predicates: getPayloadRes.requested_predicates,
-        ver: '1.0',
-      },
-    };
-
-    logger.info(
-      `proofRequestPayload for proof request ${JSON.stringify(
-        proofRequestPayload,
-      )}`,
-    );
-
-    let responseData = null;
-
-    const getConnection = await this.getConnectionByID(
-      sendProofRequest.connectionId || '',
-    );
-
-    if (
-      getConnection?.status !==
-      PresentationProofsService.connectionStatus.TRUSTED
-    ) {
-      responseData = {
-        message: 'Connection is not trusted',
-      };
-      return responseData;
-    }
-
-    responseData = await this.restClient.post(
-      `${this.agentURL}/proofs/request-proof`,
-      proofRequestPayload,
-    );
-
-    responseData.theirDid = getConnection.theirDid;
-    return responseData;
-  }
-
-  public static createCommonPresentationRequestPaylod(
-    sendProofRequest: SendProofRequest,
-  ) {
-    const requestedAttributes: {
-      [key: string]: {
-        names: string[];
-        restrictions: {
-          schema_id?: string;
-          cred_def_id?: string;
-        }[];
-      };
-    } = {};
-    const requestedPredicates: {
-      [key: string]: Record<string, Array<object> | number>;
-    } = {};
-    const generateNonce: number = Math.floor(Math.random() * 10000000000000);
-    const comment = sendProofRequest.comment ? sendProofRequest.comment : '';
-
-    for (let i = 0; i < sendProofRequest.attributes.length; i += 1) {
-      const attribute = sendProofRequest.attributes[i];
-      const key = `${attribute.schemaId}_${attribute.credentialDefId}`;
-      requestedAttributes[key] = requestedAttributes[key] || {
-        names: [],
-        restrictions: [],
-      };
-
-      if (attribute.schemaId) {
-        requestedAttributes[key].restrictions[0] =
-          requestedAttributes[key].restrictions[0] || {};
-        requestedAttributes[key].restrictions[0].schema_id = attribute.schemaId;
-      }
-
-      if (attribute.credentialDefId) {
-        requestedAttributes[key].restrictions[0] =
-          requestedAttributes[key].restrictions[0] || {};
-        requestedAttributes[key].restrictions[0].cred_def_id =
-          attribute.credentialDefId;
-      }
-
-      if (attribute.attributeName) {
-        requestedAttributes[key].names.push(attribute.attributeName);
-      }
-    }
-
-    const payload = {
-      comment,
-      nonce: generateNonce.toString(),
-      requested_attributes: Object.fromEntries(
-        Object.entries(requestedAttributes).map(([, value], index) => [
-          `additionalProp${index + 1}`,
-          value,
-        ]),
-      ),
-      requested_predicates: requestedPredicates,
-    };
-    return payload;
-  }
-
-  public async sendOutOfBandPresentationRequest(
-    sendProofRequest: SendProofRequest,
-  ) {
-    const getPayloadRes =
-      PresentationProofsService.createCommonPresentationRequestPaylod(
-        sendProofRequest,
-      );
-
-    const proofRequestPayload = {
-      comment: getPayloadRes.comment,
-      autoAcceptProof: 'always',
-      proofRequest: {
-        name: 'Out Of Band Proof Request',
-        version: '1.0',
-        nonce: getPayloadRes.nonce.toString(),
-        requested_attributes: getPayloadRes.requested_attributes,
-        requested_predicates: getPayloadRes.requested_predicates,
-        ver: '1.0',
-      },
-    };
-    let responseData = null;
-
-    responseData = await this.restClient.post(
-      `${this.agentURL}/proofs/request-outofband-proof`,
-      proofRequestPayload,
-    );
-
-    const shortRow = await this.presentationProofRepository.createShortUrl(
-      responseData.message,
-    );
-    const appUrl = this.getAppUrl();
-    responseData.messageShort = `${appUrl}/v1/url/${shortRow.id}`;
-
-    return responseData;
-  }
-
-  public async sendPrincipalCredentialPresentationRequest(
-    sendProofRequest: MembershipCredentialDto,
-  ) {
-    const requestedAttributes: {
-      [key: string]: Record<string, Array<{ schema_id: string }>>;
-    } = {};
-    const requestedPredicates: {
-      [key: string]: Record<string, Array<object> | number>;
-    } = {};
-    const generateNonce: number = Math.floor(Math.random() * 10000000000000);
-    const comment = '';
-
-    for (
-      let index = 0;
-      index < sendProofRequest.attributes.length;
-      index += 1
-    ) {
-      const attributeElement = sendProofRequest.attributes[index];
-      const attributeReferent = `additionalProp${index + 1}`;
-      const keys = Object.keys(requestedAttributes);
-      if (keys.length > 0) {
-        keys.forEach((attr, i) => {
-          if (
-            attributeElement.schemaId &&
-            requestedAttributes[attr].restrictions[i].schema_id ===
-              attributeElement.schemaId
-          ) {
-            requestedAttributes[attr].names.push({
-              schema_id: attributeElement.schemaId,
-            });
-          } else if (keys.length === i + 1) {
-            requestedAttributes[attributeReferent] = {
-              names: [attributeElement.attributeName],
-              restrictions: [
-                {
-                  schema_id: attributeElement.schemaId || '',
-                },
-              ],
-            } as any; // eslint-disable-line @typescript-eslint/no-explicit-any
-          }
-        });
-      } else {
-        requestedAttributes[attributeReferent] = {
-          names: [attributeElement.attributeName],
-          restrictions: [
-            {
-              schema_id: attributeElement.schemaId || '',
-            },
-          ],
-        } as any; // eslint-disable-line @typescript-eslint/no-explicit-any
-      }
-    }
-
-    const proofRequestPayload = {
-      comment,
-      connectionId: sendProofRequest.connectionId,
-      trace: true,
-      proofRequest: {
-        name: 'Membership Credential Proof Request',
-        version: '1.0',
-        nonce: generateNonce.toString(),
-        requested_attributes: requestedAttributes,
-        requested_predicates: requestedPredicates,
-      },
-    };
-
-    let responseData = null;
-
-    responseData = await this.restClient.post(
-      `${this.agentURL}/proofs/request-proof`,
-      proofRequestPayload,
-    );
-
-    return responseData;
-  }
-
-  public async updatePresentationStatus(getProofRequest: GetProofRequest) {
-    const getRes =
-      await this.presentationProofRepository.updatePresentationStatus({
-        where: { proofRecordId: getProofRequest.id },
-        data: {
-          status: getProofRequest.state,
-          updatedDate: new Date(),
-        },
-      });
-    return getRes;
-  }
-
-  public async acceptPresentation(proof_record_id: string) {
-    return lastValueFrom(
-      this.httpService
-        .post(`${this.agentURL}/proofs/${proof_record_id}/accept-presentation`)
-        .pipe(map((response) => response.data)),
-    );
-  }
-
-  public async acceptProofRequest(proofRecordId: string) {
-    return lastValueFrom(
-      this.httpService
-        .post(`${this.agentURL}/proofs/${proofRecordId}/accept-request`)
-        .pipe(map((response) => response.data)),
-    );
-  }
-
-  public async deleteProofRequest(proofRecordId: string) {
-    const response = lastValueFrom(
-      this.httpService
-        .delete(`${this.agentURL}/proofs/${proofRecordId}`)
-        .pipe(map((response) => response.data)),
-    );
-
-    await this.presentationProofRepository.deleteProofRequest(proofRecordId);
-
-    return response;
-  }
-
-  public async declineProofRequest(proofRecordId: string) {
-    return lastValueFrom(
-      this.httpService
-        .post(`${this.didcommUrl}/v1/agent/proofs/declineRequest`, {
-          data: [proofRecordId],
-        })
-        .pipe(map((response) => response.data)),
-    );
-  }
-
-  public async getAllProofRequest(threadId: string) {
-    const url = threadId
-      ? `${this.agentURL}/proofs/?threadId=${threadId}`
-      : `${this.agentURL}/proofs/`;
-    return lastValueFrom(
-      this.httpService.get(url).pipe(map((response) => response.data)),
-    );
-  }
-
-  public async getSchemaById(schemaId: string) {
-    const url = `${this.agentURL}/schemas/${schemaId}`;
-    return lastValueFrom(
-      this.httpService.get(url).pipe(map((response) => response.data)),
-    );
-  }
-
-  public async getCredentialDefinitionsById(credentialDefinitionsId: string) {
-    const url = `${this.agentURL}/credential-definitions/${credentialDefinitionsId}`;
-    return lastValueFrom(
-      this.httpService.get(url).pipe(map((response) => response.data)),
-    );
-  }
-
-  public publishPresentationSubscriberEndpoint(
-    data: PresentationSubscriptionEndpointDto,
-  ) {
-    this.natsClient.publishPresentation(data);
-  }
-
-  public getCredentialsTypeDetails(type: string) {
-    return this.natsClient.getCredentialsTypeDetails(type);
-  }
-
-  public makeConnectionTrusted(connectionId: string) {
-    return this.natsClient.makeConnectionTrusted(connectionId);
-  }
-
-  public async getPresentProofs(data: GetPresentProofsDto) {
-    return this.presentationProofRepository.findProofPresentation({
-      where: {
-        connectionId: data.connectionId,
-      },
-    });
-  }
-
-  public async findUrlByShortUrlId(id: string) {
-    return this.presentationProofRepository.getShortUrl(id);
-  }
-}
diff --git a/apps/proof-manager/src/prisma/prisma.module.spec.ts b/apps/proof-manager/src/prisma/prisma.module.spec.ts
deleted file mode 100644
index e557fe14e4a4d0a516b645ce88cfe11e613eb8f6..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/prisma/prisma.module.spec.ts
+++ /dev/null
@@ -1,7 +0,0 @@
-import PrismaModule from './prisma.module';
-
-describe('Check if the module is working', () => {
-  it('should be defined', () => {
-    expect(PrismaModule).toBeDefined();
-  });
-});
diff --git a/apps/proof-manager/src/prisma/prisma.module.ts b/apps/proof-manager/src/prisma/prisma.module.ts
deleted file mode 100644
index c0d718cbaa670c814fbd4cb308450928e6146563..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/prisma/prisma.module.ts
+++ /dev/null
@@ -1,9 +0,0 @@
-import { Module } from '@nestjs/common';
-
-import PrismaService from './prisma.service.js';
-
-@Module({
-  providers: [PrismaService],
-  exports: [PrismaService],
-})
-export default class PrismaModule {}
diff --git a/apps/proof-manager/src/prisma/prisma.service.ts b/apps/proof-manager/src/prisma/prisma.service.ts
deleted file mode 100644
index b0f25f5c5d9bf25fe78f1113d3410f2318e2bc2a..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/prisma/prisma.service.ts
+++ /dev/null
@@ -1,29 +0,0 @@
-import type { OnModuleDestroy, OnModuleInit } from '@nestjs/common';
-
-import { Injectable } from '@nestjs/common';
-import { ConfigService } from '@nestjs/config';
-import { PrismaClient } from '@prisma/client';
-
-@Injectable()
-export default class PrismaService
-  extends PrismaClient
-  implements OnModuleInit, OnModuleDestroy
-{
-  public constructor(configService: ConfigService) {
-    super({
-      datasources: {
-        db: {
-          url: configService.get('DATABASE_URL'),
-        },
-      },
-    });
-  }
-
-  public async onModuleInit() {
-    await this.$connect();
-  }
-
-  public async onModuleDestroy() {
-    await this.$disconnect();
-  }
-}
diff --git a/apps/proof-manager/src/prisma/schema.prisma b/apps/proof-manager/src/prisma/schema.prisma
deleted file mode 100644
index ceb5bb55a149a7227c96f0eef49b2d5a0bf7b54b..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/prisma/schema.prisma
+++ /dev/null
@@ -1,25 +0,0 @@
-generator client {
-  provider = "prisma-client-js"
-}
-
-datasource db {
-  provider = "postgresql"
-  url      = env("DATABASE_URL")
-}
-
-model Proof {
-  id              String   @id @default(uuid())
-  proofRecordId   String   @unique @map("proof_record_id")
-  connectionId    String   @default("") @map("connection_id")
-  credentialDefId String   @default("") @map("credential_def_id")
-  schemaId        String   @default("") @map("schema_id")
-  theirDid        String   @default("") @map("their_did")
-  status          String   @default("")
-  createdDate     DateTime @default(now()) @map("created_date")
-  updatedDate     DateTime @default(now()) @map("updated_date")
-}
-
-model ShortUrl {
-  id          String @id @default(uuid())
-  originalUrl String
-}
diff --git a/apps/proof-manager/src/utils/exceptionsFilter.ts b/apps/proof-manager/src/utils/exceptionsFilter.ts
deleted file mode 100644
index 7ce5599676efb868af1ecc25a46daa35f82a1c95..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/utils/exceptionsFilter.ts
+++ /dev/null
@@ -1,79 +0,0 @@
-import type { ArgumentsHost, ExceptionFilter } from '@nestjs/common';
-import type { Request } from 'express';
-
-import { Catch, HttpException, HttpStatus, Logger } from '@nestjs/common';
-import { HttpAdapterHost } from '@nestjs/core';
-import { Prisma } from '@prisma/client';
-
-@Catch()
-export default class AllExceptionsFilter implements ExceptionFilter {
-  public constructor(private readonly httpAdapterHost: HttpAdapterHost) {}
-
-  public catch(
-    exception:
-      | HttpException
-      | Prisma.PrismaClientKnownRequestError
-      | Prisma.PrismaClientUnknownRequestError
-      | Error,
-    host: ArgumentsHost,
-  ): void {
-    const { httpAdapter } = this.httpAdapterHost;
-
-    const ctx = host.switchToHttp();
-    const request = ctx.getRequest<Request>();
-
-    let httpStatus = HttpStatus.INTERNAL_SERVER_ERROR;
-    let message = '';
-
-    if (exception instanceof HttpException) {
-      httpStatus = exception.getStatus();
-      message = exception.message || 'Internal server error';
-    } else if (exception instanceof Prisma.PrismaClientKnownRequestError) {
-      switch (exception.code) {
-        case 'P2002': // Unique constraint failed on the {constraint}
-        case 'P2000': // The provided value for the column is too long for the column's type. Column: {column_name}
-        case 'P2001': // The record searched for in the where condition ({model_name}.{argument_name} = {argument_value}) does not exist
-        case 'P2005': // The value {field_value} stored in the database for the field {field_name} is invalid for the field's type
-        case 'P2006': // The provided value {field_value} for {model_name} field {field_name} is not valid
-        case 'P2010': // Raw query failed. Code: {code}. Message: {message}
-        case 'P2011': // Null constraint violation on the {constraint}
-        case 'P2017': // The records for relation {relation_name} between the {parent_name} and {child_name} models are not connected.
-        case 'P2021': // The table {table} does not exist in the current database.
-        case 'P2022': // The column {column} does not exist in the current database.
-          httpStatus = HttpStatus.BAD_REQUEST;
-          message = exception?.message;
-          break;
-        case 'P2018': // The required connected records were not found. {details}
-        case 'P2025': // An operation failed because it depends on one or more records that were required but not found. {cause}
-        case 'P2015': // A related record could not be found. {details}
-          httpStatus = HttpStatus.NOT_FOUND;
-          message = exception?.message;
-          break;
-        default:
-          httpStatus = HttpStatus.INTERNAL_SERVER_ERROR;
-          message = exception?.message || 'Internal server error';
-      }
-    } else if (exception instanceof Prisma.PrismaClientValidationError) {
-      httpStatus = HttpStatus.BAD_REQUEST;
-      message = exception?.message;
-    } else if (exception instanceof Error) {
-      httpStatus = HttpStatus.INTERNAL_SERVER_ERROR;
-      message = exception.message || 'Internal server error';
-    }
-
-    Logger.error(
-      'Exception Filter :',
-      message,
-      (exception as Error).stack,
-      `${request.method} ${request.url}`,
-    );
-
-    const responseBody = {
-      statusCode: httpStatus,
-      timestamp: new Date().toISOString(),
-      message,
-    };
-
-    httpAdapter.reply(ctx.getResponse(), responseBody, httpStatus);
-  }
-}
diff --git a/apps/proof-manager/src/utils/logger.spec.ts b/apps/proof-manager/src/utils/logger.spec.ts
deleted file mode 100644
index 992dd1fb4d1706a4c5c6335822a7a527d810084d..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/utils/logger.spec.ts
+++ /dev/null
@@ -1,15 +0,0 @@
-// import * as fs from 'fs';
-
-describe('Logger', () => {
-  // beforeEach(() => {
-  //   jest.mock('fs');
-  // });
-  it('should create a directory if not exists', async () => {
-    // jest.spyOn(fs, 'existsSync').mockImplementation(() => false);
-    // jest.spyOn(fs, 'mkdirSync').mockImplementation(() => 'mocked');
-    const logger = await import('./logger.js');
-    expect(logger).toBeDefined();
-    // expect(fs.existsSync).toHaveBeenCalled();
-    // expect(fs.mkdirSync).toHaveBeenCalled();
-  });
-});
diff --git a/apps/proof-manager/src/utils/logger.ts b/apps/proof-manager/src/utils/logger.ts
deleted file mode 100644
index b1958d564a6e6657405384d03400e8485b2bcc43..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/utils/logger.ts
+++ /dev/null
@@ -1,17 +0,0 @@
-import type { Logger } from 'winston';
-
-import { ecsFormat } from '@elastic/ecs-winston-format';
-import { createLogger, transports } from 'winston';
-
-const logger: Logger = createLogger({
-  format: ecsFormat({ convertReqRes: true }),
-
-  transports: [new transports.Console()],
-});
-
-logger.on('error', (error) => {
-  // eslint-disable-next-line no-console
-  console.error('Error in logger caught', error);
-});
-
-export default logger;
diff --git a/apps/proof-manager/src/utils/pagination.spec.ts b/apps/proof-manager/src/utils/pagination.spec.ts
deleted file mode 100644
index a75d3bbe936ea957448f53237a8d2dc2329ab038..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/utils/pagination.spec.ts
+++ /dev/null
@@ -1,17 +0,0 @@
-import pagination from './pagination';
-
-describe('Check if the module is working', () => {
-  it('should be defined', () => {
-    expect(pagination).toBeDefined();
-  });
-
-  it('should be return default value', () => {
-    const result = { skip: 0, take: 10 };
-    expect(pagination(0, 0)).toStrictEqual(result);
-  });
-
-  it('should be return next page value', () => {
-    const result = { skip: 0, take: 10 };
-    expect(pagination(10, 0)).toStrictEqual(result);
-  });
-});
diff --git a/apps/proof-manager/src/utils/pagination.ts b/apps/proof-manager/src/utils/pagination.ts
deleted file mode 100644
index 953e8fc5941366794cf0fafa9cc4f32c8847d781..0000000000000000000000000000000000000000
--- a/apps/proof-manager/src/utils/pagination.ts
+++ /dev/null
@@ -1,16 +0,0 @@
-const pagination = (pageSize: number, page: number) => {
-  const query: {
-    skip?: number;
-    take?: number;
-  } = {};
-  if (pageSize && (page || page === 0)) {
-    query.skip = page * pageSize;
-    query.take = pageSize;
-  } else {
-    query.skip = 0;
-    query.take = 10;
-  }
-  return query;
-};
-
-export default pagination;
diff --git a/apps/proof-manager/test/app.e2e-spec.ts b/apps/proof-manager/test/app.e2e-spec.ts
deleted file mode 100644
index bbcc2f610fd61c6a9ba0f5f7a09f9087ebd25b20..0000000000000000000000000000000000000000
--- a/apps/proof-manager/test/app.e2e-spec.ts
+++ /dev/null
@@ -1,26 +0,0 @@
-import type { INestApplication } from '@nestjs/common';
-import type { TestingModule } from '@nestjs/testing';
-
-import { afterEach, beforeEach, describe, it } from '@jest/globals';
-import { Test } from '@nestjs/testing';
-import request from 'supertest';
-
-import AppModule from '../src/app.module.js';
-
-describe('AppController (e2e)', () => {
-  let app: INestApplication;
-
-  beforeEach(async () => {
-    const moduleFixture: TestingModule = await Test.createTestingModule({
-      imports: [AppModule],
-    }).compile();
-
-    app = moduleFixture.createNestApplication();
-    await app.init();
-  });
-
-  afterEach(() => app.close());
-
-  it('/health (GET)', () =>
-    request(app.getHttpServer()).get('/health').expect(200));
-});
diff --git a/apps/proof-manager/test/jest.config.js b/apps/proof-manager/test/jest.config.js
deleted file mode 100644
index c2b3ddf9bf2a2231e63f8b040213ce5ffcbb9412..0000000000000000000000000000000000000000
--- a/apps/proof-manager/test/jest.config.js
+++ /dev/null
@@ -1,9 +0,0 @@
-/** @type {import('jest').Config} */
-
-import config from '../jest.config.js';
-
-export default {
-  ...config,
-  rootDir: '.',
-  testRegex: '.*\\.e2e-spec\\.ts$',
-};
diff --git a/apps/shared/package.json b/apps/shared/package.json
index 70589649607768715d6e717e73fc560d1ff611c5..4e3f5421f609e51631acdfee3bc60990dc8488c0 100644
--- a/apps/shared/package.json
+++ b/apps/shared/package.json
@@ -34,7 +34,7 @@
     "axios": "^1.6.2",
     "class-transformer": "^0.5.1",
     "class-validator": "^0.14.0",
-    "joi": "^17.6.0",
+    "joi": "^17.11.0",
     "nats": "^2.18.0",
     "rxjs": "^7.8.1",
     "winston": "^3.11.0"
@@ -45,9 +45,9 @@
     "@types/jest": "^29.5.9",
     "@types/node": "^20.9.3",
     "rimraf": "^5.0.5",
-    "supertest": "^6.1.3",
+    "supertest": "^6.3.3",
     "ts-jest": "^29.1.1",
-    "ts-node": "^10.0.0",
+    "ts-node": "^10.9.1",
     "tsconfig-paths": "^4.2.0",
     "typescript": "^5.3.3"
   }
diff --git a/pnpm-lock.yaml b/pnpm-lock.yaml
index 7b989740ed5518bf93f322b3d327ad71b29a60ca..3958fb3ef41492b2b73ad3afc6fc4683de8ddc09 100644
--- a/pnpm-lock.yaml
+++ b/pnpm-lock.yaml
@@ -55,31 +55,31 @@ importers:
         version: 1.5.0
       '@nestjs/axios':
         specifier: ^3.0.1
-        version: 3.0.1(@nestjs/common@10.2.8)(axios@1.6.2)(reflect-metadata@0.1.13)(rxjs@7.8.1)
+        version: 3.0.1(@nestjs/common@10.2.10)(axios@1.6.2)(reflect-metadata@0.1.13)(rxjs@7.8.1)
       '@nestjs/common':
         specifier: ^10.2.8
-        version: 10.2.8(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
+        version: 10.2.10(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
       '@nestjs/config':
         specifier: ^3.1.1
-        version: 3.1.1(@nestjs/common@10.2.8)(reflect-metadata@0.1.13)
+        version: 3.1.1(@nestjs/common@10.2.10)(reflect-metadata@0.1.13)
       '@nestjs/core':
         specifier: ^10.2.8
-        version: 10.2.8(@nestjs/common@10.2.8)(@nestjs/microservices@10.2.8)(@nestjs/platform-express@10.2.8)(reflect-metadata@0.1.13)(rxjs@7.8.1)
+        version: 10.2.10(@nestjs/common@10.2.10)(@nestjs/microservices@10.2.10)(@nestjs/platform-express@10.2.8)(reflect-metadata@0.1.13)(rxjs@7.8.1)
       '@nestjs/mapped-types':
         specifier: ^2.0.3
-        version: 2.0.4(@nestjs/common@10.2.8)(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)
+        version: 2.0.4(@nestjs/common@10.2.10)(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)
       '@nestjs/microservices':
         specifier: ^10.2.8
-        version: 10.2.8(@nestjs/common@10.2.8)(@nestjs/core@10.2.8)(nats@2.18.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
+        version: 10.2.10(@nestjs/common@10.2.10)(@nestjs/core@10.2.10)(nats@2.18.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
       '@nestjs/platform-express':
         specifier: ^10.2.8
-        version: 10.2.8(@nestjs/common@10.2.8)(@nestjs/core@10.2.8)
+        version: 10.2.8(@nestjs/common@10.2.10)(@nestjs/core@10.2.10)
       '@nestjs/swagger':
         specifier: ^7.1.15
-        version: 7.1.16(@nestjs/common@10.2.8)(@nestjs/core@10.2.8)(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)
+        version: 7.1.16(@nestjs/common@10.2.10)(@nestjs/core@10.2.10)(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)
       '@nestjs/terminus':
         specifier: ^10.1.1
-        version: 10.1.1(@nestjs/axios@3.0.1)(@nestjs/common@10.2.8)(@nestjs/core@10.2.8)(@nestjs/microservices@10.2.8)(@prisma/client@5.6.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
+        version: 10.1.1(@nestjs/axios@3.0.1)(@nestjs/common@10.2.10)(@nestjs/core@10.2.10)(@nestjs/microservices@10.2.10)(@prisma/client@5.6.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
       '@prisma/client':
         specifier: ^5.6.0
         version: 5.6.0(prisma@5.6.0)
@@ -134,10 +134,10 @@ importers:
         version: 10.2.1(@swc/cli@0.1.63)(@swc/core@1.3.96)
       '@nestjs/schematics':
         specifier: ^10.0.3
-        version: 10.0.3(chokidar@3.5.3)(typescript@5.2.2)
+        version: 10.0.3(typescript@5.3.2)
       '@nestjs/testing':
         specifier: ^10.2.8
-        version: 10.2.8(@nestjs/common@10.2.8)(@nestjs/core@10.2.8)(@nestjs/microservices@10.2.8)(@nestjs/platform-express@10.2.8)
+        version: 10.2.10(@nestjs/common@10.2.10)(@nestjs/core@10.2.10)(@nestjs/microservices@10.2.10)(@nestjs/platform-express@10.2.8)
       '@swc/cli':
         specifier: ^0.1.62
         version: 0.1.63(@swc/core@1.3.96)
@@ -152,13 +152,13 @@ importers:
         version: 4.17.21
       '@types/jest':
         specifier: ^29.5.8
-        version: 29.5.8
+        version: 29.5.10
       '@types/jsonwebtoken':
         specifier: ^9.0.5
         version: 9.0.5
       '@types/node':
         specifier: ^20.9.0
-        version: 20.9.0
+        version: 20.9.4
       '@types/supertest':
         specifier: ^2.0.16
         version: 2.0.16
@@ -170,7 +170,7 @@ importers:
         version: 8.54.0
       jest:
         specifier: ^29.7.0
-        version: 29.7.0(@types/node@20.9.0)(ts-node@10.9.1)
+        version: 29.7.0(@types/node@20.9.4)(ts-node@10.9.1)
       node-mocks-http:
         specifier: ^1.13.0
         version: 1.13.0
@@ -188,10 +188,10 @@ importers:
         version: 6.3.3
       ts-node:
         specifier: ^10.9.1
-        version: 10.9.1(@swc/core@1.3.96)(@types/node@20.9.0)(typescript@5.2.2)
+        version: 10.9.1(@swc/core@1.3.96)(@types/node@20.9.4)(typescript@5.3.2)
       typescript:
         specifier: ^5.2.2
-        version: 5.2.2
+        version: 5.3.2
 
   apps/connection-manager:
     dependencies:
@@ -215,7 +215,7 @@ importers:
         version: 4.0.0(@nestjs/common@10.3.0)(@nestjs/core@10.3.0)(reflect-metadata@0.1.13)
       '@nestjs/swagger':
         specifier: ^7.1.17
-        version: 7.1.17(@nestjs/common@10.3.0)(@nestjs/core@10.3.0)(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)
+        version: 7.2.0(@nestjs/common@10.3.0)(@nestjs/core@10.3.0)(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)
       '@ocm/shared':
         specifier: workspace:*
         version: link:../shared
@@ -246,7 +246,7 @@ importers:
         version: 29.7.0
       '@nestjs/cli':
         specifier: ^10.2.1
-        version: 10.2.1(@swc/cli@0.1.63)(@swc/core@1.3.101)
+        version: 10.2.1(@swc/cli@0.1.63)(@swc/core@1.3.103)
       '@nestjs/schematics':
         specifier: ^10.0.3
         version: 10.0.3(typescript@5.3.3)
@@ -255,13 +255,13 @@ importers:
         version: 10.3.0(@nestjs/common@10.3.0)(@nestjs/core@10.3.0)(@nestjs/microservices@10.3.0)(@nestjs/platform-express@10.3.0)
       '@swc/cli':
         specifier: ^0.1.63
-        version: 0.1.63(@swc/core@1.3.101)
+        version: 0.1.63(@swc/core@1.3.103)
       '@swc/core':
         specifier: ^1.3.101
-        version: 1.3.101
+        version: 1.3.103
       '@swc/jest':
         specifier: ^0.2.29
-        version: 0.2.29(@swc/core@1.3.101)
+        version: 0.2.29(@swc/core@1.3.103)
       '@types/express':
         specifier: ^4.17.21
         version: 4.17.21
@@ -270,10 +270,10 @@ importers:
         version: 29.5.11
       '@types/node':
         specifier: ^20.10.5
-        version: 20.10.5
+        version: 20.11.4
       jest:
         specifier: ^29.7.0
-        version: 29.7.0(@types/node@20.10.5)
+        version: 29.7.0(@types/node@20.11.4)
       rimraf:
         specifier: ^5.0.5
         version: 5.0.5
@@ -377,39 +377,30 @@ importers:
 
   apps/proof-manager:
     dependencies:
-      '@elastic/ecs-winston-format':
-        specifier: ^1.5.0
-        version: 1.5.0
-      '@nestjs/axios':
-        specifier: ^3.0.1
-        version: 3.0.1(@nestjs/common@10.2.8)(axios@1.6.2)(reflect-metadata@0.1.13)(rxjs@7.8.1)
       '@nestjs/common':
-        specifier: ^10.2.8
-        version: 10.2.8(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
+        specifier: ^10.2.10
+        version: 10.2.10(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
       '@nestjs/config':
         specifier: ^3.1.1
-        version: 3.1.1(@nestjs/common@10.2.8)(reflect-metadata@0.1.13)
+        version: 3.1.1(@nestjs/common@10.2.10)(reflect-metadata@0.1.13)
       '@nestjs/core':
-        specifier: ^10.2.8
-        version: 10.2.8(@nestjs/common@10.2.8)(@nestjs/microservices@10.2.8)(@nestjs/platform-express@10.2.8)(reflect-metadata@0.1.13)(rxjs@7.8.1)
+        specifier: ^10.2.10
+        version: 10.2.10(@nestjs/common@10.2.10)(@nestjs/microservices@10.2.10)(@nestjs/platform-express@10.2.8)(reflect-metadata@0.1.13)(rxjs@7.8.1)
       '@nestjs/mapped-types':
         specifier: ^2.0.4
-        version: 2.0.4(@nestjs/common@10.2.8)(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)
+        version: 2.0.4(@nestjs/common@10.2.10)(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)
       '@nestjs/microservices':
-        specifier: ^10.2.8
-        version: 10.2.8(@nestjs/common@10.2.8)(@nestjs/core@10.2.8)(nats@2.18.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
+        specifier: ^10.2.10
+        version: 10.2.10(@nestjs/common@10.2.10)(@nestjs/core@10.2.10)(nats@2.18.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
       '@nestjs/platform-express':
         specifier: ^10.2.8
-        version: 10.2.8(@nestjs/common@10.2.8)(@nestjs/core@10.2.8)
+        version: 10.2.8(@nestjs/common@10.2.10)(@nestjs/core@10.2.10)
       '@nestjs/swagger':
         specifier: ^7.1.16
-        version: 7.1.16(@nestjs/common@10.2.8)(@nestjs/core@10.2.8)(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)
-      '@nestjs/terminus':
-        specifier: ^10.1.1
-        version: 10.1.1(@nestjs/axios@3.0.1)(@nestjs/common@10.2.8)(@nestjs/core@10.2.8)(@nestjs/microservices@10.2.8)(@prisma/client@5.6.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
-      '@prisma/client':
-        specifier: ^5.6.0
-        version: 5.6.0(prisma@5.6.0)
+        version: 7.1.16(@nestjs/common@10.2.10)(@nestjs/core@10.2.10)(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)
+      '@ocm/shared':
+        specifier: workspace:*
+        version: link:../shared
       class-validator:
         specifier: ^0.14.0
         version: 0.14.0
@@ -419,36 +410,15 @@ importers:
       joi:
         specifier: ^17.11.0
         version: 17.11.0
-      js-base64:
-        specifier: ^3.7.2
-        version: 3.7.5
-      jsonwebtoken:
-        specifier: ^9.0.2
-        version: 9.0.2
-      jwks-rsa:
-        specifier: ^3.1.0
-        version: 3.1.0
-      moment:
-        specifier: ^2.29.4
-        version: 2.29.4
       nats:
         specifier: ^2.18.0
         version: 2.18.0
-      pg:
-        specifier: ^8.11.3
-        version: 8.11.3
       reflect-metadata:
         specifier: ^0.1.13
         version: 0.1.13
       rxjs:
         specifier: ^7.8.1
         version: 7.8.1
-      winston:
-        specifier: ^3.11.0
-        version: 3.11.0
-      winston-elasticsearch:
-        specifier: ^0.17.4
-        version: 0.17.4
     devDependencies:
       '@jest/globals':
         specifier: ^29.7.0
@@ -458,10 +428,10 @@ importers:
         version: 10.2.1(@swc/cli@0.1.63)(@swc/core@1.3.96)
       '@nestjs/schematics':
         specifier: ^10.0.3
-        version: 10.0.3(chokidar@3.5.3)(typescript@5.2.2)
+        version: 10.0.3(typescript@5.3.2)
       '@nestjs/testing':
-        specifier: ^10.2.8
-        version: 10.2.8(@nestjs/common@10.2.8)(@nestjs/core@10.2.8)(@nestjs/microservices@10.2.8)(@nestjs/platform-express@10.2.8)
+        specifier: ^10.2.10
+        version: 10.2.10(@nestjs/common@10.2.10)(@nestjs/core@10.2.10)(@nestjs/microservices@10.2.10)(@nestjs/platform-express@10.2.8)
       '@swc/cli':
         specifier: ^0.1.62
         version: 0.1.63(@swc/core@1.3.96)
@@ -475,47 +445,23 @@ importers:
         specifier: ^4.17.21
         version: 4.17.21
       '@types/jest':
-        specifier: ^29.5.8
-        version: 29.5.8
-      '@types/jsonwebtoken':
-        specifier: ^9.0.5
-        version: 9.0.5
+        specifier: ^29.5.9
+        version: 29.5.10
       '@types/node':
-        specifier: ^20.9.0
-        version: 20.9.0
-      '@types/supertest':
-        specifier: ^2.0.16
-        version: 2.0.16
+        specifier: ^20.9.3
+        version: 20.9.4
       dotenv-cli:
         specifier: ^7.3.0
         version: 7.3.0
       jest:
         specifier: ^29.7.0
-        version: 29.7.0(@types/node@20.9.0)(ts-node@10.9.1)
-      node-mocks-http:
-        specifier: ^1.13.0
-        version: 1.13.0
-      prisma:
-        specifier: ^5.6.0
-        version: 5.6.0
+        version: 29.7.0(@types/node@20.9.4)(ts-node@10.9.1)
       rimraf:
         specifier: ^5.0.5
         version: 5.0.5
-      source-map-support:
-        specifier: ^0.5.21
-        version: 0.5.21
-      supertest:
-        specifier: ^6.3.3
-        version: 6.3.3
-      swagger-ui-express:
-        specifier: ^5.0.0
-        version: 5.0.0(express@4.18.2)
-      ts-node:
-        specifier: ^10.9.1
-        version: 10.9.1(@swc/core@1.3.96)(@types/node@20.9.0)(typescript@5.2.2)
       typescript:
-        specifier: ^5.2.2
-        version: 5.2.2
+        specifier: ^5.3.2
+        version: 5.3.2
 
   apps/schema-manager:
     dependencies:
@@ -639,7 +585,7 @@ importers:
         version: 10.3.0(@nestjs/common@10.3.0)(@nestjs/core@10.3.0)(nats@2.18.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
       '@nestjs/swagger':
         specifier: ^7.1.17
-        version: 7.1.17(@nestjs/common@10.3.0)(@nestjs/core@10.3.0)(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)
+        version: 7.2.0(@nestjs/common@10.3.0)(@nestjs/core@10.3.0)(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)
       '@nestjs/terminus':
         specifier: ^10.2.0
         version: 10.2.0(@nestjs/axios@3.0.1)(@nestjs/common@10.3.0)(@nestjs/core@10.3.0)(@nestjs/microservices@10.3.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
@@ -653,7 +599,7 @@ importers:
         specifier: ^0.14.0
         version: 0.14.0
       joi:
-        specifier: ^17.6.0
+        specifier: ^17.11.0
         version: 17.11.0
       nats:
         specifier: ^2.18.0
@@ -681,13 +627,13 @@ importers:
         specifier: ^5.0.5
         version: 5.0.5
       supertest:
-        specifier: ^6.1.3
+        specifier: ^6.3.3
         version: 6.3.3
       ts-jest:
         specifier: ^29.1.1
         version: 29.1.1(@babel/core@7.23.0)(jest@29.7.0)(typescript@5.3.3)
       ts-node:
-        specifier: ^10.0.0
+        specifier: ^10.9.1
         version: 10.9.1(@types/node@20.9.4)(typescript@5.3.3)
       tsconfig-paths:
         specifier: ^4.2.0
@@ -748,7 +694,7 @@ importers:
         version: 10.2.10(@nestjs/common@10.2.10)(@nestjs/core@10.2.10)(nats@2.18.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
       '@nestjs/terminus':
         specifier: ^10.1.1
-        version: 10.1.1(@nestjs/axios@3.0.1)(@nestjs/common@10.2.10)(@nestjs/core@10.2.10)(@nestjs/microservices@10.2.10)(reflect-metadata@0.1.13)(rxjs@7.8.1)
+        version: 10.1.1(@nestjs/axios@3.0.1)(@nestjs/common@10.2.10)(@nestjs/core@10.2.10)(@nestjs/microservices@10.2.10)(@prisma/client@5.6.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
       '@ocm/shared':
         specifier: workspace:*
         version: link:../shared
@@ -824,7 +770,7 @@ importers:
         version: 29.1.1(@babel/core@7.23.0)(jest@29.7.0)(typescript@5.3.2)
       ts-node:
         specifier: ^10.0.0
-        version: 10.9.1(@types/node@20.9.4)(typescript@5.3.2)
+        version: 10.9.1(@swc/core@1.3.96)(@types/node@20.9.4)(typescript@5.3.2)
       tsconfig-paths:
         specifier: ^4.2.0
         version: 4.2.0
@@ -3446,7 +3392,7 @@ packages:
     engines: {node: ^14.15.0 || ^16.10.0 || >=18.0.0}
     dependencies:
       '@jest/types': 29.6.3
-      '@types/node': 20.10.5
+      '@types/node': 20.11.4
       chalk: 4.1.2
       jest-message-util: 29.7.0
       jest-util: 29.7.0
@@ -3467,14 +3413,14 @@ packages:
       '@jest/test-result': 29.7.0
       '@jest/transform': 29.7.0
       '@jest/types': 29.6.3
-      '@types/node': 20.9.4
+      '@types/node': 20.11.4
       ansi-escapes: 4.3.2
       chalk: 4.1.2
       ci-info: 3.9.0
       exit: 0.1.2
       graceful-fs: 4.2.11
       jest-changed-files: 29.7.0
-      jest-config: 29.7.0(@types/node@20.9.4)(ts-node@10.9.1)
+      jest-config: 29.7.0(@types/node@20.11.4)(ts-node@10.9.1)
       jest-haste-map: 29.7.0
       jest-message-util: 29.7.0
       jest-regex-util: 29.6.3
@@ -3517,7 +3463,7 @@ packages:
     dependencies:
       '@jest/fake-timers': 29.7.0
       '@jest/types': 29.6.3
-      '@types/node': 20.10.5
+      '@types/node': 20.11.4
       jest-mock: 29.7.0
 
   /@jest/expect-utils@29.7.0:
@@ -3543,7 +3489,7 @@ packages:
     dependencies:
       '@jest/types': 29.6.3
       '@sinonjs/fake-timers': 10.3.0
-      '@types/node': 20.10.5
+      '@types/node': 20.11.4
       jest-message-util: 29.7.0
       jest-mock: 29.7.0
       jest-util: 29.7.0
@@ -3575,7 +3521,7 @@ packages:
       '@jest/transform': 29.7.0
       '@jest/types': 29.6.3
       '@jridgewell/trace-mapping': 0.3.19
-      '@types/node': 20.10.5
+      '@types/node': 20.11.4
       chalk: 4.1.2
       collect-v8-coverage: 1.0.2
       exit: 0.1.2
@@ -3661,7 +3607,7 @@ packages:
     dependencies:
       '@types/istanbul-lib-coverage': 2.0.4
       '@types/istanbul-reports': 3.0.2
-      '@types/node': 20.10.5
+      '@types/node': 20.11.4
       '@types/yargs': 15.0.18
       chalk: 4.1.2
     dev: false
@@ -3673,7 +3619,7 @@ packages:
     dependencies:
       '@types/istanbul-lib-coverage': 2.0.4
       '@types/istanbul-reports': 3.0.2
-      '@types/node': 20.10.5
+      '@types/node': 20.11.4
       '@types/yargs': 16.0.6
       chalk: 4.1.2
 
@@ -3684,7 +3630,7 @@ packages:
       '@jest/schemas': 29.6.3
       '@types/istanbul-lib-coverage': 2.0.4
       '@types/istanbul-reports': 3.0.2
-      '@types/node': 20.10.5
+      '@types/node': 20.11.4
       '@types/yargs': 17.0.31
       chalk: 4.1.2
 
@@ -3780,20 +3726,6 @@ packages:
       rxjs: 7.8.1
     dev: false
 
-  /@nestjs/axios@3.0.1(@nestjs/common@10.2.8)(axios@1.6.2)(reflect-metadata@0.1.13)(rxjs@7.8.1):
-    resolution: {integrity: sha512-VlOZhAGDmOoFdsmewn8AyClAdGpKXQQaY1+3PGB+g6ceurGIdTxZgRX3VXc1T6Zs60PedWjg3A82TDOB05mrzQ==}
-    peerDependencies:
-      '@nestjs/common': ^7.0.0 || ^8.0.0 || ^9.0.0 || ^10.0.0
-      axios: ^1.3.1
-      reflect-metadata: ^0.1.12
-      rxjs: ^6.0.0 || ^7.0.0
-    dependencies:
-      '@nestjs/common': 10.2.8(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
-      axios: 1.6.2
-      reflect-metadata: 0.1.13
-      rxjs: 7.8.1
-    dev: false
-
   /@nestjs/axios@3.0.1(@nestjs/common@10.3.0)(axios@1.6.2)(reflect-metadata@0.1.13)(rxjs@7.8.1):
     resolution: {integrity: sha512-VlOZhAGDmOoFdsmewn8AyClAdGpKXQQaY1+3PGB+g6ceurGIdTxZgRX3VXc1T6Zs60PedWjg3A82TDOB05mrzQ==}
     peerDependencies:
@@ -3850,7 +3782,7 @@ packages:
       - webpack-cli
     dev: true
 
-  /@nestjs/cli@10.2.1(@swc/cli@0.1.63)(@swc/core@1.3.101):
+  /@nestjs/cli@10.2.1(@swc/cli@0.1.63)(@swc/core@1.3.103):
     resolution: {integrity: sha512-CAJAQwmxFZfB3RTvqz/eaXXWpyU+mZ4QSqfBYzjneTsPgF+uyOAW3yQpaLNn9Dfcv39R9UxSuAhayv6yuFd+Jg==}
     engines: {node: '>= 16.14'}
     hasBin: true
@@ -3867,8 +3799,8 @@ packages:
       '@angular-devkit/schematics': 16.2.8(chokidar@3.5.3)
       '@angular-devkit/schematics-cli': 16.2.8(chokidar@3.5.3)
       '@nestjs/schematics': 10.0.3(chokidar@3.5.3)(typescript@5.2.2)
-      '@swc/cli': 0.1.63(@swc/core@1.3.101)
-      '@swc/core': 1.3.101
+      '@swc/cli': 0.1.63(@swc/core@1.3.103)
+      '@swc/core': 1.3.103
       chalk: 4.1.2
       chokidar: 3.5.3
       cli-table3: 0.6.3
@@ -3886,7 +3818,7 @@ packages:
       tsconfig-paths: 4.2.0
       tsconfig-paths-webpack-plugin: 4.1.0
       typescript: 5.2.2
-      webpack: 5.89.0(@swc/core@1.3.101)
+      webpack: 5.89.0(@swc/core@1.3.103)
       webpack-node-externals: 3.0.0
     transitivePeerDependencies:
       - esbuild
@@ -3959,27 +3891,6 @@ packages:
       tslib: 2.6.2
       uid: 2.0.2
 
-  /@nestjs/common@10.2.8(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)(rxjs@7.8.1):
-    resolution: {integrity: sha512-rmpwcdvq2IWMmsUVP8rsdKub6uDWk7dwCYo0aif50JTwcvcxzaP3iKVFKoSgvp0RKYu8h15+/AEOfaInmPpl0Q==}
-    peerDependencies:
-      class-transformer: '*'
-      class-validator: '*'
-      reflect-metadata: ^0.1.12
-      rxjs: ^7.1.0
-    peerDependenciesMeta:
-      class-transformer:
-        optional: true
-      class-validator:
-        optional: true
-    dependencies:
-      class-transformer: 0.5.1
-      class-validator: 0.14.0
-      iterare: 1.2.1
-      reflect-metadata: 0.1.13
-      rxjs: 7.8.1
-      tslib: 2.6.2
-      uid: 2.0.2
-
   /@nestjs/common@10.3.0(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)(rxjs@7.8.1):
     resolution: {integrity: sha512-DGv34UHsZBxCM3H5QGE2XE/+oLJzz5+714JQjBhjD9VccFlQs3LRxo/epso4l7nJIiNlZkPyIUC8WzfU/5RTsQ==}
     peerDependencies:
@@ -4015,20 +3926,6 @@ packages:
       uuid: 9.0.0
     dev: false
 
-  /@nestjs/config@3.1.1(@nestjs/common@10.2.8)(reflect-metadata@0.1.13):
-    resolution: {integrity: sha512-qu5QlNiJdqQtOsnB6lx4JCXPQ96jkKUsOGd+JXfXwqJqZcOSAq6heNFg0opW4pq4J/VZoNwoo87TNnx9wthnqQ==}
-    peerDependencies:
-      '@nestjs/common': ^8.0.0 || ^9.0.0 || ^10.0.0
-      reflect-metadata: ^0.1.13
-    dependencies:
-      '@nestjs/common': 10.2.8(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
-      dotenv: 16.3.1
-      dotenv-expand: 10.0.0
-      lodash: 4.17.21
-      reflect-metadata: 0.1.13
-      uuid: 9.0.0
-    dev: false
-
   /@nestjs/config@3.1.1(@nestjs/common@10.3.0)(reflect-metadata@0.1.13):
     resolution: {integrity: sha512-qu5QlNiJdqQtOsnB6lx4JCXPQ96jkKUsOGd+JXfXwqJqZcOSAq6heNFg0opW4pq4J/VZoNwoo87TNnx9wthnqQ==}
     peerDependencies:
@@ -4075,38 +3972,6 @@ packages:
     transitivePeerDependencies:
       - encoding
 
-  /@nestjs/core@10.2.8(@nestjs/common@10.2.8)(@nestjs/microservices@10.2.8)(@nestjs/platform-express@10.2.8)(reflect-metadata@0.1.13)(rxjs@7.8.1):
-    resolution: {integrity: sha512-9+MZ2s8ixfY9Bl/M9ofChiyYymcwdK9ZWNH4GDMF7Am7XRAQ1oqde6MYGG05rhQwiVXuTwaYLlXciJKfsrg5qg==}
-    requiresBuild: true
-    peerDependencies:
-      '@nestjs/common': ^10.0.0
-      '@nestjs/microservices': ^10.0.0
-      '@nestjs/platform-express': ^10.0.0
-      '@nestjs/websockets': ^10.0.0
-      reflect-metadata: ^0.1.12
-      rxjs: ^7.1.0
-    peerDependenciesMeta:
-      '@nestjs/microservices':
-        optional: true
-      '@nestjs/platform-express':
-        optional: true
-      '@nestjs/websockets':
-        optional: true
-    dependencies:
-      '@nestjs/common': 10.2.8(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
-      '@nestjs/microservices': 10.2.8(@nestjs/common@10.2.8)(@nestjs/core@10.2.8)(nats@2.18.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
-      '@nestjs/platform-express': 10.2.8(@nestjs/common@10.2.8)(@nestjs/core@10.2.8)
-      '@nuxtjs/opencollective': 0.3.2
-      fast-safe-stringify: 2.1.1
-      iterare: 1.2.1
-      path-to-regexp: 3.2.0
-      reflect-metadata: 0.1.13
-      rxjs: 7.8.1
-      tslib: 2.6.2
-      uid: 2.0.2
-    transitivePeerDependencies:
-      - encoding
-
   /@nestjs/core@10.3.0(@nestjs/common@10.3.0)(@nestjs/microservices@10.3.0)(@nestjs/platform-express@10.3.0)(reflect-metadata@0.1.13)(rxjs@7.8.1):
     resolution: {integrity: sha512-N06P5ncknW/Pm8bj964WvLIZn2gNhHliCBoAO1LeBvNImYkecqKcrmLbY49Fa1rmMfEM3MuBHeDys3edeuYAOA==}
     requiresBuild: true
@@ -4158,26 +4023,7 @@ packages:
       reflect-metadata: 0.1.13
     dev: false
 
-  /@nestjs/mapped-types@2.0.3(@nestjs/common@10.2.8)(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13):
-    resolution: {integrity: sha512-40Zdqg98lqoF0+7ThWIZFStxgzisK6GG22+1ABO4kZiGF/Tu2FE+DYLw+Q9D94vcFWizJ+MSjNN4ns9r6hIGxw==}
-    peerDependencies:
-      '@nestjs/common': ^8.0.0 || ^9.0.0 || ^10.0.0
-      class-transformer: ^0.4.0 || ^0.5.0
-      class-validator: ^0.13.0 || ^0.14.0
-      reflect-metadata: ^0.1.12
-    peerDependenciesMeta:
-      class-transformer:
-        optional: true
-      class-validator:
-        optional: true
-    dependencies:
-      '@nestjs/common': 10.2.8(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
-      class-transformer: 0.5.1
-      class-validator: 0.14.0
-      reflect-metadata: 0.1.13
-    dev: false
-
-  /@nestjs/mapped-types@2.0.4(@nestjs/common@10.2.8)(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13):
+  /@nestjs/mapped-types@2.0.4(@nestjs/common@10.2.10)(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13):
     resolution: {integrity: sha512-xl+gUSp0B+ln1VSNoUftlglk8dfpUes3DHGxKZ5knuBxS5g2H/8p9/DSBOYWUfO5f4u9s6ffBPZ71WO+tbe5SA==}
     peerDependencies:
       '@nestjs/common': ^8.0.0 || ^9.0.0 || ^10.0.0
@@ -4190,7 +4036,7 @@ packages:
       class-validator:
         optional: true
     dependencies:
-      '@nestjs/common': 10.2.8(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
+      '@nestjs/common': 10.2.10(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
       class-transformer: 0.5.1
       class-validator: 0.14.0
       reflect-metadata: 0.1.13
@@ -4259,50 +4105,6 @@ packages:
       rxjs: 7.8.1
       tslib: 2.6.2
 
-  /@nestjs/microservices@10.2.8(@nestjs/common@10.2.8)(@nestjs/core@10.2.8)(nats@2.18.0)(reflect-metadata@0.1.13)(rxjs@7.8.1):
-    resolution: {integrity: sha512-zfrD7hgN3ygrjicASQUVdnsh3V7vTmhZfttZ7ZNjihwqEoweJFgWmqKkpAfbCrIP7z19gT4JQ8hO4W0Alwdt0w==}
-    peerDependencies:
-      '@grpc/grpc-js': '*'
-      '@nestjs/common': ^10.0.0
-      '@nestjs/core': ^10.0.0
-      '@nestjs/websockets': ^10.0.0
-      amqp-connection-manager: '*'
-      amqplib: '*'
-      cache-manager: '*'
-      ioredis: '*'
-      kafkajs: '*'
-      mqtt: '*'
-      nats: '*'
-      reflect-metadata: ^0.1.12
-      rxjs: ^7.1.0
-    peerDependenciesMeta:
-      '@grpc/grpc-js':
-        optional: true
-      '@nestjs/websockets':
-        optional: true
-      amqp-connection-manager:
-        optional: true
-      amqplib:
-        optional: true
-      cache-manager:
-        optional: true
-      ioredis:
-        optional: true
-      kafkajs:
-        optional: true
-      mqtt:
-        optional: true
-      nats:
-        optional: true
-    dependencies:
-      '@nestjs/common': 10.2.8(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
-      '@nestjs/core': 10.2.8(@nestjs/common@10.2.8)(@nestjs/microservices@10.2.8)(@nestjs/platform-express@10.2.8)(reflect-metadata@0.1.13)(rxjs@7.8.1)
-      iterare: 1.2.1
-      nats: 2.18.0
-      reflect-metadata: 0.1.13
-      rxjs: 7.8.1
-      tslib: 2.6.2
-
   /@nestjs/microservices@10.3.0(@nestjs/common@10.3.0)(@nestjs/core@10.3.0)(nats@2.18.0)(reflect-metadata@0.1.13)(rxjs@7.8.1):
     resolution: {integrity: sha512-CZj27dEN4Rh6t9cRXv5EEg+HwkOUk02DDdS7x4eLcphnP4wgsLNDEo8vQ2gbQHFGpZhLUyeeynjNGkpV9T3+og==}
     peerDependencies:
@@ -4363,22 +4165,6 @@ packages:
     transitivePeerDependencies:
       - supports-color
 
-  /@nestjs/platform-express@10.2.8(@nestjs/common@10.2.8)(@nestjs/core@10.2.8):
-    resolution: {integrity: sha512-WoSSVtwIRc5AdGMHWVzWZK4JZLT0f4o2xW8P9gQvcX+omL8W1kXCfY8GQYXNBG84XmBNYH8r0FtC8oMe/lH5NQ==}
-    peerDependencies:
-      '@nestjs/common': ^10.0.0
-      '@nestjs/core': ^10.0.0
-    dependencies:
-      '@nestjs/common': 10.2.8(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
-      '@nestjs/core': 10.2.8(@nestjs/common@10.2.8)(@nestjs/microservices@10.2.8)(@nestjs/platform-express@10.2.8)(reflect-metadata@0.1.13)(rxjs@7.8.1)
-      body-parser: 1.20.2
-      cors: 2.8.5
-      express: 4.18.2
-      multer: 1.4.4-lts.1
-      tslib: 2.6.2
-    transitivePeerDependencies:
-      - supports-color
-
   /@nestjs/platform-express@10.3.0(@nestjs/common@10.3.0)(@nestjs/core@10.3.0):
     resolution: {integrity: sha512-E4hUW48bYv8OHbP9XQg6deefmXb0pDSSuE38SdhA0mJ37zGY7C5EqqBUdlQk4ttfD+OdnbIgJ1zOokT6dd2d7A==}
     peerDependencies:
@@ -4483,37 +4269,8 @@ packages:
       swagger-ui-dist: 5.9.1
     dev: false
 
-  /@nestjs/swagger@7.1.16(@nestjs/common@10.2.8)(@nestjs/core@10.2.8)(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13):
-    resolution: {integrity: sha512-f9KBk/BX9MUKPTj7tQNYJ124wV/jP5W2lwWHLGwe/4qQXixuDOo39zP55HIJ44LE7S04B7BOeUOo9GBJD/vRcw==}
-    peerDependencies:
-      '@fastify/static': ^6.0.0
-      '@nestjs/common': ^9.0.0 || ^10.0.0
-      '@nestjs/core': ^9.0.0 || ^10.0.0
-      class-transformer: '*'
-      class-validator: '*'
-      reflect-metadata: ^0.1.12
-    peerDependenciesMeta:
-      '@fastify/static':
-        optional: true
-      class-transformer:
-        optional: true
-      class-validator:
-        optional: true
-    dependencies:
-      '@nestjs/common': 10.2.8(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
-      '@nestjs/core': 10.2.8(@nestjs/common@10.2.8)(@nestjs/microservices@10.2.8)(@nestjs/platform-express@10.2.8)(reflect-metadata@0.1.13)(rxjs@7.8.1)
-      '@nestjs/mapped-types': 2.0.3(@nestjs/common@10.2.8)(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)
-      class-transformer: 0.5.1
-      class-validator: 0.14.0
-      js-yaml: 4.1.0
-      lodash: 4.17.21
-      path-to-regexp: 3.2.0
-      reflect-metadata: 0.1.13
-      swagger-ui-dist: 5.9.1
-    dev: false
-
-  /@nestjs/swagger@7.1.17(@nestjs/common@10.3.0)(@nestjs/core@10.3.0)(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13):
-    resolution: {integrity: sha512-ASCxBrvMEN2o/8vEEmrIPMNzrr/hVi7QIR4y1oNYvoBNXHuwoF1VSI3+4Rq/3xmwVnVveJxHlBIs2u5xY9VgGQ==}
+  /@nestjs/swagger@7.2.0(@nestjs/common@10.3.0)(@nestjs/core@10.3.0)(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13):
+    resolution: {integrity: sha512-W7WPq561/79w27ZEgViXS7c5hqPwT7QXhsLsSeu2jeBROUhMM825QKDFKbMmtb643IW5dznJ4PjherlZZgtMvg==}
     peerDependencies:
       '@fastify/static': ^6.0.0
       '@nestjs/common': ^9.0.0 || ^10.0.0
@@ -4538,10 +4295,10 @@ packages:
       lodash: 4.17.21
       path-to-regexp: 3.2.0
       reflect-metadata: 0.1.13
-      swagger-ui-dist: 5.10.3
+      swagger-ui-dist: 5.11.0
     dev: false
 
-  /@nestjs/terminus@10.1.1(@nestjs/axios@3.0.1)(@nestjs/common@10.2.10)(@nestjs/core@10.2.10)(@nestjs/microservices@10.2.10)(reflect-metadata@0.1.13)(rxjs@7.8.1):
+  /@nestjs/terminus@10.1.1(@nestjs/axios@3.0.1)(@nestjs/common@10.2.10)(@nestjs/core@10.2.10)(@nestjs/microservices@10.2.10)(@prisma/client@5.6.0)(reflect-metadata@0.1.13)(rxjs@7.8.1):
     resolution: {integrity: sha512-aDoPK/uaR9PHn56xzand6zqpp+S3Ibm+y/OrG3M01F1WnScLfo29hbS6MdnIMqmVRAS11r/8X3xWTSo8TT/Lig==}
     peerDependencies:
       '@grpc/grpc-js': '*'
@@ -4593,64 +4350,6 @@ packages:
       '@nestjs/common': 10.2.10(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
       '@nestjs/core': 10.2.10(@nestjs/common@10.2.10)(@nestjs/microservices@10.2.10)(@nestjs/platform-express@10.2.8)(reflect-metadata@0.1.13)(rxjs@7.8.1)
       '@nestjs/microservices': 10.2.10(@nestjs/common@10.2.10)(@nestjs/core@10.2.10)(nats@2.18.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
-      boxen: 5.1.2
-      check-disk-space: 3.4.0
-      reflect-metadata: 0.1.13
-      rxjs: 7.8.1
-    dev: false
-
-  /@nestjs/terminus@10.1.1(@nestjs/axios@3.0.1)(@nestjs/common@10.2.8)(@nestjs/core@10.2.8)(@nestjs/microservices@10.2.8)(@prisma/client@5.6.0)(reflect-metadata@0.1.13)(rxjs@7.8.1):
-    resolution: {integrity: sha512-aDoPK/uaR9PHn56xzand6zqpp+S3Ibm+y/OrG3M01F1WnScLfo29hbS6MdnIMqmVRAS11r/8X3xWTSo8TT/Lig==}
-    peerDependencies:
-      '@grpc/grpc-js': '*'
-      '@grpc/proto-loader': '*'
-      '@mikro-orm/core': '*'
-      '@mikro-orm/nestjs': '*'
-      '@nestjs/axios': ^1.0.0 || ^2.0.0 || ^3.0.0
-      '@nestjs/common': ^9.0.0 || ^10.0.0
-      '@nestjs/core': ^9.0.0 || ^10.0.0
-      '@nestjs/microservices': ^9.0.0 || ^10.0.0
-      '@nestjs/mongoose': ^9.0.0 || ^10.0.0
-      '@nestjs/sequelize': ^9.0.0 || ^10.0.0
-      '@nestjs/typeorm': ^9.0.0 || ^10.0.0
-      '@prisma/client': '*'
-      mongoose: '*'
-      reflect-metadata: 0.1.x
-      rxjs: 7.x
-      sequelize: '*'
-      typeorm: '*'
-    peerDependenciesMeta:
-      '@grpc/grpc-js':
-        optional: true
-      '@grpc/proto-loader':
-        optional: true
-      '@mikro-orm/core':
-        optional: true
-      '@mikro-orm/nestjs':
-        optional: true
-      '@nestjs/axios':
-        optional: true
-      '@nestjs/microservices':
-        optional: true
-      '@nestjs/mongoose':
-        optional: true
-      '@nestjs/sequelize':
-        optional: true
-      '@nestjs/typeorm':
-        optional: true
-      '@prisma/client':
-        optional: true
-      mongoose:
-        optional: true
-      sequelize:
-        optional: true
-      typeorm:
-        optional: true
-    dependencies:
-      '@nestjs/axios': 3.0.1(@nestjs/common@10.2.8)(axios@1.6.2)(reflect-metadata@0.1.13)(rxjs@7.8.1)
-      '@nestjs/common': 10.2.8(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
-      '@nestjs/core': 10.2.8(@nestjs/common@10.2.8)(@nestjs/microservices@10.2.8)(@nestjs/platform-express@10.2.8)(reflect-metadata@0.1.13)(rxjs@7.8.1)
-      '@nestjs/microservices': 10.2.8(@nestjs/common@10.2.8)(@nestjs/core@10.2.8)(nats@2.18.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
       '@prisma/client': 5.6.0(prisma@5.6.0)
       boxen: 5.1.2
       check-disk-space: 3.4.0
@@ -4736,26 +4435,6 @@ packages:
       tslib: 2.6.2
     dev: true
 
-  /@nestjs/testing@10.2.8(@nestjs/common@10.2.8)(@nestjs/core@10.2.8)(@nestjs/microservices@10.2.8)(@nestjs/platform-express@10.2.8):
-    resolution: {integrity: sha512-9Kj5IQhM67/nj/MT6Wi2OmWr5YQnCMptwKVFrX1TDaikpY12196v7frk0jVjdT7wms7rV07GZle9I2z0aSjqtQ==}
-    peerDependencies:
-      '@nestjs/common': ^10.0.0
-      '@nestjs/core': ^10.0.0
-      '@nestjs/microservices': ^10.0.0
-      '@nestjs/platform-express': ^10.0.0
-    peerDependenciesMeta:
-      '@nestjs/microservices':
-        optional: true
-      '@nestjs/platform-express':
-        optional: true
-    dependencies:
-      '@nestjs/common': 10.2.8(class-transformer@0.5.1)(class-validator@0.14.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
-      '@nestjs/core': 10.2.8(@nestjs/common@10.2.8)(@nestjs/microservices@10.2.8)(@nestjs/platform-express@10.2.8)(reflect-metadata@0.1.13)(rxjs@7.8.1)
-      '@nestjs/microservices': 10.2.8(@nestjs/common@10.2.8)(@nestjs/core@10.2.8)(nats@2.18.0)(reflect-metadata@0.1.13)(rxjs@7.8.1)
-      '@nestjs/platform-express': 10.2.8(@nestjs/common@10.2.8)(@nestjs/core@10.2.8)
-      tslib: 2.6.2
-    dev: true
-
   /@nestjs/testing@10.3.0(@nestjs/common@10.3.0)(@nestjs/core@10.3.0)(@nestjs/microservices@10.3.0)(@nestjs/platform-express@10.3.0):
     resolution: {integrity: sha512-8DM+bw1qASCvaEnoHUQhypCOf54+G5R21MeFBMvnSk5DtKaWVZuzDP2GjLeYCpTH19WeP6LrrjHv3rX2LKU02A==}
     peerDependencies:
@@ -5287,7 +4966,7 @@ packages:
     resolution: {integrity: sha512-WfqfX/eXGiAd3RJe4VU2snh/ZPwtSjLG4ynQ/vYzvghTh7dHFcI1wl+nrkWG6lGhukOxOsUHfv8dUXr58D0ayg==}
     dev: false
 
-  /@swc/cli@0.1.63(@swc/core@1.3.101):
+  /@swc/cli@0.1.63(@swc/core@1.3.103):
     resolution: {integrity: sha512-EM9oxxHzmmsprYRbGqsS2M4M/Gr5Gkcl0ROYYIdlUyTkhOiX822EQiRCpPCwdutdnzH2GyaTN7wc6i0Y+CKd3A==}
     engines: {node: '>= 12.13'}
     hasBin: true
@@ -5299,7 +4978,7 @@ packages:
         optional: true
     dependencies:
       '@mole-inc/bin-wrapper': 8.0.1
-      '@swc/core': 1.3.101
+      '@swc/core': 1.3.103
       commander: 7.2.0
       fast-glob: 3.3.2
       semver: 7.5.4
@@ -5321,14 +5000,14 @@ packages:
       '@mole-inc/bin-wrapper': 8.0.1
       '@swc/core': 1.3.96
       commander: 7.2.0
-      fast-glob: 3.3.1
+      fast-glob: 3.3.2
       semver: 7.5.4
       slash: 3.0.0
       source-map: 0.7.4
     dev: true
 
-  /@swc/core-darwin-arm64@1.3.101:
-    resolution: {integrity: sha512-mNFK+uHNPRXSnfTOG34zJOeMl2waM4hF4a2NY7dkMXrPqw9CoJn4MwTXJcyMiSz1/BnNjjTCHF3Yhj0jPxmkzQ==}
+  /@swc/core-darwin-arm64@1.3.103:
+    resolution: {integrity: sha512-Dqqz48mvdm/3PHPPA6YeAEofkF9H5Krgqd/baPf0dXcarzng6U9Ilv2aCtDjq7dfI9jfkVCW5zuwq98PE2GEdw==}
     engines: {node: '>=10'}
     cpu: [arm64]
     os: [darwin]
@@ -5345,8 +5024,8 @@ packages:
     dev: true
     optional: true
 
-  /@swc/core-darwin-x64@1.3.101:
-    resolution: {integrity: sha512-B085j8XOx73Fg15KsHvzYWG262bRweGr3JooO1aW5ec5pYbz5Ew9VS5JKYS03w2UBSxf2maWdbPz2UFAxg0whw==}
+  /@swc/core-darwin-x64@1.3.103:
+    resolution: {integrity: sha512-mhUVSCEAyFLqtrDtwr9qPbe891J8cKxq53CD873/ZsUnyasHMPyWXzTvy9qjmbYyfDIArm6fGqjF5YsDKwGGNg==}
     engines: {node: '>=10'}
     cpu: [x64]
     os: [darwin]
@@ -5363,8 +5042,8 @@ packages:
     dev: true
     optional: true
 
-  /@swc/core-linux-arm-gnueabihf@1.3.101:
-    resolution: {integrity: sha512-9xLKRb6zSzRGPqdz52Hy5GuB1lSjmLqa0lST6MTFads3apmx4Vgs8Y5NuGhx/h2I8QM4jXdLbpqQlifpzTlSSw==}
+  /@swc/core-linux-arm-gnueabihf@1.3.103:
+    resolution: {integrity: sha512-rYLmwxr01ZHOI6AzooqwB0DOkMm0oU8Jznk6uutV1lHgcwyxsNiC1Css8yf77Xr/sYTvKvuTfBjThqa5H716pA==}
     engines: {node: '>=10'}
     cpu: [arm]
     os: [linux]
@@ -5381,8 +5060,8 @@ packages:
     dev: true
     optional: true
 
-  /@swc/core-linux-arm64-gnu@1.3.101:
-    resolution: {integrity: sha512-oE+r1lo7g/vs96Weh2R5l971dt+ZLuhaUX+n3BfDdPxNHfObXgKMjO7E+QS5RbGjv/AwiPCxQmbdCp/xN5ICJA==}
+  /@swc/core-linux-arm64-gnu@1.3.103:
+    resolution: {integrity: sha512-w+5XFpUqxiAGUBiyRyYR28Ghddp5uVyo+dHAkCnY1u3V6RsZkY3vRwmoXT7/HxVGV7csodJ1P9Cp9VaRnNvTKA==}
     engines: {node: '>=10'}
     cpu: [arm64]
     os: [linux]
@@ -5399,8 +5078,8 @@ packages:
     dev: true
     optional: true
 
-  /@swc/core-linux-arm64-musl@1.3.101:
-    resolution: {integrity: sha512-OGjYG3H4BMOTnJWJyBIovCez6KiHF30zMIu4+lGJTCrxRI2fAjGLml3PEXj8tC3FMcud7U2WUn6TdG0/te2k6g==}
+  /@swc/core-linux-arm64-musl@1.3.103:
+    resolution: {integrity: sha512-lS5p8ewAIar7adX6t0OrkICTcw92PXrn3ZmYyG5hvfjUg4RPQFjMfFMDQSne32ZJhGXHBf0LVm1R8wHwkcpwgA==}
     engines: {node: '>=10'}
     cpu: [arm64]
     os: [linux]
@@ -5417,8 +5096,8 @@ packages:
     dev: true
     optional: true
 
-  /@swc/core-linux-x64-gnu@1.3.101:
-    resolution: {integrity: sha512-/kBMcoF12PRO/lwa8Z7w4YyiKDcXQEiLvM+S3G9EvkoKYGgkkz4Q6PSNhF5rwg/E3+Hq5/9D2R+6nrkF287ihg==}
+  /@swc/core-linux-x64-gnu@1.3.103:
+    resolution: {integrity: sha512-Lf2cHDoEPNB6TwexHBEZCsAO2C7beb0YljhtQS+QfjWLLVqCiwt5LRCPuKN2Bav7el9KZXOI5baXedUeFj0oFg==}
     engines: {node: '>=10'}
     cpu: [x64]
     os: [linux]
@@ -5435,8 +5114,8 @@ packages:
     dev: true
     optional: true
 
-  /@swc/core-linux-x64-musl@1.3.101:
-    resolution: {integrity: sha512-kDN8lm4Eew0u1p+h1l3JzoeGgZPQ05qDE0czngnjmfpsH2sOZxVj1hdiCwS5lArpy7ktaLu5JdRnx70MkUzhXw==}
+  /@swc/core-linux-x64-musl@1.3.103:
+    resolution: {integrity: sha512-HR1Y9iiLEO3F49P47vjbHczBza9RbdXWRWC8NpcOcGJ4Wnw0c2DLWAh416fGH3VYCF/19EuglLEXhvSj0NXGuA==}
     engines: {node: '>=10'}
     cpu: [x64]
     os: [linux]
@@ -5453,8 +5132,8 @@ packages:
     dev: true
     optional: true
 
-  /@swc/core-win32-arm64-msvc@1.3.101:
-    resolution: {integrity: sha512-9Wn8TTLWwJKw63K/S+jjrZb9yoJfJwCE2RV5vPCCWmlMf3U1AXj5XuWOLUX+Rp2sGKau7wZKsvywhheWm+qndQ==}
+  /@swc/core-win32-arm64-msvc@1.3.103:
+    resolution: {integrity: sha512-3/GfROD1GPyf2hi6R0l4iZ5nrrKG8IU29hYhZCb7r0ZqhL/58kktVPlkib8X/EAJI8xbhM/NMl76h8ElrnyH5w==}
     engines: {node: '>=10'}
     cpu: [arm64]
     os: [win32]
@@ -5471,8 +5150,8 @@ packages:
     dev: true
     optional: true
 
-  /@swc/core-win32-ia32-msvc@1.3.101:
-    resolution: {integrity: sha512-onO5KvICRVlu2xmr4//V2je9O2XgS1SGKpbX206KmmjcJhXN5EYLSxW9qgg+kgV5mip+sKTHTAu7IkzkAtElYA==}
+  /@swc/core-win32-ia32-msvc@1.3.103:
+    resolution: {integrity: sha512-9ejEFjfgPi0ibNmtuiRbYq9p4RRV6oH1DN9XjkYM8zh2qHlpZHKQZ3n4eHS0VtJO4rEGZxL8ebcnTNs62wqJig==}
     engines: {node: '>=10'}
     cpu: [ia32]
     os: [win32]
@@ -5489,8 +5168,8 @@ packages:
     dev: true
     optional: true
 
-  /@swc/core-win32-x64-msvc@1.3.101:
-    resolution: {integrity: sha512-T3GeJtNQV00YmiVw/88/nxJ/H43CJvFnpvBHCVn17xbahiVUOPOduh3rc9LgAkKiNt/aV8vU3OJR+6PhfMR7UQ==}
+  /@swc/core-win32-x64-msvc@1.3.103:
+    resolution: {integrity: sha512-/1RvaOmZolXurWAUdnELYynVlFUiT0hj3PyTPoo+YK6+KV7er4EqUalRsoUf3zzGepQuhKFZFDpQn6Xi9kJX1A==}
     engines: {node: '>=10'}
     cpu: [x64]
     os: [win32]
@@ -5507,8 +5186,8 @@ packages:
     dev: true
     optional: true
 
-  /@swc/core@1.3.101:
-    resolution: {integrity: sha512-w5aQ9qYsd/IYmXADAnkXPGDMTqkQalIi+kfFf/MHRKTpaOL7DHjMXwPp/n8hJ0qNjRvchzmPtOqtPBiER50d8A==}
+  /@swc/core@1.3.103:
+    resolution: {integrity: sha512-PYtt8KzRXIFDwxeD7BA9ylmXNQ4hRVcmDVuAmL3yvL9rgx7Tn3qn6T37wiMVZnP1OjqGyhuHRPNycd+ssr+byw==}
     engines: {node: '>=10'}
     requiresBuild: true
     peerDependencies:
@@ -5520,16 +5199,16 @@ packages:
       '@swc/counter': 0.1.2
       '@swc/types': 0.1.5
     optionalDependencies:
-      '@swc/core-darwin-arm64': 1.3.101
-      '@swc/core-darwin-x64': 1.3.101
-      '@swc/core-linux-arm-gnueabihf': 1.3.101
-      '@swc/core-linux-arm64-gnu': 1.3.101
-      '@swc/core-linux-arm64-musl': 1.3.101
-      '@swc/core-linux-x64-gnu': 1.3.101
-      '@swc/core-linux-x64-musl': 1.3.101
-      '@swc/core-win32-arm64-msvc': 1.3.101
-      '@swc/core-win32-ia32-msvc': 1.3.101
-      '@swc/core-win32-x64-msvc': 1.3.101
+      '@swc/core-darwin-arm64': 1.3.103
+      '@swc/core-darwin-x64': 1.3.103
+      '@swc/core-linux-arm-gnueabihf': 1.3.103
+      '@swc/core-linux-arm64-gnu': 1.3.103
+      '@swc/core-linux-arm64-musl': 1.3.103
+      '@swc/core-linux-x64-gnu': 1.3.103
+      '@swc/core-linux-x64-musl': 1.3.103
+      '@swc/core-win32-arm64-msvc': 1.3.103
+      '@swc/core-win32-ia32-msvc': 1.3.103
+      '@swc/core-win32-x64-msvc': 1.3.103
     dev: true
 
   /@swc/core@1.3.96:
@@ -5561,14 +5240,14 @@ packages:
     resolution: {integrity: sha512-9F4ys4C74eSTEUNndnER3VJ15oru2NumfQxS8geE+f3eB5xvfxpWyqE5XlVnxb/R14uoXi6SLbBwwiDSkv+XEw==}
     dev: true
 
-  /@swc/jest@0.2.29(@swc/core@1.3.101):
+  /@swc/jest@0.2.29(@swc/core@1.3.103):
     resolution: {integrity: sha512-8reh5RvHBsSikDC3WGCd5ZTd2BXKkyOdK7QwynrCH58jk2cQFhhHhFBg/jvnWZehUQe/EoOImLENc9/DwbBFow==}
     engines: {npm: '>= 7.0.0'}
     peerDependencies:
       '@swc/core': '*'
     dependencies:
       '@jest/create-cache-key-function': 27.5.1
-      '@swc/core': 1.3.101
+      '@swc/core': 1.3.103
       jsonc-parser: 3.2.0
     dev: true
 
@@ -5647,21 +5326,21 @@ packages:
     resolution: {integrity: sha512-oyl4jvAfTGX9Bt6Or4H9ni1Z447/tQuxnZsytsCaExKlmJiU8sFgnIBRzJUpKwB5eWn9HuBYlUlVA74q/yN0eQ==}
     dependencies:
       '@types/connect': 3.4.36
-      '@types/node': 20.10.5
+      '@types/node': 20.11.4
 
   /@types/cacheable-request@6.0.3:
     resolution: {integrity: sha512-IQ3EbTzGxIigb1I3qPZc1rWJnH0BmSKv5QYTalEwweFvyBDLSAe24zP0le/hyi7ecGfZVlIVAg4BZqb8WBwKqw==}
     dependencies:
       '@types/http-cache-semantics': 4.0.4
       '@types/keyv': 3.1.4
-      '@types/node': 20.10.5
+      '@types/node': 20.11.4
       '@types/responselike': 1.0.3
     dev: true
 
   /@types/connect@3.4.36:
     resolution: {integrity: sha512-P63Zd/JUGq+PdrM1lv0Wv5SBYeA2+CORvbrXbngriYY0jzLUWfQMQQxOhjONEz/wlHOAxOdY7CY65rgQdTjq2w==}
     dependencies:
-      '@types/node': 20.10.5
+      '@types/node': 20.11.4
 
   /@types/cookiejar@2.1.2:
     resolution: {integrity: sha512-t73xJJrvdTjXrn4jLS9VSGRbz0nUY3cl2DMGDU48lKl+HR9dbbjW2A9r3g40VA++mQpy6uuHg33gy7du2BKpog==}
@@ -5688,7 +5367,7 @@ packages:
   /@types/express-serve-static-core@4.17.37:
     resolution: {integrity: sha512-ZohaCYTgGFcOP7u6aJOhY9uIZQgZ2vxC2yWoArY+FeDXlqeH66ZVBjgvg+RLVAS/DWNq4Ap9ZXu1+SUQiiWYMg==}
     dependencies:
-      '@types/node': 20.10.5
+      '@types/node': 20.11.4
       '@types/qs': 6.9.8
       '@types/range-parser': 1.2.5
       '@types/send': 0.17.2
@@ -5704,7 +5383,7 @@ packages:
   /@types/graceful-fs@4.1.7:
     resolution: {integrity: sha512-MhzcwU8aUygZroVwL2jeYk6JisJrPl/oov/gsgGCue9mkgl9wjGbzReYQClxiUgFDnib9FuHqTndccKeZKxTRw==}
     dependencies:
-      '@types/node': 20.10.5
+      '@types/node': 20.11.4
     dev: true
 
   /@types/http-cache-semantics@4.0.4:
@@ -5741,13 +5420,6 @@ packages:
       pretty-format: 29.7.0
     dev: true
 
-  /@types/jest@29.5.8:
-    resolution: {integrity: sha512-fXEFTxMV2Co8ZF5aYFJv+YeA08RTYJfhtN5c9JSv/mFEMe+xxjufCb+PHL+bJcMs/ebPUsBu+UNTEz+ydXrR6g==}
-    dependencies:
-      expect: 29.7.0
-      pretty-format: 29.7.0
-    dev: true
-
   /@types/json-schema@7.0.13:
     resolution: {integrity: sha512-RbSSoHliUbnXj3ny0CNFOoxrIDV6SUGyStHsvDqosw6CkdPV8TtWGlfecuK4ToyMEAql6pzNxgCFKanovUzlgQ==}
     dev: true
@@ -5764,7 +5436,7 @@ packages:
   /@types/keyv@3.1.4:
     resolution: {integrity: sha512-BQ5aZNSCpj7D6K2ksrRCTmKRLEpnPvWDiLPfoGyhZ++8YtiK9d/3DBKPJgry359X/P1PfruyYwvnvwFjuEiEIg==}
     dependencies:
-      '@types/node': 20.10.5
+      '@types/node': 20.11.4
     dev: true
 
   /@types/luxon@3.3.4:
@@ -5784,7 +5456,7 @@ packages:
   /@types/node-fetch@2.6.2:
     resolution: {integrity: sha512-DHqhlq5jeESLy19TYhLakJ07kNumXWjcDdxXsLUMJZ6ue8VZJj4kLPQVE/2mdHh3xZziNF1xppu5lwmS53HR+A==}
     dependencies:
-      '@types/node': 20.9.4
+      '@types/node': 20.11.4
       form-data: 3.0.1
     dev: false
 
@@ -5794,17 +5466,11 @@ packages:
       undici-types: 5.26.5
     dev: true
 
-  /@types/node@20.10.5:
-    resolution: {integrity: sha512-nNPsNE65wjMxEKI93yOP+NPGGBJz/PoN3kZsVLee0XMiJolxSekEVD8wRwBUBqkwc7UWop0edW50yrCQW4CyRw==}
+  /@types/node@20.11.4:
+    resolution: {integrity: sha512-6I0fMH8Aoy2lOejL3s4LhyIYX34DPwY8bl5xlNjBvUEk8OHrcuzsFt+Ied4LvJihbtXPM+8zUqdydfIti86v9g==}
     dependencies:
       undici-types: 5.26.5
 
-  /@types/node@20.9.0:
-    resolution: {integrity: sha512-nekiGu2NDb1BcVofVcEKMIwzlx4NjHlcjhoxxKBNLtz15Y1z7MYf549DFvkHSId02Ax6kGwWntIBPC3l/JZcmw==}
-    dependencies:
-      undici-types: 5.26.5
-    dev: true
-
   /@types/node@20.9.4:
     resolution: {integrity: sha512-wmyg8HUhcn6ACjsn8oKYjkN/zUzQeNtMy44weTJSM6p4MMzEOuKbA3OjJ267uPCOW7Xex9dyrNTful8XTQYoDA==}
     dependencies:
@@ -5829,13 +5495,13 @@ packages:
   /@types/ref-napi@3.0.10:
     resolution: {integrity: sha512-46BICMYN1pTM/O6gipSp2Tuyo/wjAIpa8yC9DW4ZWhmgY9eNE9eZ+NdO3yi0GkveUemjBxetRfIm9lPZoyQNow==}
     dependencies:
-      '@types/node': 20.9.4
+      '@types/node': 20.11.4
     dev: false
 
   /@types/responselike@1.0.3:
     resolution: {integrity: sha512-H/+L+UkTV33uf49PH5pCAUBVPNj2nDBXTN+qS1dOwyyg24l3CcicicCA7ca+HMvJBZcFgl5r8e+RR6elsb4Lyw==}
     dependencies:
-      '@types/node': 20.10.5
+      '@types/node': 20.11.4
     dev: true
 
   /@types/semver@7.5.3:
@@ -5846,14 +5512,14 @@ packages:
     resolution: {integrity: sha512-aAG6yRf6r0wQ29bkS+x97BIs64ZLxeE/ARwyS6wrldMm3C1MdKwCcnnEwMC1slI8wuxJOpiUH9MioC0A0i+GJw==}
     dependencies:
       '@types/mime': 1.3.3
-      '@types/node': 20.10.5
+      '@types/node': 20.11.4
 
   /@types/serve-static@1.15.3:
     resolution: {integrity: sha512-yVRvFsEMrv7s0lGhzrggJjNOSmZCdgCjw9xWrPr/kNNLp6FaDfMC1KaYl3TSJ0c58bECwNBMoQrZJ8hA8E1eFg==}
     dependencies:
       '@types/http-errors': 2.0.2
       '@types/mime': 3.0.2
-      '@types/node': 20.10.5
+      '@types/node': 20.11.4
 
   /@types/stack-utils@2.0.1:
     resolution: {integrity: sha512-Hl219/BT5fLAaz6NDkSuhzasy49dwQS/DSdu4MdggFB8zcXv7vflBI3xp7FEmkmdDkBUI2bPUNeMttp2knYdxw==}
@@ -5862,7 +5528,7 @@ packages:
     resolution: {integrity: sha512-McM1mlc7PBZpCaw0fw/36uFqo0YeA6m8JqoyE4OfqXsZCIg0hPP2xdE6FM7r6fdprDZHlJwDpydUj1R++93hCA==}
     dependencies:
       '@types/cookiejar': 2.1.2
-      '@types/node': 20.9.4
+      '@types/node': 20.11.4
     dev: true
 
   /@types/supertest@2.0.16:
@@ -5881,7 +5547,7 @@ packages:
   /@types/ws@8.5.9:
     resolution: {integrity: sha512-jbdrY0a8lxfdTp/+r7Z4CkycbOFN8WX+IOchLJr3juT/xzbJ8URyTVSJ/hvNdadTgM1mnedb47n+Y31GsFnQlg==}
     dependencies:
-      '@types/node': 20.9.4
+      '@types/node': 20.11.4
     dev: false
 
   /@types/yargs-parser@21.0.1:
@@ -7883,26 +7549,7 @@ packages:
       typescript: 5.3.3
     dev: true
 
-  /create-jest@29.7.0(@types/node@20.10.5):
-    resolution: {integrity: sha512-Adz2bdH0Vq3F53KEMJOoftQFutWCukm6J24wbPWRO4k1kMY7gS7ds/uoJkNuV8wDCtWWnuwGcJwpWcih+zEW1Q==}
-    engines: {node: ^14.15.0 || ^16.10.0 || >=18.0.0}
-    hasBin: true
-    dependencies:
-      '@jest/types': 29.6.3
-      chalk: 4.1.2
-      exit: 0.1.2
-      graceful-fs: 4.2.11
-      jest-config: 29.7.0(@types/node@20.10.5)
-      jest-util: 29.7.0
-      prompts: 2.4.2
-    transitivePeerDependencies:
-      - '@types/node'
-      - babel-plugin-macros
-      - supports-color
-      - ts-node
-    dev: true
-
-  /create-jest@29.7.0(@types/node@20.9.0)(ts-node@10.9.1):
+  /create-jest@29.7.0(@types/node@20.11.4):
     resolution: {integrity: sha512-Adz2bdH0Vq3F53KEMJOoftQFutWCukm6J24wbPWRO4k1kMY7gS7ds/uoJkNuV8wDCtWWnuwGcJwpWcih+zEW1Q==}
     engines: {node: ^14.15.0 || ^16.10.0 || >=18.0.0}
     hasBin: true
@@ -7911,7 +7558,7 @@ packages:
       chalk: 4.1.2
       exit: 0.1.2
       graceful-fs: 4.2.11
-      jest-config: 29.7.0(@types/node@20.9.0)(ts-node@10.9.1)
+      jest-config: 29.7.0(@types/node@20.11.4)(ts-node@10.9.1)
       jest-util: 29.7.0
       prompts: 2.4.2
     transitivePeerDependencies:
@@ -10738,7 +10385,7 @@ packages:
       '@jest/expect': 29.7.0
       '@jest/test-result': 29.7.0
       '@jest/types': 29.6.3
-      '@types/node': 20.10.5
+      '@types/node': 20.11.4
       chalk: 4.1.2
       co: 4.6.0
       dedent: 1.5.1
@@ -10759,7 +10406,7 @@ packages:
       - supports-color
     dev: true
 
-  /jest-cli@29.7.0(@types/node@20.10.5):
+  /jest-cli@29.7.0(@types/node@20.11.4):
     resolution: {integrity: sha512-OVVobw2IubN/GSYsxETi+gOe7Ka59EFMR/twOU3Jb2GnKKeMGJB5SGUUrEz3SFVmJASUdZUzy83sLNNQ2gZslg==}
     engines: {node: ^14.15.0 || ^16.10.0 || >=18.0.0}
     hasBin: true
@@ -10773,38 +10420,10 @@ packages:
       '@jest/test-result': 29.7.0
       '@jest/types': 29.6.3
       chalk: 4.1.2
-      create-jest: 29.7.0(@types/node@20.10.5)
+      create-jest: 29.7.0(@types/node@20.11.4)
       exit: 0.1.2
       import-local: 3.1.0
-      jest-config: 29.7.0(@types/node@20.10.5)
-      jest-util: 29.7.0
-      jest-validate: 29.7.0
-      yargs: 17.7.2
-    transitivePeerDependencies:
-      - '@types/node'
-      - babel-plugin-macros
-      - supports-color
-      - ts-node
-    dev: true
-
-  /jest-cli@29.7.0(@types/node@20.9.0)(ts-node@10.9.1):
-    resolution: {integrity: sha512-OVVobw2IubN/GSYsxETi+gOe7Ka59EFMR/twOU3Jb2GnKKeMGJB5SGUUrEz3SFVmJASUdZUzy83sLNNQ2gZslg==}
-    engines: {node: ^14.15.0 || ^16.10.0 || >=18.0.0}
-    hasBin: true
-    peerDependencies:
-      node-notifier: ^8.0.1 || ^9.0.0 || ^10.0.0
-    peerDependenciesMeta:
-      node-notifier:
-        optional: true
-    dependencies:
-      '@jest/core': 29.7.0(ts-node@10.9.1)
-      '@jest/test-result': 29.7.0
-      '@jest/types': 29.6.3
-      chalk: 4.1.2
-      create-jest: 29.7.0(@types/node@20.9.0)(ts-node@10.9.1)
-      exit: 0.1.2
-      import-local: 3.1.0
-      jest-config: 29.7.0(@types/node@20.9.0)(ts-node@10.9.1)
+      jest-config: 29.7.0(@types/node@20.11.4)(ts-node@10.9.1)
       jest-util: 29.7.0
       jest-validate: 29.7.0
       yargs: 17.7.2
@@ -10843,7 +10462,7 @@ packages:
       - ts-node
     dev: true
 
-  /jest-config@29.7.0(@types/node@20.10.5):
+  /jest-config@29.7.0(@types/node@20.11.4)(ts-node@10.9.1):
     resolution: {integrity: sha512-uXbpfeQ7R6TZBqI3/TxCU4q4ttk3u0PJeC+E0zbfSoSjq6bJ7buBPxzQPL0ifrkY4DNu4JUdk0ImlBUYi840eQ==}
     engines: {node: ^14.15.0 || ^16.10.0 || >=18.0.0}
     peerDependencies:
@@ -10858,7 +10477,7 @@ packages:
       '@babel/core': 7.23.0
       '@jest/test-sequencer': 29.7.0
       '@jest/types': 29.6.3
-      '@types/node': 20.10.5
+      '@types/node': 20.11.4
       babel-jest: 29.7.0(@babel/core@7.23.0)
       chalk: 4.1.2
       ci-info: 3.9.0
@@ -10878,47 +10497,7 @@ packages:
       pretty-format: 29.7.0
       slash: 3.0.0
       strip-json-comments: 3.1.1
-    transitivePeerDependencies:
-      - babel-plugin-macros
-      - supports-color
-    dev: true
-
-  /jest-config@29.7.0(@types/node@20.9.0)(ts-node@10.9.1):
-    resolution: {integrity: sha512-uXbpfeQ7R6TZBqI3/TxCU4q4ttk3u0PJeC+E0zbfSoSjq6bJ7buBPxzQPL0ifrkY4DNu4JUdk0ImlBUYi840eQ==}
-    engines: {node: ^14.15.0 || ^16.10.0 || >=18.0.0}
-    peerDependencies:
-      '@types/node': '*'
-      ts-node: '>=9.0.0'
-    peerDependenciesMeta:
-      '@types/node':
-        optional: true
-      ts-node:
-        optional: true
-    dependencies:
-      '@babel/core': 7.23.0
-      '@jest/test-sequencer': 29.7.0
-      '@jest/types': 29.6.3
-      '@types/node': 20.9.0
-      babel-jest: 29.7.0(@babel/core@7.23.0)
-      chalk: 4.1.2
-      ci-info: 3.9.0
-      deepmerge: 4.3.1
-      glob: 7.2.3
-      graceful-fs: 4.2.11
-      jest-circus: 29.7.0
-      jest-environment-node: 29.7.0
-      jest-get-type: 29.6.3
-      jest-regex-util: 29.6.3
-      jest-resolve: 29.7.0
-      jest-runner: 29.7.0
-      jest-util: 29.7.0
-      jest-validate: 29.7.0
-      micromatch: 4.0.5
-      parse-json: 5.2.0
-      pretty-format: 29.7.0
-      slash: 3.0.0
-      strip-json-comments: 3.1.1
-      ts-node: 10.9.1(@swc/core@1.3.96)(@types/node@20.9.0)(typescript@5.2.2)
+      ts-node: 10.9.1(@swc/core@1.3.96)(@types/node@20.9.4)(typescript@5.3.2)
     transitivePeerDependencies:
       - babel-plugin-macros
       - supports-color
@@ -10959,7 +10538,7 @@ packages:
       pretty-format: 29.7.0
       slash: 3.0.0
       strip-json-comments: 3.1.1
-      ts-node: 10.9.1(@swc/core@1.3.96)(@types/node@20.9.0)(typescript@5.2.2)
+      ts-node: 10.9.1(@swc/core@1.3.96)(@types/node@20.9.4)(typescript@5.3.2)
     transitivePeerDependencies:
       - babel-plugin-macros
       - supports-color
@@ -11000,7 +10579,7 @@ packages:
       '@jest/environment': 29.7.0
       '@jest/fake-timers': 29.7.0
       '@jest/types': 29.6.3
-      '@types/node': 20.9.4
+      '@types/node': 20.11.4
       jest-mock: 29.7.0
       jest-util: 29.7.0
 
@@ -11014,7 +10593,7 @@ packages:
     dependencies:
       '@jest/types': 29.6.3
       '@types/graceful-fs': 4.1.7
-      '@types/node': 20.10.5
+      '@types/node': 20.11.4
       anymatch: 3.1.3
       fb-watchman: 2.0.2
       graceful-fs: 4.2.11
@@ -11064,7 +10643,7 @@ packages:
     engines: {node: ^14.15.0 || ^16.10.0 || >=18.0.0}
     dependencies:
       '@jest/types': 29.6.3
-      '@types/node': 20.10.5
+      '@types/node': 20.11.4
       jest-util: 29.7.0
 
   /jest-pnp-resolver@1.2.3(jest-resolve@29.7.0):
@@ -11124,7 +10703,7 @@ packages:
       '@jest/test-result': 29.7.0
       '@jest/transform': 29.7.0
       '@jest/types': 29.6.3
-      '@types/node': 20.9.4
+      '@types/node': 20.11.4
       chalk: 4.1.2
       emittery: 0.13.1
       graceful-fs: 4.2.11
@@ -11155,7 +10734,7 @@ packages:
       '@jest/test-result': 29.7.0
       '@jest/transform': 29.7.0
       '@jest/types': 29.6.3
-      '@types/node': 20.9.4
+      '@types/node': 20.11.4
       chalk: 4.1.2
       cjs-module-lexer: 1.2.3
       collect-v8-coverage: 1.0.2
@@ -11207,7 +10786,7 @@ packages:
     engines: {node: ^10.13.0 || ^12.13.0 || ^14.15.0 || >=15.0.0}
     dependencies:
       '@jest/types': 27.5.1
-      '@types/node': 20.10.5
+      '@types/node': 20.11.4
       chalk: 4.1.2
       ci-info: 3.9.0
       graceful-fs: 4.2.11
@@ -11220,7 +10799,7 @@ packages:
     engines: {node: ^14.15.0 || ^16.10.0 || >=18.0.0}
     dependencies:
       '@jest/types': 29.6.3
-      '@types/node': 20.9.4
+      '@types/node': 20.11.4
       chalk: 4.1.2
       ci-info: 3.9.0
       graceful-fs: 4.2.11
@@ -11243,7 +10822,7 @@ packages:
     dependencies:
       '@jest/test-result': 29.7.0
       '@jest/types': 29.6.3
-      '@types/node': 20.10.5
+      '@types/node': 20.11.4
       ansi-escapes: 4.3.2
       chalk: 4.1.2
       emittery: 0.13.1
@@ -11255,7 +10834,7 @@ packages:
     resolution: {integrity: sha512-7vuh85V5cdDofPyxn58nrPjBktZo0u9x1g8WtjQol+jZDaE+fhN+cIvTj11GndBnMnyfrUOG1sZQxCdjKh+DKg==}
     engines: {node: '>= 10.13.0'}
     dependencies:
-      '@types/node': 20.10.5
+      '@types/node': 20.11.4
       merge-stream: 2.0.0
       supports-color: 8.1.1
 
@@ -11263,34 +10842,13 @@ packages:
     resolution: {integrity: sha512-eIz2msL/EzL9UFTFFx7jBTkeZfku0yUAyZZZmJ93H2TYEiroIx2PQjEXcwYtYl8zXCxb+PAmA2hLIt/6ZEkPHw==}
     engines: {node: ^14.15.0 || ^16.10.0 || >=18.0.0}
     dependencies:
-      '@types/node': 20.10.5
+      '@types/node': 20.11.4
       jest-util: 29.7.0
       merge-stream: 2.0.0
       supports-color: 8.1.1
     dev: true
 
-  /jest@29.7.0(@types/node@20.10.5):
-    resolution: {integrity: sha512-NIy3oAFp9shda19hy4HK0HRTWKtPJmGdnvywu01nOqNC2vZg+Z+fvJDxpMQA88eb2I9EcafcdjYgsDthnYTvGw==}
-    engines: {node: ^14.15.0 || ^16.10.0 || >=18.0.0}
-    hasBin: true
-    peerDependencies:
-      node-notifier: ^8.0.1 || ^9.0.0 || ^10.0.0
-    peerDependenciesMeta:
-      node-notifier:
-        optional: true
-    dependencies:
-      '@jest/core': 29.7.0(ts-node@10.9.1)
-      '@jest/types': 29.6.3
-      import-local: 3.1.0
-      jest-cli: 29.7.0(@types/node@20.10.5)
-    transitivePeerDependencies:
-      - '@types/node'
-      - babel-plugin-macros
-      - supports-color
-      - ts-node
-    dev: true
-
-  /jest@29.7.0(@types/node@20.9.0)(ts-node@10.9.1):
+  /jest@29.7.0(@types/node@20.11.4):
     resolution: {integrity: sha512-NIy3oAFp9shda19hy4HK0HRTWKtPJmGdnvywu01nOqNC2vZg+Z+fvJDxpMQA88eb2I9EcafcdjYgsDthnYTvGw==}
     engines: {node: ^14.15.0 || ^16.10.0 || >=18.0.0}
     hasBin: true
@@ -11303,7 +10861,7 @@ packages:
       '@jest/core': 29.7.0(ts-node@10.9.1)
       '@jest/types': 29.6.3
       import-local: 3.1.0
-      jest-cli: 29.7.0(@types/node@20.9.0)(ts-node@10.9.1)
+      jest-cli: 29.7.0(@types/node@20.11.4)
     transitivePeerDependencies:
       - '@types/node'
       - babel-plugin-macros
@@ -11361,10 +10919,6 @@ packages:
     resolution: {integrity: sha512-IY73F228OXRl9ar3jJagh7Vnuhj/GzBunPiZP13K0lOl7Am9SoWW3kEzq3MCllJMTtZqHTiDXQvoRd4U95aU6A==}
     dev: false
 
-  /js-base64@3.7.5:
-    resolution: {integrity: sha512-3MEt5DTINKqfScXKfJFrRbxkrnk2AxPWGBL/ycjz4dK8iqiSJ06UxD8jh8xuh6p10TX4t2+7FsBYVxxQbMg+qA==}
-    dev: false
-
   /js-tokens@4.0.0:
     resolution: {integrity: sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==}
 
@@ -15038,12 +14592,13 @@ packages:
     resolution: {integrity: sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w==}
     engines: {node: '>= 0.4'}
 
-  /swagger-ui-dist@5.10.3:
-    resolution: {integrity: sha512-fu3aozjxFWsmcO1vyt1q1Ji2kN7KlTd1vHy27E9WgPyXo9nrEzhQPqgxaAjbMsOmb8XFKNGo4Sa3Q+84Fh+pFw==}
+  /swagger-ui-dist@5.11.0:
+    resolution: {integrity: sha512-j0PIATqQSEFGOLmiJOJZj1X1Jt6bFIur3JpY7+ghliUnfZs0fpWDdHEkn9q7QUlBtKbkn6TepvSxTqnE8l3s0A==}
     dev: false
 
   /swagger-ui-dist@5.9.0:
     resolution: {integrity: sha512-NUHSYoe5XRTk/Are8jPJ6phzBh3l9l33nEyXosM17QInoV95/jng8+PuSGtbD407QoPf93MH3Bkh773OgesJpA==}
+    dev: false
 
   /swagger-ui-dist@5.9.1:
     resolution: {integrity: sha512-5zAx+hUwJb9T3EAntc7TqYkV716CMqG6sZpNlAAMOMWkNXRYxGkN8ADIvD55dQZ10LxN90ZM/TQmN7y1gpICnw==}
@@ -15057,6 +14612,7 @@ packages:
     dependencies:
       express: 4.18.2
       swagger-ui-dist: 5.9.0
+    dev: false
 
   /symbol-observable@4.0.0:
     resolution: {integrity: sha512-b19dMThMV4HVFynSAM1++gBHAbk2Tc/osgLIBZMKsyqh34jb2e8Os7T6ZW/Bt3pJFdBTd2JwAnAAEQV7rSNvcQ==}
@@ -15139,7 +14695,7 @@ packages:
     dev: false
     optional: true
 
-  /terser-webpack-plugin@5.3.9(@swc/core@1.3.101)(webpack@5.89.0):
+  /terser-webpack-plugin@5.3.9(@swc/core@1.3.103)(webpack@5.89.0):
     resolution: {integrity: sha512-ZuXsqE07EcggTWQjXUj+Aot/OMcD0bMKGgF63f7UxYcu5/AJF53aIpK1YoP5xR9l6s/Hy2b+t1AM0bLNPRuhwA==}
     engines: {node: '>= 10.13.0'}
     peerDependencies:
@@ -15156,12 +14712,12 @@ packages:
         optional: true
     dependencies:
       '@jridgewell/trace-mapping': 0.3.19
-      '@swc/core': 1.3.101
+      '@swc/core': 1.3.103
       jest-worker: 27.5.1
       schema-utils: 3.3.0
       serialize-javascript: 6.0.1
       terser: 5.21.0
-      webpack: 5.89.0(@swc/core@1.3.101)
+      webpack: 5.89.0(@swc/core@1.3.103)
     dev: true
 
   /terser-webpack-plugin@5.3.9(@swc/core@1.3.96)(webpack@5.89.0):
@@ -15454,7 +15010,7 @@ packages:
       yargs-parser: 21.1.1
     dev: true
 
-  /ts-node@10.9.1(@swc/core@1.3.96)(@types/node@20.9.0)(typescript@5.2.2):
+  /ts-node@10.9.1(@swc/core@1.3.96)(@types/node@20.9.4)(typescript@5.3.2):
     resolution: {integrity: sha512-NtVysVPkxxrwFGUUxGYhfux8k78pQB3JqYBXlLRZgdGUqTO5wU/UyHop5p70iEbGhB7q5KmiZiU0Y3KlJrScEw==}
     hasBin: true
     peerDependencies:
@@ -15474,37 +15030,6 @@ packages:
       '@tsconfig/node12': 1.0.11
       '@tsconfig/node14': 1.0.3
       '@tsconfig/node16': 1.0.4
-      '@types/node': 20.9.0
-      acorn: 8.10.0
-      acorn-walk: 8.2.0
-      arg: 4.1.3
-      create-require: 1.1.1
-      diff: 4.0.2
-      make-error: 1.3.6
-      typescript: 5.2.2
-      v8-compile-cache-lib: 3.0.1
-      yn: 3.1.1
-    dev: true
-
-  /ts-node@10.9.1(@types/node@20.9.4)(typescript@5.3.2):
-    resolution: {integrity: sha512-NtVysVPkxxrwFGUUxGYhfux8k78pQB3JqYBXlLRZgdGUqTO5wU/UyHop5p70iEbGhB7q5KmiZiU0Y3KlJrScEw==}
-    hasBin: true
-    peerDependencies:
-      '@swc/core': '>=1.2.50'
-      '@swc/wasm': '>=1.2.50'
-      '@types/node': '*'
-      typescript: '>=2.7'
-    peerDependenciesMeta:
-      '@swc/core':
-        optional: true
-      '@swc/wasm':
-        optional: true
-    dependencies:
-      '@cspotcode/source-map-support': 0.8.1
-      '@tsconfig/node10': 1.0.9
-      '@tsconfig/node12': 1.0.11
-      '@tsconfig/node14': 1.0.3
-      '@tsconfig/node16': 1.0.4
       '@types/node': 20.9.4
       acorn: 8.10.0
       acorn-walk: 8.2.0
@@ -16088,7 +15613,7 @@ packages:
       - uglify-js
     dev: true
 
-  /webpack@5.89.0(@swc/core@1.3.101):
+  /webpack@5.89.0(@swc/core@1.3.103):
     resolution: {integrity: sha512-qyfIC10pOr70V+jkmud8tMfajraGCZMBWJtrmuBymQKCrLTRejBI8STDp1MCyZu/QTdZSeacCQYpYNQVOzX5kw==}
     engines: {node: '>=10.13.0'}
     hasBin: true
@@ -16119,7 +15644,7 @@ packages:
       neo-async: 2.6.2
       schema-utils: 3.3.0
       tapable: 2.2.1
-      terser-webpack-plugin: 5.3.9(@swc/core@1.3.101)(webpack@5.89.0)
+      terser-webpack-plugin: 5.3.9(@swc/core@1.3.103)(webpack@5.89.0)
       watchpack: 2.4.0
       webpack-sources: 3.2.3
     transitivePeerDependencies: