diff --git a/README b/README index 7759101..ae44ac7 100644 --- a/README +++ b/README @@ -1 +1,391 @@ -Secret key manager \ No newline at end of file +# Key/Info Manager + +A robust and secure Key/Info Management system designed for applications requiring controlled access to sensitive data. It features a WebSocket API for client applications and an HTTP admin panel for comprehensive management tasks. All stored secrets are encrypted at rest using AES-256-GCM. + +## Overview + +The Key/Info Manager provides a centralized solution for storing, managing, and securely distributing secrets or configuration data to authorized client applications. It emphasizes security through data encryption, role-based access (via admin approval and group association), and secure communication protocols (when deployed with HTTPS/WSS). + +## Key Features + +* **Secure Storage**: Secrets are encrypted using AES-256-GCM. The master encryption key is derived from a user-provided password at server startup. +* **Admin UI Panel**: A comprehensive web-based interface for: + * Managing secret groups (create, rename, delete). + * Managing secrets within groups (create, view, update, delete). + * Managing client applications: + * Viewing pending client registrations. + * Approving or rejecting client registration requests. + * Associating approved clients with specific secret groups to grant access. + * Revoking client access. + * Configuring WebSocket client auto-approval (for debugging/development). +* **WebSocket API**: A secure and efficient API for client applications to: + * Register themselves with the server. + * Request secrets they are authorized to access (based on group association). + * List all secret keys they are authorized to access. +* **Password Protection**: Admin UI login and initial server setup (for encryption key) are protected by a master password. +* **CSRF Protection**: Admin UI operations are protected against Cross-Site Request Forgery. +* **Rate Limiting**: Both HTTP admin endpoints and WebSocket communications are rate-limited to mitigate abuse and brute-force attempts. +* **Configuration Management**: Core settings like JWT secret and port configurations are manageable. +* **Data Persistence**: Stores data (encrypted secrets, client info, group info) in local files. + +## Tech Stack + +* **Backend:** Node.js, Express.js +* **WebSocket Server:** `ws` library +* **Templating:** EJS for Admin UI +* **Core Libraries:** + * `jsonwebtoken` for JWT generation (Admin sessions) + * `csurf` for CSRF protection + * `helmet` for security headers + * `express-rate-limit` for rate limiting + * `express-session` for session management + * `dotenv` for environment variable management +* **Cryptography:** Node.js `crypto` module (AES-256-GCM for data encryption) +* **Development:** TypeScript, Jest (for testing), Nodemon + +## Prerequisites + +* Node.js (v16.x or later recommended) +* npm (Node Package Manager, typically included with Node.js) + +## Getting Started & Installation + +1. **Clone the Repository (if applicable):** + ```bash + git clone + cd key_manager # Or your project directory name + ``` + +2. **Install Dependencies:** + Navigate to the project root directory and run: + ```bash + npm install + ``` + +3. **Configure Environment Variables:** + Create a `.env` file in the project root directory. This file is used to store sensitive information and configurations. **It is crucial for security that this file is NOT committed to version control.** Add it to your `.gitignore` if it's not already there. + + **Essential Security Variables (add these to your `.env` file):** + + ```dotenv + # Master Password for data encryption and initial admin login + # Choose a strong, unique password. This will be used to derive the data encryption key. + # If not set, you will be prompted for it in the console on first run. + MASTER_PASSWORD=your_very_strong_master_password_here + + # JWT Secret for signing authentication tokens for the Admin UI + # Should be a long, random, and unique string. + JWT_SECRET=your_super_random_jwt_secret_string_here_at_least_32_chars + + # Session Secret for Express sessions (used by CSRF protection) + # Should also be a long, random, and unique string. + SESSION_SECRET=another_super_random_session_secret_string_here + ``` + + **Optional Configuration Variables (defaults are generally suitable for local development):** + + ```dotenv + # HTTP Port for the Admin UI (default: 3000, can also be set in data/runtime-config.json) + HTTP_PORT=3000 + + # WebSocket Port for client applications (default: 3001, can also be set in data/runtime-config.json) + WS_PORT=3001 + + # Data files path (defaults to 'data' directory in project root) + # DATA_DIR=./data # Example, usually not needed to change + + # Config file path (defaults to 'data/runtime-config.json') + # CONFIG_FILE_PATH=./data/runtime-config.json # Example + ``` + Refer to `src/lib/configManager.ts` for how `jwtSecret`, `httpPort`, and `wsPort` can also be managed via `data/runtime-config.json` (which is auto-generated on first run if it doesn't exist). For production, setting secrets like `JWT_SECRET` and `SESSION_SECRET` via environment variables is generally recommended. + +4. **Build TypeScript Code:** + Compile the TypeScript source files to JavaScript: + ```bash + npm run build + ``` + This will create a `dist` directory with the compiled code. + +## Running the Application + +1. **Start the Server:** + After building the code, run: + ```bash + npm start + ``` + This command executes the compiled `dist/main.js` file. + +2. **Development Mode (Optional):** + For development, you can use `npm run dev`. This script typically watches for TypeScript file changes, recompiles, and restarts the server automatically using `nodemon`. + ```bash + npm run dev + ``` + +3. **First Run & Master Password:** + * If the `MASTER_PASSWORD` environment variable was not set in your `.env` file, the server will prompt you to enter and confirm a master password in the console during its first startup. + * This password is critical: it's used to derive the encryption key for your `secrets.json.enc` data file. **Choose a strong password and store it securely.** Losing this password means losing access to all encrypted data. + * A salt for deriving the master key will be generated and stored in `data/masterkey.salt`. This salt file should be backed up along with your encrypted data. + * The encrypted data itself is stored in `data/secrets.json.enc`. + * The application runtime configuration (like JWT secret if not overridden by env var, ports, etc.) is stored in `data/runtime-config.json`. + + **Important:** The `data` directory (containing `secrets.json.enc`, `masterkey.salt`, and `runtime-config.json`) should be backed up regularly and secured appropriately. It is gitignored by default. + +## Usage + +### Admin UI + +The Admin UI provides a web interface for managing secrets, secret groups, and client applications. + +1. **Access:** + Open your web browser and navigate to `http://localhost:/admin` (e.g., `http://localhost:3000/admin` if using the default port). + +2. **Login:** + You will be prompted to log in. Use the `MASTER_PASSWORD` that you either set as an environment variable or entered in the console during the server's first startup. + +3. **Key Management Areas:** + + * **Manage Secrets (Main Page / Secrets Tab):** + * **Create Secret Groups:** Define logical groups to organize your secrets. + * **Manage Existing Groups:** View, rename, or delete secret groups. Deleting a group also deletes all secrets within it. + * **Add New Secrets:** Create new secrets (key-value pairs) and assign them to an existing group. Values can be simple strings or complex JSON objects/arrays. + * **View/Manage Secrets within a Group:** Drill down into a group to see its secrets, edit their values, or delete them. + * **Edit/Delete Individual Secrets:** Modify the value of existing secrets or delete them from the system (this also removes them from their group). + + * **Manage Clients (Clients Tab):** + * **Pending Client Registrations:** View client applications that have registered via the WebSocket API and are awaiting administrative approval. + * **Approve:** Approves the client's registration. The client can then proceed to use the WebSocket API with its approved status. + * **Reject:** Rejects the client's registration request. + * **Approved Clients:** View already approved client applications. + * **Manage Groups (for Client):** For each approved client, you can associate them with one or more secret groups. This grants the client access to all secrets within the associated groups. + * **Revoke Access:** Deletes the client from the system, effectively revoking all their access. + * **WebSocket Settings (Debug):** + * Toggle the "Automatically Approve New WebSocket Registrations" setting. This is primarily for development or debugging and should generally be disabled in production environments. + +### WebSocket API + +Client applications connect to the Key/Info Manager via WebSocket to register and request authorized secrets. + +* **Connection URL:** `ws://localhost:` (e.g., `ws://localhost:3001`) +* **Message Format:** All messages (client-to-server and server-to-client) are JSON objects. A typical structure includes: + * `type`: A string indicating the message type (e.g., `REGISTER_CLIENT`, `ERROR`). + * `payload`: An object containing the data relevant to the message type. + * `code` (Server-to-Client): A numerical response code (see `WsResponseCodes` below). + * `requestId` (Optional, Client-to-Server & echoed in Server-to-Client): A client-generated ID to correlate requests and responses. + +**Common Server Response Codes (`WsResponseCodes`):** + +* `2000 OK`: General success. +* `2001 REGISTRATION_SUBMITTED`: Client registration successfully submitted, awaiting approval. +* `4000 BAD_REQUEST`: The request was malformed or missing required parameters. +* `4001 UNAUTHORIZED`: Client is not authorized for the requested action (e.g., not approved, wrong credentials, insufficient permissions). +* `4004 NOT_FOUND`: Requested resource (e.g., a specific secret) was not found. +* `4005 CLIENT_NOT_REGISTERED`: Client attempted an action before completing `REGISTER_CLIENT`. +* `4006 CLIENT_REGISTRATION_EXPIRED`: A pending client registration has expired. +* `4029 RATE_LIMIT_EXCEEDED`: Client has sent too many requests in a given timeframe. +* `5000 INTERNAL_SERVER_ERROR`: An unexpected error occurred on the server. + +**Key Message Flows:** + +1. **Server Welcome Message (Server to Client):** + Upon successful WebSocket connection, the server sends: + ```json + { + "type": "WELCOME", + "code": 2000, + "payload": { "detail": "Welcome! Please register your client using REGISTER_CLIENT message." } + } + ``` + +2. **Client Registration (Client to Server):** + * **Purpose:** New client applications must register to be recognized by the server. + * **Request:** + ```json + { + "type": "REGISTER_CLIENT", + "payload": { + "clientName": "My Awesome Application", + // "requestedSecretKeys": ["key1", "key2"] // Legacy field, group association is now preferred + }, + "requestId": "client-req-001" + } + ``` + * **Server Response (Success - Awaiting Approval):** + ```json + { + "type": "REGISTRATION_ACK", + "code": 2001, // REGISTRATION_SUBMITTED + "payload": { + "clientId": "server_generated_client_id", // For admin tracking + "detail": "Registration for 'My Awesome Application' submitted. Awaiting admin approval. Your Client ID is server_generated_client_id." + }, + "requestId": "client-req-001" + } + ``` + The client must then be approved in the Admin UI. + +3. **Status Update Notification (Server to Client):** + * **Purpose:** After admin action (approval/rejection), the server notifies the specific client if connected. + * **Example (Approved):** + ```json + { + "type": "STATUS_UPDATE", + "code": 2000, // Or a more specific code if defined + "payload": { + "newStatus": "approved", + "detail": "Client registration automatically approved (debug mode)." // Or admin approved + } + } + ``` + * **Example (Rejected):** + ```json + { + "type": "STATUS_UPDATE", + "code": 4001, // UNAUTHORIZED (or a specific "REJECTED" code) + "payload": { + "newStatus": "rejected", + "detail": "Client registration was rejected by an administrator." + } + } + ``` + +4. **Request Secret (Client to Server - Approved Clients Only):** + * **Purpose:** To request the value of a secret the client is authorized (via group association) to access. + * **Request:** + ```json + { + "type": "REQUEST_SECRET", + "payload": { "secretKey": "database_connection_string" }, + "requestId": "client-req-002" + } + ``` + * **Server Response (Success):** + ```json + { + "type": "SECRET_DATA", + "code": 2000, // OK + "payload": { + "secretKey": "database_connection_string", + "value": "the_actual_secret_value_here" + }, + "requestId": "client-req-002" + } + ``` + * **Server Response (Unauthorized):** + ```json + { + "type": "ERROR", + "code": 4001, // UNAUTHORIZED + "payload": { + "detail": "You are not authorized to access the secret key \"database_connection_string\"." + }, + "requestId": "client-req-002" + } + ``` + * **Server Response (Not Found):** + ```json + { + "type": "ERROR", + "code": 4004, // NOT_FOUND + "payload": { + "detail": "Secret key \"some_other_key\" not found on server, though client is authorized. Please contact admin." + }, + "requestId": "client-req-003" + } + ``` + +5. **List Authorized Secrets (Client to Server - Approved Clients Only):** + * **Purpose:** To get a list of all secret keys the client is currently authorized to access. + * **Request:** + ```json + { + "type": "LIST_AUTHORIZED_SECRETS", + "requestId": "client-req-004" + } + ``` + * **Server Response (Success):** + ```json + { + "type": "AUTHORIZED_SECRETS_LIST", + "code": 2000, // OK + "payload": { + "authorizedSecretKeys": ["key1", "key2", "database_connection_string"] + }, + "requestId": "client-req-004" + } + ``` + +**General Error Response (Server to Client):** +If a request fails for other reasons (e.g., malformed JSON, internal server error), a generic error is sent: +```json +{ + "type": "ERROR", + "code": "", // e.g., 4000, 5000 + "payload": { "detail": "A descriptive error message." }, + "requestId": "" +} +``` + +## Security Considerations + +Security is a primary focus of the Key/Info Manager. Please be aware of the following: + +* **Master Password**: The security of all encrypted data relies heavily on the strength and secrecy of your `MASTER_PASSWORD`. Choose a strong, unique password and protect it diligently. This password is used to derive the data encryption key. +* **JWT Secret (`JWT_SECRET`)**: This secret is used to sign JSON Web Tokens for Admin UI sessions. It must be kept confidential. If compromised, attackers could forge admin session tokens. Ensure it's a long, random string. +* **Session Secret (`SESSION_SECRET`)**: Used by Express session middleware, which is crucial for CSRF protection. This also needs to be a long, random, and unique string kept confidential. +* **Data Encryption**: Secrets are encrypted at rest using AES-256-GCM. The salt used for key derivation is stored in `data/masterkey.salt`, and the encrypted data is in `data/secrets.json.enc`. Protect these files appropriately. +* **HTTPS/WSS**: For any production deployment, it is **critical** to run both the HTTP Admin UI and the WebSocket server over HTTPS and WSS respectively. This protects data in transit, including the master password during admin login, session cookies, and any secrets transmitted over WebSockets. This application setup does **not** include HTTPS/WSS by default; you will need to configure this using a reverse proxy (like Nginx or Caddy) or other methods. +* **CSRF Protection**: The Admin UI uses `csurf` to protect against Cross-Site Request Forgery attacks on state-changing POST requests. +* **Security Headers**: `helmet` is used to set various HTTP security headers, providing an additional layer of defense against common web vulnerabilities. +* **Rate Limiting**: Both the HTTP admin interface and the WebSocket server implement rate limiting to protect against brute-force attacks and denial-of-service attempts. These limits are configurable via environment variables (see "Getting Started & Installation"). +* **Input Validation**: While the application includes input validation, continuously reviewing and hardening validation logic is good practice, especially for all data received from clients or the Admin UI. +* **Principle of Least Privilege**: Clients should only be associated with secret groups containing the specific secrets they absolutely need. Avoid overly broad permissions. +* **Environment Variables**: Never commit your `.env` file (or any file containing actual secrets) to version control. Use environment variables for deploying sensitive configurations in production. + +## Testing + +Basic unit tests for some core components (like `DataManager`) might be available. + +* **Run tests:** + ```bash + npm test + ``` +* **Watch mode for tests:** + ```bash + npm run test:watch + ``` + +For end-to-end testing, manual testing of the Admin UI is recommended. The `client-example.html` file (if provided in the repository) can be used for basic WebSocket client interaction testing. + +## Project Structure Overview + +``` +key_manager/ +├── data/ # Encrypted data, salt, runtime config (gitignored) +├── dist/ # Compiled JavaScript output from TypeScript +├── node_modules/ # Project dependencies (gitignored) +├── public/ # Static assets (e.g., CSS) +│ └── css/ +│ └── admin_styles.css +├── src/ # TypeScript source files +│ ├── http/ # HTTP server (Express) and Admin UI logic +│ ├── lib/ # Core libraries (dataManager, configManager, encryption) +│ ├── websocket/ # WebSocket server logic +│ └── main.ts # Main application entry point +├── views/ # EJS templates for Admin UI +├── .env # Local environment variables (gitignored) +├── .gitignore +├── client-example.html # Example WebSocket client for testing (if present) +├── jest.config.js +├── package-lock.json +├── package.json +└── tsconfig.json +``` + +## Contributing + +Contributions are welcome! Please feel free to open an issue or submit a pull request. +(Further details can be added here, e.g., coding standards, branch strategy, if the project grows.) + +## License + +This project is licensed under the **ISC License**. See the `LICENSE` file (if one exists) or `package.json` for more details. diff --git a/client-example.html b/client-example.html new file mode 100644 index 0000000..0dfc33d --- /dev/null +++ b/client-example.html @@ -0,0 +1,306 @@ + + + + + + WebSocket Client Example + + + +

WebSocket Client Example

+
+ + + + +
+
+
+
+

Client State:

+

Server-Assigned Client ID: N/A

+

Status: Disconnected

+
+
+
+

Actions:

+ + +

+ + + +

+ +
+
+
+

Send Custom JSON Message:

+ + +
+ + + + + diff --git a/jest.config.js b/jest.config.js new file mode 100644 index 0000000..dc3f6cd --- /dev/null +++ b/jest.config.js @@ -0,0 +1,9 @@ +/** @type {import('ts-jest').JestConfigWithTsJest} */ +module.exports = { + preset: 'ts-jest', + testEnvironment: 'node', + testMatch: ['**/src/**/*.spec.ts', '**/src/**/*.test.ts'], + clearMocks: true, // Automatically clear mock calls and instances between every test + resetMocks: true, // Automatically reset mock state between every test + restoreMocks: true, // Automatically restore mock state and implementation between every test +}; diff --git a/package-lock.json b/package-lock.json new file mode 100644 index 0000000..13ccf0c --- /dev/null +++ b/package-lock.json @@ -0,0 +1,6095 @@ +{ + "name": "app", + "version": "1.0.0", + "lockfileVersion": 3, + "requires": true, + "packages": { + "": { + "name": "app", + "version": "1.0.0", + "license": "ISC", + "dependencies": { + "@types/helmet": "^0.0.48", + "cookie-parser": "^1.4.7", + "csurf": "^1.11.0", + "dotenv": "^16.6.0", + "ejs": "^3.1.10", + "express": "^5.1.0", + "express-rate-limit": "^7.5.1", + "express-session": "^1.18.1", + "helmet": "^8.1.0", + "jsonwebtoken": "^9.0.2", + "ws": "^8.18.2" + }, + "devDependencies": { + "@types/cookie-parser": "^1.4.9", + "@types/csurf": "^1.11.5", + "@types/express": "^5.0.3", + "@types/express-session": "^1.18.2", + "@types/jest": "^30.0.0", + "@types/jsonwebtoken": "^9.0.10", + "@types/node": "^24.0.4", + "@types/ws": "^8.18.1", + "jest": "^30.0.3", + "nodemon": "^3.1.10", + "ts-jest": "^29.4.0", + "typescript": "^5.8.3" + } + }, + "node_modules/@ampproject/remapping": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/@ampproject/remapping/-/remapping-2.3.0.tgz", + "integrity": "sha512-30iZtAPgz+LTIYoeivqYo853f02jBYSd5uGnGpkFV0M3xOt9aN73erkgYAmZU43x4VfqcnLxW9Kpg3R5LC4YYw==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "@jridgewell/gen-mapping": "^0.3.5", + "@jridgewell/trace-mapping": "^0.3.24" + }, + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@babel/code-frame": { + "version": "7.27.1", + "resolved": "https://registry.npmjs.org/@babel/code-frame/-/code-frame-7.27.1.tgz", + "integrity": "sha512-cjQ7ZlQ0Mv3b47hABuTevyTuYN4i+loJKGeV9flcCgIK37cCXRh+L1bd3iBHlynerhQ7BhCkn2BPbQUL+rGqFg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-validator-identifier": "^7.27.1", + "js-tokens": "^4.0.0", + "picocolors": "^1.1.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/compat-data": { + "version": "7.27.7", + "resolved": "https://registry.npmjs.org/@babel/compat-data/-/compat-data-7.27.7.tgz", + "integrity": "sha512-xgu/ySj2mTiUFmdE9yCMfBxLp4DHd5DwmbbD05YAuICfodYT3VvRxbrh81LGQ/8UpSdtMdfKMn3KouYDX59DGQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/core": { + "version": "7.27.7", + "resolved": "https://registry.npmjs.org/@babel/core/-/core-7.27.7.tgz", + "integrity": "sha512-BU2f9tlKQ5CAthiMIgpzAh4eDTLWo1mqi9jqE2OxMG0E/OM199VJt2q8BztTxpnSW0i1ymdwLXRJnYzvDM5r2w==", + "dev": true, + "license": "MIT", + "dependencies": { + "@ampproject/remapping": "^2.2.0", + "@babel/code-frame": "^7.27.1", + "@babel/generator": "^7.27.5", + "@babel/helper-compilation-targets": "^7.27.2", + "@babel/helper-module-transforms": "^7.27.3", + "@babel/helpers": "^7.27.6", + "@babel/parser": "^7.27.7", + "@babel/template": "^7.27.2", + "@babel/traverse": "^7.27.7", + "@babel/types": "^7.27.7", + "convert-source-map": "^2.0.0", + "debug": "^4.1.0", + "gensync": "^1.0.0-beta.2", + "json5": "^2.2.3", + "semver": "^6.3.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/babel" + } + }, + "node_modules/@babel/core/node_modules/semver": { + "version": "6.3.1", + "resolved": "https://registry.npmjs.org/semver/-/semver-6.3.1.tgz", + "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver.js" + } + }, + "node_modules/@babel/generator": { + "version": "7.27.5", + "resolved": "https://registry.npmjs.org/@babel/generator/-/generator-7.27.5.tgz", + "integrity": "sha512-ZGhA37l0e/g2s1Cnzdix0O3aLYm66eF8aufiVteOgnwxgnRP8GoyMj7VWsgWnQbVKXyge7hqrFh2K2TQM6t1Hw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/parser": "^7.27.5", + "@babel/types": "^7.27.3", + "@jridgewell/gen-mapping": "^0.3.5", + "@jridgewell/trace-mapping": "^0.3.25", + "jsesc": "^3.0.2" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-compilation-targets": { + "version": "7.27.2", + "resolved": "https://registry.npmjs.org/@babel/helper-compilation-targets/-/helper-compilation-targets-7.27.2.tgz", + "integrity": "sha512-2+1thGUUWWjLTYTHZWK1n8Yga0ijBz1XAhUXcKy81rd5g6yh7hGqMp45v7cadSbEHc9G3OTv45SyneRN3ps4DQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/compat-data": "^7.27.2", + "@babel/helper-validator-option": "^7.27.1", + "browserslist": "^4.24.0", + "lru-cache": "^5.1.1", + "semver": "^6.3.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-compilation-targets/node_modules/semver": { + "version": "6.3.1", + "resolved": "https://registry.npmjs.org/semver/-/semver-6.3.1.tgz", + "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver.js" + } + }, + "node_modules/@babel/helper-module-imports": { + "version": "7.27.1", + "resolved": "https://registry.npmjs.org/@babel/helper-module-imports/-/helper-module-imports-7.27.1.tgz", + "integrity": "sha512-0gSFWUPNXNopqtIPQvlD5WgXYI5GY2kP2cCvoT8kczjbfcfuIljTbcWrulD1CIPIX2gt1wghbDy08yE1p+/r3w==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/traverse": "^7.27.1", + "@babel/types": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-module-transforms": { + "version": "7.27.3", + "resolved": "https://registry.npmjs.org/@babel/helper-module-transforms/-/helper-module-transforms-7.27.3.tgz", + "integrity": "sha512-dSOvYwvyLsWBeIRyOeHXp5vPj5l1I011r52FM1+r1jCERv+aFXYk4whgQccYEGYxK2H3ZAIA8nuPkQ0HaUo3qg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-module-imports": "^7.27.1", + "@babel/helper-validator-identifier": "^7.27.1", + "@babel/traverse": "^7.27.3" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/@babel/helper-plugin-utils": { + "version": "7.27.1", + "resolved": "https://registry.npmjs.org/@babel/helper-plugin-utils/-/helper-plugin-utils-7.27.1.tgz", + "integrity": "sha512-1gn1Up5YXka3YYAHGKpbideQ5Yjf1tDa9qYcgysz+cNCXukyLl6DjPXhD3VRwSb8c0J9tA4b2+rHEZtc6R0tlw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-string-parser": { + "version": "7.27.1", + "resolved": "https://registry.npmjs.org/@babel/helper-string-parser/-/helper-string-parser-7.27.1.tgz", + "integrity": "sha512-qMlSxKbpRlAridDExk92nSobyDdpPijUq2DW6oDnUqd0iOGxmQjyqhMIihI9+zv4LPyZdRje2cavWPbCbWm3eA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-validator-identifier": { + "version": "7.27.1", + "resolved": "https://registry.npmjs.org/@babel/helper-validator-identifier/-/helper-validator-identifier-7.27.1.tgz", + "integrity": "sha512-D2hP9eA+Sqx1kBZgzxZh0y1trbuU+JoDkiEwqhQ36nodYqJwyEIhPSdMNd7lOm/4io72luTPWH20Yda0xOuUow==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-validator-option": { + "version": "7.27.1", + "resolved": "https://registry.npmjs.org/@babel/helper-validator-option/-/helper-validator-option-7.27.1.tgz", + "integrity": "sha512-YvjJow9FxbhFFKDSuFnVCe2WxXk1zWc22fFePVNEaWJEu8IrZVlda6N0uHwzZrUM1il7NC9Mlp4MaJYbYd9JSg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helpers": { + "version": "7.27.6", + "resolved": "https://registry.npmjs.org/@babel/helpers/-/helpers-7.27.6.tgz", + "integrity": "sha512-muE8Tt8M22638HU31A3CgfSUciwz1fhATfoVai05aPXGor//CdWDCbnlY1yvBPo07njuVOCNGCSp/GTt12lIug==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/template": "^7.27.2", + "@babel/types": "^7.27.6" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/parser": { + "version": "7.27.7", + "resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.27.7.tgz", + "integrity": "sha512-qnzXzDXdr/po3bOTbTIQZ7+TxNKxpkN5IifVLXS+r7qwynkZfPyjZfE7hCXbo7IoO9TNcSyibgONsf2HauUd3Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/types": "^7.27.7" + }, + "bin": { + "parser": "bin/babel-parser.js" + }, + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@babel/plugin-syntax-async-generators": { + "version": "7.8.4", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-async-generators/-/plugin-syntax-async-generators-7.8.4.tgz", + "integrity": "sha512-tycmZxkGfZaxhMRbXlPXuVFpdWlXpir2W4AMhSJgRKzk/eDlIXOhb2LHWoLpDF7TEHylV5zNhykX6KAgHJmTNw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-bigint": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-bigint/-/plugin-syntax-bigint-7.8.3.tgz", + "integrity": "sha512-wnTnFlG+YxQm3vDxpGE57Pj0srRU4sHE/mDkt1qv2YJJSeUAec2ma4WLUnUPeKjyrfntVwe/N6dCXpU+zL3Npg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-class-properties": { + "version": "7.12.13", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-class-properties/-/plugin-syntax-class-properties-7.12.13.tgz", + "integrity": "sha512-fm4idjKla0YahUNgFNLCB0qySdsoPiZP3iQE3rky0mBUtMZ23yDJ9SJdg6dXTSDnulOVqiF3Hgr9nbXvXTQZYA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.12.13" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-class-static-block": { + "version": "7.14.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-class-static-block/-/plugin-syntax-class-static-block-7.14.5.tgz", + "integrity": "sha512-b+YyPmr6ldyNnM6sqYeMWE+bgJcJpO6yS4QD7ymxgH34GBPNDM/THBh8iunyvKIZztiwLH4CJZ0RxTk9emgpjw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.14.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-import-attributes": { + "version": "7.27.1", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-import-attributes/-/plugin-syntax-import-attributes-7.27.1.tgz", + "integrity": "sha512-oFT0FrKHgF53f4vOsZGi2Hh3I35PfSmVs4IBFLFj4dnafP+hIWDLg3VyKmUHfLoLHlyxY4C7DGtmHuJgn+IGww==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-import-meta": { + "version": "7.10.4", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-import-meta/-/plugin-syntax-import-meta-7.10.4.tgz", + "integrity": "sha512-Yqfm+XDx0+Prh3VSeEQCPU81yC+JWZ2pDPFSS4ZdpfZhp4MkFMaDC1UqseovEKwSUpnIL7+vK+Clp7bfh0iD7g==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.10.4" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-json-strings": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-json-strings/-/plugin-syntax-json-strings-7.8.3.tgz", + "integrity": "sha512-lY6kdGpWHvjoe2vk4WrAapEuBR69EMxZl+RoGRhrFGNYVK8mOPAW8VfbT/ZgrFbXlDNiiaxQnAtgVCZ6jv30EA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-jsx": { + "version": "7.27.1", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-jsx/-/plugin-syntax-jsx-7.27.1.tgz", + "integrity": "sha512-y8YTNIeKoyhGd9O0Jiyzyyqk8gdjnumGTQPsz0xOZOQ2RmkVJeZ1vmmfIvFEKqucBG6axJGBZDE/7iI5suUI/w==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-logical-assignment-operators": { + "version": "7.10.4", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-logical-assignment-operators/-/plugin-syntax-logical-assignment-operators-7.10.4.tgz", + "integrity": "sha512-d8waShlpFDinQ5MtvGU9xDAOzKH47+FFoney2baFIoMr952hKOLp1HR7VszoZvOsV/4+RRszNY7D17ba0te0ig==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.10.4" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-nullish-coalescing-operator": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-nullish-coalescing-operator/-/plugin-syntax-nullish-coalescing-operator-7.8.3.tgz", + "integrity": "sha512-aSff4zPII1u2QD7y+F8oDsz19ew4IGEJg9SVW+bqwpwtfFleiQDMdzA/R+UlWDzfnHFCxxleFT0PMIrR36XLNQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-numeric-separator": { + "version": "7.10.4", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-numeric-separator/-/plugin-syntax-numeric-separator-7.10.4.tgz", + "integrity": "sha512-9H6YdfkcK/uOnY/K7/aA2xpzaAgkQn37yzWUMRK7OaPOqOpGS1+n0H5hxT9AUw9EsSjPW8SVyMJwYRtWs3X3ug==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.10.4" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-object-rest-spread": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-object-rest-spread/-/plugin-syntax-object-rest-spread-7.8.3.tgz", + "integrity": "sha512-XoqMijGZb9y3y2XskN+P1wUGiVwWZ5JmoDRwx5+3GmEplNyVM2s2Dg8ILFQm8rWM48orGy5YpI5Bl8U1y7ydlA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-optional-catch-binding": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-optional-catch-binding/-/plugin-syntax-optional-catch-binding-7.8.3.tgz", + "integrity": "sha512-6VPD0Pc1lpTqw0aKoeRTMiB+kWhAoT24PA+ksWSBrFtl5SIRVpZlwN3NNPQjehA2E/91FV3RjLWoVTglWcSV3Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-optional-chaining": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-optional-chaining/-/plugin-syntax-optional-chaining-7.8.3.tgz", + "integrity": "sha512-KoK9ErH1MBlCPxV0VANkXW2/dw4vlbGDrFgz8bmUsBGYkFRcbRwMh6cIJubdPrkxRwuGdtCk0v/wPTKbQgBjkg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-private-property-in-object": { + "version": "7.14.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-private-property-in-object/-/plugin-syntax-private-property-in-object-7.14.5.tgz", + "integrity": "sha512-0wVnp9dxJ72ZUJDV27ZfbSj6iHLoytYZmh3rFcxNnvsJF3ktkzLDZPy/mA17HGsaQT3/DQsWYX1f1QGWkCoVUg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.14.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-top-level-await": { + "version": "7.14.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-top-level-await/-/plugin-syntax-top-level-await-7.14.5.tgz", + "integrity": "sha512-hx++upLv5U1rgYfwe1xBQUhRmU41NEvpUvrp8jkrSCdvGSnM5/qdRMtylJ6PG5OFkBaHkbTAKTnd3/YyESRHFw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.14.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-typescript": { + "version": "7.27.1", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-typescript/-/plugin-syntax-typescript-7.27.1.tgz", + "integrity": "sha512-xfYCBMxveHrRMnAWl1ZlPXOZjzkN82THFvLhQhFXFt81Z5HnN+EtUkZhv/zcKpmT3fzmWZB0ywiBrbC3vogbwQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/template": { + "version": "7.27.2", + "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.27.2.tgz", + "integrity": "sha512-LPDZ85aEJyYSd18/DkjNh4/y1ntkE5KwUHWTiqgRxruuZL2F1yuHligVHLvcHY2vMHXttKFpJn6LwfI7cw7ODw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/code-frame": "^7.27.1", + "@babel/parser": "^7.27.2", + "@babel/types": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/traverse": { + "version": "7.27.7", + "resolved": "https://registry.npmjs.org/@babel/traverse/-/traverse-7.27.7.tgz", + "integrity": "sha512-X6ZlfR/O/s5EQ/SnUSLzr+6kGnkg8HXGMzpgsMsrJVcfDtH1vIp6ctCN4eZ1LS5c0+te5Cb6Y514fASjMRJ1nw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/code-frame": "^7.27.1", + "@babel/generator": "^7.27.5", + "@babel/parser": "^7.27.7", + "@babel/template": "^7.27.2", + "@babel/types": "^7.27.7", + "debug": "^4.3.1", + "globals": "^11.1.0" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/types": { + "version": "7.27.7", + "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.27.7.tgz", + "integrity": "sha512-8OLQgDScAOHXnAz2cV+RfzzNMipuLVBz2biuAJFMV9bfkNf393je3VM8CLkjQodW5+iWsSJdSgSWT6rsZoXHPw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-string-parser": "^7.27.1", + "@babel/helper-validator-identifier": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@bcoe/v8-coverage": { + "version": "0.2.3", + "resolved": "https://registry.npmjs.org/@bcoe/v8-coverage/-/v8-coverage-0.2.3.tgz", + "integrity": "sha512-0hYQ8SB4Db5zvZB4axdMHGwEaQjkZzFjQiN9LVYvIFB2nSUHW9tYpxWriPrWDASIxiaXax83REcLxuSdnGPZtw==", + "dev": true, + "license": "MIT" + }, + "node_modules/@emnapi/core": { + "version": "1.4.3", + "resolved": "https://registry.npmjs.org/@emnapi/core/-/core-1.4.3.tgz", + "integrity": "sha512-4m62DuCE07lw01soJwPiBGC0nAww0Q+RY70VZ+n49yDIO13yyinhbWCeNnaob0lakDtWQzSdtNWzJeOJt2ma+g==", + "dev": true, + "license": "MIT", + "optional": true, + "dependencies": { + "@emnapi/wasi-threads": "1.0.2", + "tslib": "^2.4.0" + } + }, + "node_modules/@emnapi/runtime": { + "version": "1.4.3", + "resolved": "https://registry.npmjs.org/@emnapi/runtime/-/runtime-1.4.3.tgz", + "integrity": "sha512-pBPWdu6MLKROBX05wSNKcNb++m5Er+KQ9QkB+WVM+pW2Kx9hoSrVTnu3BdkI5eBLZoKu/J6mW/B6i6bJB2ytXQ==", + "dev": true, + "license": "MIT", + "optional": true, + "dependencies": { + "tslib": "^2.4.0" + } + }, + "node_modules/@emnapi/wasi-threads": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/@emnapi/wasi-threads/-/wasi-threads-1.0.2.tgz", + "integrity": "sha512-5n3nTJblwRi8LlXkJ9eBzu+kZR8Yxcc7ubakyQTFzPMtIhFpUBRbsnc2Dv88IZDIbCDlBiWrknhB4Lsz7mg6BA==", + "dev": true, + "license": "MIT", + "optional": true, + "dependencies": { + "tslib": "^2.4.0" + } + }, + "node_modules/@isaacs/cliui": { + "version": "8.0.2", + "resolved": "https://registry.npmjs.org/@isaacs/cliui/-/cliui-8.0.2.tgz", + "integrity": "sha512-O8jcjabXaleOG9DQ0+ARXWZBTfnP4WNAqzuiJK7ll44AmxGKv/J2M4TPjxjY3znBCfvBXFzucm1twdyFybFqEA==", + "dev": true, + "license": "ISC", + "dependencies": { + "string-width": "^5.1.2", + "string-width-cjs": "npm:string-width@^4.2.0", + "strip-ansi": "^7.0.1", + "strip-ansi-cjs": "npm:strip-ansi@^6.0.1", + "wrap-ansi": "^8.1.0", + "wrap-ansi-cjs": "npm:wrap-ansi@^7.0.0" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/@istanbuljs/load-nyc-config": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@istanbuljs/load-nyc-config/-/load-nyc-config-1.1.0.tgz", + "integrity": "sha512-VjeHSlIzpv/NyD3N0YuHfXOPDIixcA1q2ZV98wsMqcYlPmv2n3Yb2lYP9XMElnaFVXg5A7YLTeLu6V84uQDjmQ==", + "dev": true, + "license": "ISC", + "dependencies": { + "camelcase": "^5.3.1", + "find-up": "^4.1.0", + "get-package-type": "^0.1.0", + "js-yaml": "^3.13.1", + "resolve-from": "^5.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/@istanbuljs/schema": { + "version": "0.1.3", + "resolved": "https://registry.npmjs.org/@istanbuljs/schema/-/schema-0.1.3.tgz", + "integrity": "sha512-ZXRY4jNvVgSVQ8DL3LTcakaAtXwTVUxE81hslsyD2AtoXW/wVob10HkOJ1X/pAlcI7D+2YoZKg5do8G/w6RYgA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/@jest/console": { + "version": "30.0.2", + "resolved": "https://registry.npmjs.org/@jest/console/-/console-30.0.2.tgz", + "integrity": "sha512-krGElPU0FipAqpVZ/BRZOy0MZh/ARdJ0Nj+PiH1ykFY1+VpBlYNLjdjVA5CFKxnKR6PFqFutO4Z7cdK9BlGiDA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "30.0.1", + "@types/node": "*", + "chalk": "^4.1.2", + "jest-message-util": "30.0.2", + "jest-util": "30.0.2", + "slash": "^3.0.0" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/@jest/core": { + "version": "30.0.3", + "resolved": "https://registry.npmjs.org/@jest/core/-/core-30.0.3.tgz", + "integrity": "sha512-Mgs1N+NSHD3Fusl7bOq1jyxv1JDAUwjy+0DhVR93Q6xcBP9/bAQ+oZhXb5TTnP5sQzAHgb7ROCKQ2SnovtxYtg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/console": "30.0.2", + "@jest/pattern": "30.0.1", + "@jest/reporters": "30.0.2", + "@jest/test-result": "30.0.2", + "@jest/transform": "30.0.2", + "@jest/types": "30.0.1", + "@types/node": "*", + "ansi-escapes": "^4.3.2", + "chalk": "^4.1.2", + "ci-info": "^4.2.0", + "exit-x": "^0.2.2", + "graceful-fs": "^4.2.11", + "jest-changed-files": "30.0.2", + "jest-config": "30.0.3", + "jest-haste-map": "30.0.2", + "jest-message-util": "30.0.2", + "jest-regex-util": "30.0.1", + "jest-resolve": "30.0.2", + "jest-resolve-dependencies": "30.0.3", + "jest-runner": "30.0.3", + "jest-runtime": "30.0.3", + "jest-snapshot": "30.0.3", + "jest-util": "30.0.2", + "jest-validate": "30.0.2", + "jest-watcher": "30.0.2", + "micromatch": "^4.0.8", + "pretty-format": "30.0.2", + "slash": "^3.0.0" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + }, + "peerDependencies": { + "node-notifier": "^8.0.1 || ^9.0.0 || ^10.0.0" + }, + "peerDependenciesMeta": { + "node-notifier": { + "optional": true + } + } + }, + "node_modules/@jest/diff-sequences": { + "version": "30.0.1", + "resolved": "https://registry.npmjs.org/@jest/diff-sequences/-/diff-sequences-30.0.1.tgz", + "integrity": "sha512-n5H8QLDJ47QqbCNn5SuFjCRDrOLEZ0h8vAHCK5RL9Ls7Xa8AQLa/YxAc9UjFqoEDM48muwtBGjtMY5cr0PLDCw==", + "dev": true, + "license": "MIT", + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/@jest/environment": { + "version": "30.0.2", + "resolved": "https://registry.npmjs.org/@jest/environment/-/environment-30.0.2.tgz", + "integrity": "sha512-hRLhZRJNxBiOhxIKSq2UkrlhMt3/zVFQOAi5lvS8T9I03+kxsbflwHJEF+eXEYXCrRGRhHwECT7CDk6DyngsRA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/fake-timers": "30.0.2", + "@jest/types": "30.0.1", + "@types/node": "*", + "jest-mock": "30.0.2" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/@jest/expect": { + "version": "30.0.3", + "resolved": "https://registry.npmjs.org/@jest/expect/-/expect-30.0.3.tgz", + "integrity": "sha512-73BVLqfCeWjYWPEQoYjiRZ4xuQRhQZU0WdgvbyXGRHItKQqg5e6mt2y1kVhzLSuZpmUnccZHbGynoaL7IcLU3A==", + "dev": true, + "license": "MIT", + "dependencies": { + "expect": "30.0.3", + "jest-snapshot": "30.0.3" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/@jest/expect-utils": { + "version": "30.0.3", + "resolved": "https://registry.npmjs.org/@jest/expect-utils/-/expect-utils-30.0.3.tgz", + "integrity": "sha512-SMtBvf2sfX2agcT0dA9pXwcUrKvOSDqBY4e4iRfT+Hya33XzV35YVg+98YQFErVGA/VR1Gto5Y2+A6G9LSQ3Yg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/get-type": "30.0.1" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/@jest/fake-timers": { + "version": "30.0.2", + "resolved": "https://registry.npmjs.org/@jest/fake-timers/-/fake-timers-30.0.2.tgz", + "integrity": "sha512-jfx0Xg7l0gmphTY9UKm5RtH12BlLYj/2Plj6wXjVW5Era4FZKfXeIvwC67WX+4q8UCFxYS20IgnMcFBcEU0DtA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "30.0.1", + "@sinonjs/fake-timers": "^13.0.0", + "@types/node": "*", + "jest-message-util": "30.0.2", + "jest-mock": "30.0.2", + "jest-util": "30.0.2" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/@jest/get-type": { + "version": "30.0.1", + "resolved": "https://registry.npmjs.org/@jest/get-type/-/get-type-30.0.1.tgz", + "integrity": "sha512-AyYdemXCptSRFirI5EPazNxyPwAL0jXt3zceFjaj8NFiKP9pOi0bfXonf6qkf82z2t3QWPeLCWWw4stPBzctLw==", + "dev": true, + "license": "MIT", + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/@jest/globals": { + "version": "30.0.3", + "resolved": "https://registry.npmjs.org/@jest/globals/-/globals-30.0.3.tgz", + "integrity": "sha512-fIduqNyYpMeeSr5iEAiMn15KxCzvrmxl7X7VwLDRGj7t5CoHtbF+7K3EvKk32mOUIJ4kIvFRlaixClMH2h/Vaw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/environment": "30.0.2", + "@jest/expect": "30.0.3", + "@jest/types": "30.0.1", + "jest-mock": "30.0.2" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/@jest/pattern": { + "version": "30.0.1", + "resolved": "https://registry.npmjs.org/@jest/pattern/-/pattern-30.0.1.tgz", + "integrity": "sha512-gWp7NfQW27LaBQz3TITS8L7ZCQ0TLvtmI//4OwlQRx4rnWxcPNIYjxZpDcN4+UlGxgm3jS5QPz8IPTCkb59wZA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/node": "*", + "jest-regex-util": "30.0.1" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/@jest/reporters": { + "version": "30.0.2", + "resolved": "https://registry.npmjs.org/@jest/reporters/-/reporters-30.0.2.tgz", + "integrity": "sha512-l4QzS/oKf57F8WtPZK+vvF4Io6ukplc6XgNFu4Hd/QxaLEO9f+8dSFzUua62Oe0HKlCUjKHpltKErAgDiMJKsA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@bcoe/v8-coverage": "^0.2.3", + "@jest/console": "30.0.2", + "@jest/test-result": "30.0.2", + "@jest/transform": "30.0.2", + "@jest/types": "30.0.1", + "@jridgewell/trace-mapping": "^0.3.25", + "@types/node": "*", + "chalk": "^4.1.2", + "collect-v8-coverage": "^1.0.2", + "exit-x": "^0.2.2", + "glob": "^10.3.10", + "graceful-fs": "^4.2.11", + "istanbul-lib-coverage": "^3.0.0", + "istanbul-lib-instrument": "^6.0.0", + "istanbul-lib-report": "^3.0.0", + "istanbul-lib-source-maps": "^5.0.0", + "istanbul-reports": "^3.1.3", + "jest-message-util": "30.0.2", + "jest-util": "30.0.2", + "jest-worker": "30.0.2", + "slash": "^3.0.0", + "string-length": "^4.0.2", + "v8-to-istanbul": "^9.0.1" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + }, + "peerDependencies": { + "node-notifier": "^8.0.1 || ^9.0.0 || ^10.0.0" + }, + "peerDependenciesMeta": { + "node-notifier": { + "optional": true + } + } + }, + "node_modules/@jest/schemas": { + "version": "30.0.1", + "resolved": "https://registry.npmjs.org/@jest/schemas/-/schemas-30.0.1.tgz", + "integrity": "sha512-+g/1TKjFuGrf1Hh0QPCv0gISwBxJ+MQSNXmG9zjHy7BmFhtoJ9fdNhWJp3qUKRi93AOZHXtdxZgJ1vAtz6z65w==", + "dev": true, + "license": "MIT", + "dependencies": { + "@sinclair/typebox": "^0.34.0" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/@jest/snapshot-utils": { + "version": "30.0.1", + "resolved": "https://registry.npmjs.org/@jest/snapshot-utils/-/snapshot-utils-30.0.1.tgz", + "integrity": "sha512-6Dpv7vdtoRiISEFwYF8/c7LIvqXD7xDXtLPNzC2xqAfBznKip0MQM+rkseKwUPUpv2PJ7KW/YsnwWXrIL2xF+A==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "30.0.1", + "chalk": "^4.1.2", + "graceful-fs": "^4.2.11", + "natural-compare": "^1.4.0" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/@jest/source-map": { + "version": "30.0.1", + "resolved": "https://registry.npmjs.org/@jest/source-map/-/source-map-30.0.1.tgz", + "integrity": "sha512-MIRWMUUR3sdbP36oyNyhbThLHyJ2eEDClPCiHVbrYAe5g3CHRArIVpBw7cdSB5fr+ofSfIb2Tnsw8iEHL0PYQg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jridgewell/trace-mapping": "^0.3.25", + "callsites": "^3.1.0", + "graceful-fs": "^4.2.11" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/@jest/test-result": { + "version": "30.0.2", + "resolved": "https://registry.npmjs.org/@jest/test-result/-/test-result-30.0.2.tgz", + "integrity": "sha512-KKMuBKkkZYP/GfHMhI+cH2/P3+taMZS3qnqqiPC1UXZTJskkCS+YU/ILCtw5anw1+YsTulDHFpDo70mmCedW8w==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/console": "30.0.2", + "@jest/types": "30.0.1", + "@types/istanbul-lib-coverage": "^2.0.6", + "collect-v8-coverage": "^1.0.2" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/@jest/test-sequencer": { + "version": "30.0.2", + "resolved": "https://registry.npmjs.org/@jest/test-sequencer/-/test-sequencer-30.0.2.tgz", + "integrity": "sha512-fbyU5HPka0rkalZ3MXVvq0hwZY8dx3Y6SCqR64zRmh+xXlDeFl0IdL4l9e7vp4gxEXTYHbwLFA1D+WW5CucaSw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/test-result": "30.0.2", + "graceful-fs": "^4.2.11", + "jest-haste-map": "30.0.2", + "slash": "^3.0.0" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/@jest/transform": { + "version": "30.0.2", + "resolved": "https://registry.npmjs.org/@jest/transform/-/transform-30.0.2.tgz", + "integrity": "sha512-kJIuhLMTxRF7sc0gPzPtCDib/V9KwW3I2U25b+lYCYMVqHHSrcZopS8J8H+znx9yixuFv+Iozl8raLt/4MoxrA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/core": "^7.27.4", + "@jest/types": "30.0.1", + "@jridgewell/trace-mapping": "^0.3.25", + "babel-plugin-istanbul": "^7.0.0", + "chalk": "^4.1.2", + "convert-source-map": "^2.0.0", + "fast-json-stable-stringify": "^2.1.0", + "graceful-fs": "^4.2.11", + "jest-haste-map": "30.0.2", + "jest-regex-util": "30.0.1", + "jest-util": "30.0.2", + "micromatch": "^4.0.8", + "pirates": "^4.0.7", + "slash": "^3.0.0", + "write-file-atomic": "^5.0.1" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/@jest/types": { + "version": "30.0.1", + "resolved": "https://registry.npmjs.org/@jest/types/-/types-30.0.1.tgz", + "integrity": "sha512-HGwoYRVF0QSKJu1ZQX0o5ZrUrrhj0aOOFA8hXrumD7SIzjouevhawbTjmXdwOmURdGluU9DM/XvGm3NyFoiQjw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/pattern": "30.0.1", + "@jest/schemas": "30.0.1", + "@types/istanbul-lib-coverage": "^2.0.6", + "@types/istanbul-reports": "^3.0.4", + "@types/node": "*", + "@types/yargs": "^17.0.33", + "chalk": "^4.1.2" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/@jridgewell/gen-mapping": { + "version": "0.3.8", + "resolved": "https://registry.npmjs.org/@jridgewell/gen-mapping/-/gen-mapping-0.3.8.tgz", + "integrity": "sha512-imAbBGkb+ebQyxKgzv5Hu2nmROxoDOXHh80evxdoXNOrvAnVx7zimzc1Oo5h9RlfV4vPXaE2iM5pOFbvOCClWA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jridgewell/set-array": "^1.2.1", + "@jridgewell/sourcemap-codec": "^1.4.10", + "@jridgewell/trace-mapping": "^0.3.24" + }, + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@jridgewell/resolve-uri": { + "version": "3.1.2", + "resolved": "https://registry.npmjs.org/@jridgewell/resolve-uri/-/resolve-uri-3.1.2.tgz", + "integrity": "sha512-bRISgCIjP20/tbWSPWMEi54QVPRZExkuD9lJL+UIxUKtwVJA8wW1Trb1jMs1RFXo1CBTNZ/5hpC9QvmKWdopKw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@jridgewell/set-array": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/@jridgewell/set-array/-/set-array-1.2.1.tgz", + "integrity": "sha512-R8gLRTZeyp03ymzP/6Lil/28tGeGEzhx1q2k703KGWRAI1VdvPIXdG70VJc2pAMw3NA6JKL5hhFu1sJX0Mnn/A==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@jridgewell/sourcemap-codec": { + "version": "1.5.0", + "resolved": "https://registry.npmjs.org/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.5.0.tgz", + "integrity": "sha512-gv3ZRaISU3fjPAgNsriBRqGWQL6quFx04YMPW/zD8XMLsU32mhCCbfbO6KZFLjvYpCZ8zyDEgqsgf+PwPaM7GQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/@jridgewell/trace-mapping": { + "version": "0.3.25", + "resolved": "https://registry.npmjs.org/@jridgewell/trace-mapping/-/trace-mapping-0.3.25.tgz", + "integrity": "sha512-vNk6aEwybGtawWmy/PzwnGDOjCkLWSD2wqvjGGAgOAwCGWySYXfYoxt00IJkTF+8Lb57DwOb3Aa0o9CApepiYQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jridgewell/resolve-uri": "^3.1.0", + "@jridgewell/sourcemap-codec": "^1.4.14" + } + }, + "node_modules/@napi-rs/wasm-runtime": { + "version": "0.2.11", + "resolved": "https://registry.npmjs.org/@napi-rs/wasm-runtime/-/wasm-runtime-0.2.11.tgz", + "integrity": "sha512-9DPkXtvHydrcOsopiYpUgPHpmj0HWZKMUnL2dZqpvC42lsratuBG06V5ipyno0fUek5VlFsNQ+AcFATSrJXgMA==", + "dev": true, + "license": "MIT", + "optional": true, + "dependencies": { + "@emnapi/core": "^1.4.3", + "@emnapi/runtime": "^1.4.3", + "@tybys/wasm-util": "^0.9.0" + } + }, + "node_modules/@pkgjs/parseargs": { + "version": "0.11.0", + "resolved": "https://registry.npmjs.org/@pkgjs/parseargs/-/parseargs-0.11.0.tgz", + "integrity": "sha512-+1VkjdD0QBLPodGrJUeqarH8VAIvQODIbwh9XpP5Syisf7YoQgsJKPNFoqqLQlu+VQ/tVSshMR6loPMn8U+dPg==", + "dev": true, + "license": "MIT", + "optional": true, + "engines": { + "node": ">=14" + } + }, + "node_modules/@pkgr/core": { + "version": "0.2.7", + "resolved": "https://registry.npmjs.org/@pkgr/core/-/core-0.2.7.tgz", + "integrity": "sha512-YLT9Zo3oNPJoBjBc4q8G2mjU4tqIbf5CEOORbUUr48dCD9q3umJ3IPlVqOqDakPfd2HuwccBaqlGhN4Gmr5OWg==", + "dev": true, + "license": "MIT", + "engines": { + "node": "^12.20.0 || ^14.18.0 || >=16.0.0" + }, + "funding": { + "url": "https://opencollective.com/pkgr" + } + }, + "node_modules/@sinclair/typebox": { + "version": "0.34.37", + "resolved": "https://registry.npmjs.org/@sinclair/typebox/-/typebox-0.34.37.tgz", + "integrity": "sha512-2TRuQVgQYfy+EzHRTIvkhv2ADEouJ2xNS/Vq+W5EuuewBdOrvATvljZTxHWZSTYr2sTjTHpGvucaGAt67S2akw==", + "dev": true, + "license": "MIT" + }, + "node_modules/@sinonjs/commons": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/@sinonjs/commons/-/commons-3.0.1.tgz", + "integrity": "sha512-K3mCHKQ9sVh8o1C9cxkwxaOmXoAMlDxC1mYyHrjqOWEcBjYr76t96zL2zlj5dUGZ3HSw240X1qgH3Mjf1yJWpQ==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "type-detect": "4.0.8" + } + }, + "node_modules/@sinonjs/fake-timers": { + "version": "13.0.5", + "resolved": "https://registry.npmjs.org/@sinonjs/fake-timers/-/fake-timers-13.0.5.tgz", + "integrity": "sha512-36/hTbH2uaWuGVERyC6da9YwGWnzUZXuPro/F2LfsdOsLnCojz/iSH8MxUt/FD2S5XBSVPhmArFUXcpCQ2Hkiw==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "@sinonjs/commons": "^3.0.1" + } + }, + "node_modules/@tybys/wasm-util": { + "version": "0.9.0", + "resolved": "https://registry.npmjs.org/@tybys/wasm-util/-/wasm-util-0.9.0.tgz", + "integrity": "sha512-6+7nlbMVX/PVDCwaIQ8nTOPveOcFLSt8GcXdx8hD0bt39uWxYT88uXzqTd4fTvqta7oeUJqudepapKNt2DYJFw==", + "dev": true, + "license": "MIT", + "optional": true, + "dependencies": { + "tslib": "^2.4.0" + } + }, + "node_modules/@types/babel__core": { + "version": "7.20.5", + "resolved": "https://registry.npmjs.org/@types/babel__core/-/babel__core-7.20.5.tgz", + "integrity": "sha512-qoQprZvz5wQFJwMDqeseRXWv3rqMvhgpbXFfVyWhbx9X47POIA6i/+dXefEmZKoAgOaTdaIgNSMqMIU61yRyzA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/parser": "^7.20.7", + "@babel/types": "^7.20.7", + "@types/babel__generator": "*", + "@types/babel__template": "*", + "@types/babel__traverse": "*" + } + }, + "node_modules/@types/babel__generator": { + "version": "7.27.0", + "resolved": "https://registry.npmjs.org/@types/babel__generator/-/babel__generator-7.27.0.tgz", + "integrity": "sha512-ufFd2Xi92OAVPYsy+P4n7/U7e68fex0+Ee8gSG9KX7eo084CWiQ4sdxktvdl0bOPupXtVJPY19zk6EwWqUQ8lg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/types": "^7.0.0" + } + }, + "node_modules/@types/babel__template": { + "version": "7.4.4", + "resolved": "https://registry.npmjs.org/@types/babel__template/-/babel__template-7.4.4.tgz", + "integrity": "sha512-h/NUaSyG5EyxBIp8YRxo4RMe2/qQgvyowRwVMzhYhBCONbW8PUsg4lkFMrhgZhUe5z3L3MiLDuvyJ/CaPa2A8A==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/parser": "^7.1.0", + "@babel/types": "^7.0.0" + } + }, + "node_modules/@types/babel__traverse": { + "version": "7.20.7", + "resolved": "https://registry.npmjs.org/@types/babel__traverse/-/babel__traverse-7.20.7.tgz", + "integrity": "sha512-dkO5fhS7+/oos4ciWxyEyjWe48zmG6wbCheo/G2ZnHx4fs3EU6YC6UM8rk56gAjNJ9P3MTH2jo5jb92/K6wbng==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/types": "^7.20.7" + } + }, + "node_modules/@types/body-parser": { + "version": "1.19.6", + "resolved": "https://registry.npmjs.org/@types/body-parser/-/body-parser-1.19.6.tgz", + "integrity": "sha512-HLFeCYgz89uk22N5Qg3dvGvsv46B8GLvKKo1zKG4NybA8U2DiEO3w9lqGg29t/tfLRJpJ6iQxnVw4OnB7MoM9g==", + "license": "MIT", + "dependencies": { + "@types/connect": "*", + "@types/node": "*" + } + }, + "node_modules/@types/connect": { + "version": "3.4.38", + "resolved": "https://registry.npmjs.org/@types/connect/-/connect-3.4.38.tgz", + "integrity": "sha512-K6uROf1LD88uDQqJCktA4yzL1YYAK6NgfsI0v/mTgyPKWsX1CnJ0XPSDhViejru1GcRkLWb8RlzFYJRqGUbaug==", + "license": "MIT", + "dependencies": { + "@types/node": "*" + } + }, + "node_modules/@types/cookie-parser": { + "version": "1.4.9", + "resolved": "https://registry.npmjs.org/@types/cookie-parser/-/cookie-parser-1.4.9.tgz", + "integrity": "sha512-tGZiZ2Gtc4m3wIdLkZ8mkj1T6CEHb35+VApbL2T14Dew8HA7c+04dmKqsKRNC+8RJPm16JEK0tFSwdZqubfc4g==", + "dev": true, + "license": "MIT", + "peerDependencies": { + "@types/express": "*" + } + }, + "node_modules/@types/csurf": { + "version": "1.11.5", + "resolved": "https://registry.npmjs.org/@types/csurf/-/csurf-1.11.5.tgz", + "integrity": "sha512-5rw87+5YGixyL2W8wblSUl5DSZi5YOlXE6Awwn2ofLvqKr/1LruKffrQipeJKUX44VaxKj8m5es3vfhltJTOoA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/express-serve-static-core": "*" + } + }, + "node_modules/@types/express": { + "version": "5.0.3", + "resolved": "https://registry.npmjs.org/@types/express/-/express-5.0.3.tgz", + "integrity": "sha512-wGA0NX93b19/dZC1J18tKWVIYWyyF2ZjT9vin/NRu0qzzvfVzWjs04iq2rQ3H65vCTQYlRqs3YHfY7zjdV+9Kw==", + "license": "MIT", + "dependencies": { + "@types/body-parser": "*", + "@types/express-serve-static-core": "^5.0.0", + "@types/serve-static": "*" + } + }, + "node_modules/@types/express-serve-static-core": { + "version": "5.0.6", + "resolved": "https://registry.npmjs.org/@types/express-serve-static-core/-/express-serve-static-core-5.0.6.tgz", + "integrity": "sha512-3xhRnjJPkULekpSzgtoNYYcTWgEZkp4myc+Saevii5JPnHNvHMRlBSHDbs7Bh1iPPoVTERHEZXyhyLbMEsExsA==", + "license": "MIT", + "dependencies": { + "@types/node": "*", + "@types/qs": "*", + "@types/range-parser": "*", + "@types/send": "*" + } + }, + "node_modules/@types/express-session": { + "version": "1.18.2", + "resolved": "https://registry.npmjs.org/@types/express-session/-/express-session-1.18.2.tgz", + "integrity": "sha512-k+I0BxwVXsnEU2hV77cCobC08kIsn4y44C3gC0b46uxZVMaXA04lSPgRLR/bSL2w0t0ShJiG8o4jPzRG/nscFg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/express": "*" + } + }, + "node_modules/@types/helmet": { + "version": "0.0.48", + "resolved": "https://registry.npmjs.org/@types/helmet/-/helmet-0.0.48.tgz", + "integrity": "sha512-C7MpnvSDrunS1q2Oy1VWCY7CDWHozqSnM8P4tFeRTuzwqni+PYOjEredwcqWG+kLpYcgLsgcY3orHB54gbx2Jw==", + "license": "MIT", + "dependencies": { + "@types/express": "*" + } + }, + "node_modules/@types/http-errors": { + "version": "2.0.5", + "resolved": "https://registry.npmjs.org/@types/http-errors/-/http-errors-2.0.5.tgz", + "integrity": "sha512-r8Tayk8HJnX0FztbZN7oVqGccWgw98T/0neJphO91KkmOzug1KkofZURD4UaD5uH8AqcFLfdPErnBod0u71/qg==", + "license": "MIT" + }, + "node_modules/@types/istanbul-lib-coverage": { + "version": "2.0.6", + "resolved": "https://registry.npmjs.org/@types/istanbul-lib-coverage/-/istanbul-lib-coverage-2.0.6.tgz", + "integrity": "sha512-2QF/t/auWm0lsy8XtKVPG19v3sSOQlJe/YHZgfjb/KBBHOGSV+J2q/S671rcq9uTBrLAXmZpqJiaQbMT+zNU1w==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/istanbul-lib-report": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/@types/istanbul-lib-report/-/istanbul-lib-report-3.0.3.tgz", + "integrity": "sha512-NQn7AHQnk/RSLOxrBbGyJM/aVQ+pjj5HCgasFxc0K/KhoATfQ/47AyUl15I2yBUpihjmas+a+VJBOqecrFH+uA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/istanbul-lib-coverage": "*" + } + }, + "node_modules/@types/istanbul-reports": { + "version": "3.0.4", + "resolved": "https://registry.npmjs.org/@types/istanbul-reports/-/istanbul-reports-3.0.4.tgz", + "integrity": "sha512-pk2B1NWalF9toCRu6gjBzR69syFjP4Od8WRAX+0mmf9lAjCRicLOWc+ZrxZHx/0XRjotgkF9t6iaMJ+aXcOdZQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/istanbul-lib-report": "*" + } + }, + "node_modules/@types/jest": { + "version": "30.0.0", + "resolved": "https://registry.npmjs.org/@types/jest/-/jest-30.0.0.tgz", + "integrity": "sha512-XTYugzhuwqWjws0CVz8QpM36+T+Dz5mTEBKhNs/esGLnCIlGdRy+Dq78NRjd7ls7r8BC8ZRMOrKlkO1hU0JOwA==", + "dev": true, + "license": "MIT", + "dependencies": { + "expect": "^30.0.0", + "pretty-format": "^30.0.0" + } + }, + "node_modules/@types/jsonwebtoken": { + "version": "9.0.10", + "resolved": "https://registry.npmjs.org/@types/jsonwebtoken/-/jsonwebtoken-9.0.10.tgz", + "integrity": "sha512-asx5hIG9Qmf/1oStypjanR7iKTv0gXQ1Ov/jfrX6kS/EO0OFni8orbmGCn0672NHR3kXHwpAwR+B368ZGN/2rA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/ms": "*", + "@types/node": "*" + } + }, + "node_modules/@types/mime": { + "version": "1.3.5", + "resolved": "https://registry.npmjs.org/@types/mime/-/mime-1.3.5.tgz", + "integrity": "sha512-/pyBZWSLD2n0dcHE3hq8s8ZvcETHtEuF+3E7XVt0Ig2nvsVQXdghHVcEkIWjy9A0wKfTn97a/PSDYohKIlnP/w==", + "license": "MIT" + }, + "node_modules/@types/ms": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/@types/ms/-/ms-2.1.0.tgz", + "integrity": "sha512-GsCCIZDE/p3i96vtEqx+7dBUGXrc7zeSK3wwPHIaRThS+9OhWIXRqzs4d6k1SVU8g91DrNRWxWUGhp5KXQb2VA==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/node": { + "version": "24.0.4", + "resolved": "https://registry.npmjs.org/@types/node/-/node-24.0.4.tgz", + "integrity": "sha512-ulyqAkrhnuNq9pB76DRBTkcS6YsmDALy6Ua63V8OhrOBgbcYt6IOdzpw5P1+dyRIyMerzLkeYWBeOXPpA9GMAA==", + "license": "MIT", + "dependencies": { + "undici-types": "~7.8.0" + } + }, + "node_modules/@types/qs": { + "version": "6.14.0", + "resolved": "https://registry.npmjs.org/@types/qs/-/qs-6.14.0.tgz", + "integrity": "sha512-eOunJqu0K1923aExK6y8p6fsihYEn/BYuQ4g0CxAAgFc4b/ZLN4CrsRZ55srTdqoiLzU2B2evC+apEIxprEzkQ==", + "license": "MIT" + }, + "node_modules/@types/range-parser": { + "version": "1.2.7", + "resolved": "https://registry.npmjs.org/@types/range-parser/-/range-parser-1.2.7.tgz", + "integrity": "sha512-hKormJbkJqzQGhziax5PItDUTMAM9uE2XXQmM37dyd4hVM+5aVl7oVxMVUiVQn2oCQFN/LKCZdvSM0pFRqbSmQ==", + "license": "MIT" + }, + "node_modules/@types/send": { + "version": "0.17.5", + "resolved": "https://registry.npmjs.org/@types/send/-/send-0.17.5.tgz", + "integrity": "sha512-z6F2D3cOStZvuk2SaP6YrwkNO65iTZcwA2ZkSABegdkAh/lf+Aa/YQndZVfmEXT5vgAp6zv06VQ3ejSVjAny4w==", + "license": "MIT", + "dependencies": { + "@types/mime": "^1", + "@types/node": "*" + } + }, + "node_modules/@types/serve-static": { + "version": "1.15.8", + "resolved": "https://registry.npmjs.org/@types/serve-static/-/serve-static-1.15.8.tgz", + "integrity": "sha512-roei0UY3LhpOJvjbIP6ZZFngyLKl5dskOtDhxY5THRSpO+ZI+nzJ+m5yUMzGrp89YRa7lvknKkMYjqQFGwA7Sg==", + "license": "MIT", + "dependencies": { + "@types/http-errors": "*", + "@types/node": "*", + "@types/send": "*" + } + }, + "node_modules/@types/stack-utils": { + "version": "2.0.3", + "resolved": "https://registry.npmjs.org/@types/stack-utils/-/stack-utils-2.0.3.tgz", + "integrity": "sha512-9aEbYZ3TbYMznPdcdr3SmIrLXwC/AKZXQeCf9Pgao5CKb8CyHuEX5jzWPTkvregvhRJHcpRO6BFoGW9ycaOkYw==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/ws": { + "version": "8.18.1", + "resolved": "https://registry.npmjs.org/@types/ws/-/ws-8.18.1.tgz", + "integrity": "sha512-ThVF6DCVhA8kUGy+aazFQ4kXQ7E1Ty7A3ypFOe0IcJV8O/M511G99AW24irKrW56Wt44yG9+ij8FaqoBGkuBXg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/node": "*" + } + }, + "node_modules/@types/yargs": { + "version": "17.0.33", + "resolved": "https://registry.npmjs.org/@types/yargs/-/yargs-17.0.33.tgz", + "integrity": "sha512-WpxBCKWPLr4xSsHgz511rFJAM+wS28w2zEO1QDNY5zM/S8ok70NNfztH0xwhqKyaK0OHCbN98LDAZuy1ctxDkA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/yargs-parser": "*" + } + }, + "node_modules/@types/yargs-parser": { + "version": "21.0.3", + "resolved": "https://registry.npmjs.org/@types/yargs-parser/-/yargs-parser-21.0.3.tgz", + "integrity": "sha512-I4q9QU9MQv4oEOz4tAHJtNz1cwuLxn2F3xcc2iV5WdqLPpUnj30aUuxt1mAxYTG+oe8CZMV/+6rU4S4gRDzqtQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/@ungap/structured-clone": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/@ungap/structured-clone/-/structured-clone-1.3.0.tgz", + "integrity": "sha512-WmoN8qaIAo7WTYWbAZuG8PYEhn5fkz7dZrqTBZ7dtt//lL2Gwms1IcnQ5yHqjDfX8Ft5j4YzDM23f87zBfDe9g==", + "dev": true, + "license": "ISC" + }, + "node_modules/@unrs/resolver-binding-android-arm-eabi": { + "version": "1.9.2", + "resolved": "https://registry.npmjs.org/@unrs/resolver-binding-android-arm-eabi/-/resolver-binding-android-arm-eabi-1.9.2.tgz", + "integrity": "sha512-tS+lqTU3N0kkthU+rYp0spAYq15DU8ld9kXkaKg9sbQqJNF+WPMuNHZQGCgdxrUOEO0j22RKMwRVhF1HTl+X8A==", + "cpu": [ + "arm" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "android" + ] + }, + "node_modules/@unrs/resolver-binding-android-arm64": { + "version": "1.9.2", + "resolved": "https://registry.npmjs.org/@unrs/resolver-binding-android-arm64/-/resolver-binding-android-arm64-1.9.2.tgz", + "integrity": "sha512-MffGiZULa/KmkNjHeuuflLVqfhqLv1vZLm8lWIyeADvlElJ/GLSOkoUX+5jf4/EGtfwrNFcEaB8BRas03KT0/Q==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "android" + ] + }, + "node_modules/@unrs/resolver-binding-darwin-arm64": { + "version": "1.9.2", + "resolved": "https://registry.npmjs.org/@unrs/resolver-binding-darwin-arm64/-/resolver-binding-darwin-arm64-1.9.2.tgz", + "integrity": "sha512-dzJYK5rohS1sYl1DHdJ3mwfwClJj5BClQnQSyAgEfggbUwA9RlROQSSbKBLqrGfsiC/VyrDPtbO8hh56fnkbsQ==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "darwin" + ] + }, + "node_modules/@unrs/resolver-binding-darwin-x64": { + "version": "1.9.2", + "resolved": "https://registry.npmjs.org/@unrs/resolver-binding-darwin-x64/-/resolver-binding-darwin-x64-1.9.2.tgz", + "integrity": "sha512-gaIMWK+CWtXcg9gUyznkdV54LzQ90S3X3dn8zlh+QR5Xy7Y+Efqw4Rs4im61K1juy4YNb67vmJsCDAGOnIeffQ==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "darwin" + ] + }, + "node_modules/@unrs/resolver-binding-freebsd-x64": { + "version": "1.9.2", + "resolved": "https://registry.npmjs.org/@unrs/resolver-binding-freebsd-x64/-/resolver-binding-freebsd-x64-1.9.2.tgz", + "integrity": "sha512-S7QpkMbVoVJb0xwHFwujnwCAEDe/596xqY603rpi/ioTn9VDgBHnCCxh+UFrr5yxuMH+dliHfjwCZJXOPJGPnw==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "freebsd" + ] + }, + "node_modules/@unrs/resolver-binding-linux-arm-gnueabihf": { + "version": "1.9.2", + "resolved": "https://registry.npmjs.org/@unrs/resolver-binding-linux-arm-gnueabihf/-/resolver-binding-linux-arm-gnueabihf-1.9.2.tgz", + "integrity": "sha512-+XPUMCuCCI80I46nCDFbGum0ZODP5NWGiwS3Pj8fOgsG5/ctz+/zzuBlq/WmGa+EjWZdue6CF0aWWNv84sE1uw==", + "cpu": [ + "arm" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@unrs/resolver-binding-linux-arm-musleabihf": { + "version": "1.9.2", + "resolved": "https://registry.npmjs.org/@unrs/resolver-binding-linux-arm-musleabihf/-/resolver-binding-linux-arm-musleabihf-1.9.2.tgz", + "integrity": "sha512-sqvUyAd1JUpwbz33Ce2tuTLJKM+ucSsYpPGl2vuFwZnEIg0CmdxiZ01MHQ3j6ExuRqEDUCy8yvkDKvjYFPb8Zg==", + "cpu": [ + "arm" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@unrs/resolver-binding-linux-arm64-gnu": { + "version": "1.9.2", + "resolved": "https://registry.npmjs.org/@unrs/resolver-binding-linux-arm64-gnu/-/resolver-binding-linux-arm64-gnu-1.9.2.tgz", + "integrity": "sha512-UYA0MA8ajkEDCFRQdng/FVx3F6szBvk3EPnkTTQuuO9lV1kPGuTB+V9TmbDxy5ikaEgyWKxa4CI3ySjklZ9lFA==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@unrs/resolver-binding-linux-arm64-musl": { + "version": "1.9.2", + "resolved": "https://registry.npmjs.org/@unrs/resolver-binding-linux-arm64-musl/-/resolver-binding-linux-arm64-musl-1.9.2.tgz", + "integrity": "sha512-P/CO3ODU9YJIHFqAkHbquKtFst0COxdphc8TKGL5yCX75GOiVpGqd1d15ahpqu8xXVsqP4MGFP2C3LRZnnL5MA==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@unrs/resolver-binding-linux-ppc64-gnu": { + "version": "1.9.2", + "resolved": "https://registry.npmjs.org/@unrs/resolver-binding-linux-ppc64-gnu/-/resolver-binding-linux-ppc64-gnu-1.9.2.tgz", + "integrity": "sha512-uKStFlOELBxBum2s1hODPtgJhY4NxYJE9pAeyBgNEzHgTqTiVBPjfTlPFJkfxyTjQEuxZbbJlJnMCrRgD7ubzw==", + "cpu": [ + "ppc64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@unrs/resolver-binding-linux-riscv64-gnu": { + "version": "1.9.2", + "resolved": "https://registry.npmjs.org/@unrs/resolver-binding-linux-riscv64-gnu/-/resolver-binding-linux-riscv64-gnu-1.9.2.tgz", + "integrity": "sha512-LkbNnZlhINfY9gK30AHs26IIVEZ9PEl9qOScYdmY2o81imJYI4IMnJiW0vJVtXaDHvBvxeAgEy5CflwJFIl3tQ==", + "cpu": [ + "riscv64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@unrs/resolver-binding-linux-riscv64-musl": { + "version": "1.9.2", + "resolved": "https://registry.npmjs.org/@unrs/resolver-binding-linux-riscv64-musl/-/resolver-binding-linux-riscv64-musl-1.9.2.tgz", + "integrity": "sha512-vI+e6FzLyZHSLFNomPi+nT+qUWN4YSj8pFtQZSFTtmgFoxqB6NyjxSjAxEC1m93qn6hUXhIsh8WMp+fGgxCoRg==", + "cpu": [ + "riscv64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@unrs/resolver-binding-linux-s390x-gnu": { + "version": "1.9.2", + "resolved": "https://registry.npmjs.org/@unrs/resolver-binding-linux-s390x-gnu/-/resolver-binding-linux-s390x-gnu-1.9.2.tgz", + "integrity": "sha512-sSO4AlAYhSM2RAzBsRpahcJB1msc6uYLAtP6pesPbZtptF8OU/CbCPhSRW6cnYOGuVmEmWVW5xVboAqCnWTeHQ==", + "cpu": [ + "s390x" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@unrs/resolver-binding-linux-x64-gnu": { + "version": "1.9.2", + "resolved": "https://registry.npmjs.org/@unrs/resolver-binding-linux-x64-gnu/-/resolver-binding-linux-x64-gnu-1.9.2.tgz", + "integrity": "sha512-jkSkwch0uPFva20Mdu8orbQjv2A3G88NExTN2oPTI1AJ+7mZfYW3cDCTyoH6OnctBKbBVeJCEqh0U02lTkqD5w==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@unrs/resolver-binding-linux-x64-musl": { + "version": "1.9.2", + "resolved": "https://registry.npmjs.org/@unrs/resolver-binding-linux-x64-musl/-/resolver-binding-linux-x64-musl-1.9.2.tgz", + "integrity": "sha512-Uk64NoiTpQbkpl+bXsbeyOPRpUoMdcUqa+hDC1KhMW7aN1lfW8PBlBH4mJ3n3Y47dYE8qi0XTxy1mBACruYBaw==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@unrs/resolver-binding-wasm32-wasi": { + "version": "1.9.2", + "resolved": "https://registry.npmjs.org/@unrs/resolver-binding-wasm32-wasi/-/resolver-binding-wasm32-wasi-1.9.2.tgz", + "integrity": "sha512-EpBGwkcjDicjR/ybC0g8wO5adPNdVuMrNalVgYcWi+gYtC1XYNuxe3rufcO7dA76OHGeVabcO6cSkPJKVcbCXQ==", + "cpu": [ + "wasm32" + ], + "dev": true, + "license": "MIT", + "optional": true, + "dependencies": { + "@napi-rs/wasm-runtime": "^0.2.11" + }, + "engines": { + "node": ">=14.0.0" + } + }, + "node_modules/@unrs/resolver-binding-win32-arm64-msvc": { + "version": "1.9.2", + "resolved": "https://registry.npmjs.org/@unrs/resolver-binding-win32-arm64-msvc/-/resolver-binding-win32-arm64-msvc-1.9.2.tgz", + "integrity": "sha512-EdFbGn7o1SxGmN6aZw9wAkehZJetFPao0VGZ9OMBwKx6TkvDuj6cNeLimF/Psi6ts9lMOe+Dt6z19fZQ9Ye2fw==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "win32" + ] + }, + "node_modules/@unrs/resolver-binding-win32-ia32-msvc": { + "version": "1.9.2", + "resolved": "https://registry.npmjs.org/@unrs/resolver-binding-win32-ia32-msvc/-/resolver-binding-win32-ia32-msvc-1.9.2.tgz", + "integrity": "sha512-JY9hi1p7AG+5c/dMU8o2kWemM8I6VZxfGwn1GCtf3c5i+IKcMo2NQ8OjZ4Z3/itvY/Si3K10jOBQn7qsD/whUA==", + "cpu": [ + "ia32" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "win32" + ] + }, + "node_modules/@unrs/resolver-binding-win32-x64-msvc": { + "version": "1.9.2", + "resolved": "https://registry.npmjs.org/@unrs/resolver-binding-win32-x64-msvc/-/resolver-binding-win32-x64-msvc-1.9.2.tgz", + "integrity": "sha512-ryoo+EB19lMxAd80ln9BVf8pdOAxLb97amrQ3SFN9OCRn/5M5wvwDgAe4i8ZjhpbiHoDeP8yavcTEnpKBo7lZg==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "win32" + ] + }, + "node_modules/accepts": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/accepts/-/accepts-2.0.0.tgz", + "integrity": "sha512-5cvg6CtKwfgdmVqY1WIiXKc3Q1bkRqGLi+2W/6ao+6Y7gu/RCwRuAhGEzh5B4KlszSuTLgZYuqFqo5bImjNKng==", + "license": "MIT", + "dependencies": { + "mime-types": "^3.0.0", + "negotiator": "^1.0.0" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/ansi-escapes": { + "version": "4.3.2", + "resolved": "https://registry.npmjs.org/ansi-escapes/-/ansi-escapes-4.3.2.tgz", + "integrity": "sha512-gKXj5ALrKWQLsYG9jlTRmR/xKluxHV+Z9QEwNIgCfM1/uwPMCuzVVnh5mwTd+OuBZcwSIMbqssNWRm1lE51QaQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "type-fest": "^0.21.3" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/ansi-regex": { + "version": "6.1.0", + "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-6.1.0.tgz", + "integrity": "sha512-7HSX4QQb4CspciLpVFwyRe79O3xsIZDDLER21kERQ71oaPodF8jL725AgJMFAYbooIqolJoRLuM81SpeUkpkvA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/chalk/ansi-regex?sponsor=1" + } + }, + "node_modules/ansi-styles": { + "version": "4.3.0", + "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-4.3.0.tgz", + "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==", + "license": "MIT", + "dependencies": { + "color-convert": "^2.0.1" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/chalk/ansi-styles?sponsor=1" + } + }, + "node_modules/anymatch": { + "version": "3.1.3", + "resolved": "https://registry.npmjs.org/anymatch/-/anymatch-3.1.3.tgz", + "integrity": "sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw==", + "dev": true, + "license": "ISC", + "dependencies": { + "normalize-path": "^3.0.0", + "picomatch": "^2.0.4" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/argparse": { + "version": "1.0.10", + "resolved": "https://registry.npmjs.org/argparse/-/argparse-1.0.10.tgz", + "integrity": "sha512-o5Roy6tNG4SL/FOkCAN6RzjiakZS25RLYFrcMttJqbdd8BWrnA+fGz57iN5Pb06pvBGvl5gQ0B48dJlslXvoTg==", + "dev": true, + "license": "MIT", + "dependencies": { + "sprintf-js": "~1.0.2" + } + }, + "node_modules/async": { + "version": "3.2.6", + "resolved": "https://registry.npmjs.org/async/-/async-3.2.6.tgz", + "integrity": "sha512-htCUDlxyyCLMgaM3xXg0C0LW2xqfuQ6p05pCEIsXuyQ+a1koYKTuBMzRNwmybfLgvJDMd0r1LTn4+E0Ti6C2AA==", + "license": "MIT" + }, + "node_modules/babel-jest": { + "version": "30.0.2", + "resolved": "https://registry.npmjs.org/babel-jest/-/babel-jest-30.0.2.tgz", + "integrity": "sha512-A5kqR1/EUTidM2YC2YMEUDP2+19ppgOwK0IAd9Swc3q2KqFb5f9PtRUXVeZcngu0z5mDMyZ9zH2huJZSOMLiTQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/transform": "30.0.2", + "@types/babel__core": "^7.20.5", + "babel-plugin-istanbul": "^7.0.0", + "babel-preset-jest": "30.0.1", + "chalk": "^4.1.2", + "graceful-fs": "^4.2.11", + "slash": "^3.0.0" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + }, + "peerDependencies": { + "@babel/core": "^7.11.0" + } + }, + "node_modules/babel-plugin-istanbul": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/babel-plugin-istanbul/-/babel-plugin-istanbul-7.0.0.tgz", + "integrity": "sha512-C5OzENSx/A+gt7t4VH1I2XsflxyPUmXRFPKBxt33xncdOmq7oROVM3bZv9Ysjjkv8OJYDMa+tKuKMvqU/H3xdw==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "@babel/helper-plugin-utils": "^7.0.0", + "@istanbuljs/load-nyc-config": "^1.0.0", + "@istanbuljs/schema": "^0.1.3", + "istanbul-lib-instrument": "^6.0.2", + "test-exclude": "^6.0.0" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/babel-plugin-jest-hoist": { + "version": "30.0.1", + "resolved": "https://registry.npmjs.org/babel-plugin-jest-hoist/-/babel-plugin-jest-hoist-30.0.1.tgz", + "integrity": "sha512-zTPME3pI50NsFW8ZBaVIOeAxzEY7XHlmWeXXu9srI+9kNfzCUTy8MFan46xOGZY8NZThMqq+e3qZUKsvXbasnQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/template": "^7.27.2", + "@babel/types": "^7.27.3", + "@types/babel__core": "^7.20.5" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/babel-preset-current-node-syntax": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/babel-preset-current-node-syntax/-/babel-preset-current-node-syntax-1.1.0.tgz", + "integrity": "sha512-ldYss8SbBlWva1bs28q78Ju5Zq1F+8BrqBZZ0VFhLBvhh6lCpC2o3gDJi/5DRLs9FgYZCnmPYIVFU4lRXCkyUw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/plugin-syntax-async-generators": "^7.8.4", + "@babel/plugin-syntax-bigint": "^7.8.3", + "@babel/plugin-syntax-class-properties": "^7.12.13", + "@babel/plugin-syntax-class-static-block": "^7.14.5", + "@babel/plugin-syntax-import-attributes": "^7.24.7", + "@babel/plugin-syntax-import-meta": "^7.10.4", + "@babel/plugin-syntax-json-strings": "^7.8.3", + "@babel/plugin-syntax-logical-assignment-operators": "^7.10.4", + "@babel/plugin-syntax-nullish-coalescing-operator": "^7.8.3", + "@babel/plugin-syntax-numeric-separator": "^7.10.4", + "@babel/plugin-syntax-object-rest-spread": "^7.8.3", + "@babel/plugin-syntax-optional-catch-binding": "^7.8.3", + "@babel/plugin-syntax-optional-chaining": "^7.8.3", + "@babel/plugin-syntax-private-property-in-object": "^7.14.5", + "@babel/plugin-syntax-top-level-await": "^7.14.5" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/babel-preset-jest": { + "version": "30.0.1", + "resolved": "https://registry.npmjs.org/babel-preset-jest/-/babel-preset-jest-30.0.1.tgz", + "integrity": "sha512-+YHejD5iTWI46cZmcc/YtX4gaKBtdqCHCVfuVinizVpbmyjO3zYmeuyFdfA8duRqQZfgCAMlsfmkVbJ+e2MAJw==", + "dev": true, + "license": "MIT", + "dependencies": { + "babel-plugin-jest-hoist": "30.0.1", + "babel-preset-current-node-syntax": "^1.1.0" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + }, + "peerDependencies": { + "@babel/core": "^7.11.0" + } + }, + "node_modules/balanced-match": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz", + "integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==", + "license": "MIT" + }, + "node_modules/binary-extensions": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/binary-extensions/-/binary-extensions-2.3.0.tgz", + "integrity": "sha512-Ceh+7ox5qe7LJuLHoY0feh3pHuUDHAcRUeyL2VYghZwfpkNIy/+8Ocg0a3UuSoYzavmylwuLWQOf3hl0jjMMIw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/body-parser": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/body-parser/-/body-parser-2.2.0.tgz", + "integrity": "sha512-02qvAaxv8tp7fBa/mw1ga98OGm+eCbqzJOKoRt70sLmfEEi+jyBYVTDGfCL/k06/4EMk/z01gCe7HoCH/f2LTg==", + "license": "MIT", + "dependencies": { + "bytes": "^3.1.2", + "content-type": "^1.0.5", + "debug": "^4.4.0", + "http-errors": "^2.0.0", + "iconv-lite": "^0.6.3", + "on-finished": "^2.4.1", + "qs": "^6.14.0", + "raw-body": "^3.0.0", + "type-is": "^2.0.0" + }, + "engines": { + "node": ">=18" + } + }, + "node_modules/brace-expansion": { + "version": "1.1.12", + "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.12.tgz", + "integrity": "sha512-9T9UjW3r0UW5c1Q7GTwllptXwhvYmEzFhzMfZ9H7FQWt+uZePjZPjBP/W1ZEyZ1twGWom5/56TF4lPcqjnDHcg==", + "license": "MIT", + "dependencies": { + "balanced-match": "^1.0.0", + "concat-map": "0.0.1" + } + }, + "node_modules/braces": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/braces/-/braces-3.0.3.tgz", + "integrity": "sha512-yQbXgO/OSZVD2IsiLlro+7Hf6Q18EJrKSEsdoMzKePKXct3gvD8oLcOQdIzGupr5Fj+EDe8gO/lxc1BzfMpxvA==", + "dev": true, + "license": "MIT", + "dependencies": { + "fill-range": "^7.1.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/browserslist": { + "version": "4.25.1", + "resolved": "https://registry.npmjs.org/browserslist/-/browserslist-4.25.1.tgz", + "integrity": "sha512-KGj0KoOMXLpSNkkEI6Z6mShmQy0bc1I+T7K9N81k4WWMrfz+6fQ6es80B/YLAeRoKvjYE1YSHHOW1qe9xIVzHw==", + "dev": true, + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/browserslist" + }, + { + "type": "tidelift", + "url": "https://tidelift.com/funding/github/npm/browserslist" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "MIT", + "dependencies": { + "caniuse-lite": "^1.0.30001726", + "electron-to-chromium": "^1.5.173", + "node-releases": "^2.0.19", + "update-browserslist-db": "^1.1.3" + }, + "bin": { + "browserslist": "cli.js" + }, + "engines": { + "node": "^6 || ^7 || ^8 || ^9 || ^10 || ^11 || ^12 || >=13.7" + } + }, + "node_modules/bs-logger": { + "version": "0.2.6", + "resolved": "https://registry.npmjs.org/bs-logger/-/bs-logger-0.2.6.tgz", + "integrity": "sha512-pd8DCoxmbgc7hyPKOvxtqNcjYoOsABPQdcCUjGp3d42VR2CX1ORhk2A87oqqu5R1kk+76nsxZupkmyd+MVtCog==", + "dev": true, + "license": "MIT", + "dependencies": { + "fast-json-stable-stringify": "2.x" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/bser": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/bser/-/bser-2.1.1.tgz", + "integrity": "sha512-gQxTNE/GAfIIrmHLUE3oJyp5FO6HRBfhjnw4/wMmA63ZGDJnWBmgY/lyQBpnDUkGmAhbSe39tx2d/iTOAfglwQ==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "node-int64": "^0.4.0" + } + }, + "node_modules/buffer-equal-constant-time": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/buffer-equal-constant-time/-/buffer-equal-constant-time-1.0.1.tgz", + "integrity": "sha512-zRpUiDwd/xk6ADqPMATG8vc9VPrkck7T07OIx0gnjmJAnHnTVXNQG3vfvWNuiZIkwu9KrKdA1iJKfsfTVxE6NA==", + "license": "BSD-3-Clause" + }, + "node_modules/buffer-from": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/buffer-from/-/buffer-from-1.1.2.tgz", + "integrity": "sha512-E+XQCRwSbaaiChtv6k6Dwgc+bx+Bs6vuKJHHl5kox/BaKbhiXzqQOwK4cO22yElGp2OCmjwVhT3HmxgyPGnJfQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/bytes": { + "version": "3.1.2", + "resolved": "https://registry.npmjs.org/bytes/-/bytes-3.1.2.tgz", + "integrity": "sha512-/Nf7TyzTx6S3yRJObOAV7956r8cr2+Oj8AC5dt8wSP3BQAoeX58NoHyCU8P8zGkNXStjTSi6fzO6F0pBdcYbEg==", + "license": "MIT", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/call-bind-apply-helpers": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/call-bind-apply-helpers/-/call-bind-apply-helpers-1.0.2.tgz", + "integrity": "sha512-Sp1ablJ0ivDkSzjcaJdxEunN5/XvksFJ2sMBFfq6x0ryhQV/2b/KwFe21cMpmHtPOSij8K99/wSfoEuTObmuMQ==", + "license": "MIT", + "dependencies": { + "es-errors": "^1.3.0", + "function-bind": "^1.1.2" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/call-bound": { + "version": "1.0.4", + "resolved": "https://registry.npmjs.org/call-bound/-/call-bound-1.0.4.tgz", + "integrity": "sha512-+ys997U96po4Kx/ABpBCqhA9EuxJaQWDQg7295H4hBphv3IZg0boBKuwYpt4YXp6MZ5AmZQnU/tyMTlRpaSejg==", + "license": "MIT", + "dependencies": { + "call-bind-apply-helpers": "^1.0.2", + "get-intrinsic": "^1.3.0" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/callsites": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/callsites/-/callsites-3.1.0.tgz", + "integrity": "sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/camelcase": { + "version": "5.3.1", + "resolved": "https://registry.npmjs.org/camelcase/-/camelcase-5.3.1.tgz", + "integrity": "sha512-L28STB170nwWS63UjtlEOE3dldQApaJXZkOI1uMFfzf3rRuPegHaHesyee+YxQ+W6SvRDQV6UrdOdRiR153wJg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/caniuse-lite": { + "version": "1.0.30001726", + "resolved": "https://registry.npmjs.org/caniuse-lite/-/caniuse-lite-1.0.30001726.tgz", + "integrity": "sha512-VQAUIUzBiZ/UnlM28fSp2CRF3ivUn1BWEvxMcVTNwpw91Py1pGbPIyIKtd+tzct9C3ouceCVdGAXxZOpZAsgdw==", + "dev": true, + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/browserslist" + }, + { + "type": "tidelift", + "url": "https://tidelift.com/funding/github/npm/caniuse-lite" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "CC-BY-4.0" + }, + "node_modules/chalk": { + "version": "4.1.2", + "resolved": "https://registry.npmjs.org/chalk/-/chalk-4.1.2.tgz", + "integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==", + "license": "MIT", + "dependencies": { + "ansi-styles": "^4.1.0", + "supports-color": "^7.1.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/chalk?sponsor=1" + } + }, + "node_modules/chalk/node_modules/has-flag": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz", + "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==", + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/chalk/node_modules/supports-color": { + "version": "7.2.0", + "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-7.2.0.tgz", + "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==", + "license": "MIT", + "dependencies": { + "has-flag": "^4.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/char-regex": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/char-regex/-/char-regex-1.0.2.tgz", + "integrity": "sha512-kWWXztvZ5SBQV+eRgKFeh8q5sLuZY2+8WUIzlxWVTg+oGwY14qylx1KbKzHd8P6ZYkAg0xyIDU9JMHhyJMZ1jw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + } + }, + "node_modules/chokidar": { + "version": "3.6.0", + "resolved": "https://registry.npmjs.org/chokidar/-/chokidar-3.6.0.tgz", + "integrity": "sha512-7VT13fmjotKpGipCW9JEQAusEPE+Ei8nl6/g4FBAmIm0GOOLMua9NDDo/DWp0ZAxCr3cPq5ZpBqmPAQgDda2Pw==", + "dev": true, + "license": "MIT", + "dependencies": { + "anymatch": "~3.1.2", + "braces": "~3.0.2", + "glob-parent": "~5.1.2", + "is-binary-path": "~2.1.0", + "is-glob": "~4.0.1", + "normalize-path": "~3.0.0", + "readdirp": "~3.6.0" + }, + "engines": { + "node": ">= 8.10.0" + }, + "funding": { + "url": "https://paulmillr.com/funding/" + }, + "optionalDependencies": { + "fsevents": "~2.3.2" + } + }, + "node_modules/ci-info": { + "version": "4.2.0", + "resolved": "https://registry.npmjs.org/ci-info/-/ci-info-4.2.0.tgz", + "integrity": "sha512-cYY9mypksY8NRqgDB1XD1RiJL338v/551niynFTGkZOO2LHuB2OmOYxDIe/ttN9AHwrqdum1360G3ald0W9kCg==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/sibiraj-s" + } + ], + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/cjs-module-lexer": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/cjs-module-lexer/-/cjs-module-lexer-2.1.0.tgz", + "integrity": "sha512-UX0OwmYRYQQetfrLEZeewIFFI+wSTofC+pMBLNuH3RUuu/xzG1oz84UCEDOSoQlN3fZ4+AzmV50ZYvGqkMh9yA==", + "dev": true, + "license": "MIT" + }, + "node_modules/cliui": { + "version": "8.0.1", + "resolved": "https://registry.npmjs.org/cliui/-/cliui-8.0.1.tgz", + "integrity": "sha512-BSeNnyus75C4//NQ9gQt1/csTXyo/8Sb+afLAkzAptFuMsod9HFokGNudZpi/oQV73hnVK+sR+5PVRMd+Dr7YQ==", + "dev": true, + "license": "ISC", + "dependencies": { + "string-width": "^4.2.0", + "strip-ansi": "^6.0.1", + "wrap-ansi": "^7.0.0" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/cliui/node_modules/ansi-regex": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", + "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/cliui/node_modules/emoji-regex": { + "version": "8.0.0", + "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-8.0.0.tgz", + "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", + "dev": true, + "license": "MIT" + }, + "node_modules/cliui/node_modules/string-width": { + "version": "4.2.3", + "resolved": "https://registry.npmjs.org/string-width/-/string-width-4.2.3.tgz", + "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", + "dev": true, + "license": "MIT", + "dependencies": { + "emoji-regex": "^8.0.0", + "is-fullwidth-code-point": "^3.0.0", + "strip-ansi": "^6.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/cliui/node_modules/strip-ansi": { + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", + "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-regex": "^5.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/cliui/node_modules/wrap-ansi": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-7.0.0.tgz", + "integrity": "sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-styles": "^4.0.0", + "string-width": "^4.1.0", + "strip-ansi": "^6.0.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/wrap-ansi?sponsor=1" + } + }, + "node_modules/co": { + "version": "4.6.0", + "resolved": "https://registry.npmjs.org/co/-/co-4.6.0.tgz", + "integrity": "sha512-QVb0dM5HvG+uaxitm8wONl7jltx8dqhfU33DcqtOZcLSVIKSDDLDi7+0LbAKiyI8hD9u42m2YxXSkMGWThaecQ==", + "dev": true, + "license": "MIT", + "engines": { + "iojs": ">= 1.0.0", + "node": ">= 0.12.0" + } + }, + "node_modules/collect-v8-coverage": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/collect-v8-coverage/-/collect-v8-coverage-1.0.2.tgz", + "integrity": "sha512-lHl4d5/ONEbLlJvaJNtsF/Lz+WvB07u2ycqTYbdrq7UypDXailES4valYb2eWiJFxZlVmpGekfqoxQhzyFdT4Q==", + "dev": true, + "license": "MIT" + }, + "node_modules/color-convert": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz", + "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==", + "license": "MIT", + "dependencies": { + "color-name": "~1.1.4" + }, + "engines": { + "node": ">=7.0.0" + } + }, + "node_modules/color-name": { + "version": "1.1.4", + "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.4.tgz", + "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==", + "license": "MIT" + }, + "node_modules/concat-map": { + "version": "0.0.1", + "resolved": "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz", + "integrity": "sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==", + "license": "MIT" + }, + "node_modules/content-disposition": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/content-disposition/-/content-disposition-1.0.0.tgz", + "integrity": "sha512-Au9nRL8VNUut/XSzbQA38+M78dzP4D+eqg3gfJHMIHHYa3bg067xj1KxMUWj+VULbiZMowKngFFbKczUrNJ1mg==", + "license": "MIT", + "dependencies": { + "safe-buffer": "5.2.1" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/content-type": { + "version": "1.0.5", + "resolved": "https://registry.npmjs.org/content-type/-/content-type-1.0.5.tgz", + "integrity": "sha512-nTjqfcBFEipKdXCv4YDQWCfmcLZKm81ldF0pAopTvyrFGVbcR6P/VAAd5G7N+0tTr8QqiU0tFadD6FK4NtJwOA==", + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/convert-source-map": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/convert-source-map/-/convert-source-map-2.0.0.tgz", + "integrity": "sha512-Kvp459HrV2FEJ1CAsi1Ku+MY3kasH19TFykTz2xWmMeq6bk2NU3XXvfJ+Q61m0xktWwt+1HSYf3JZsTms3aRJg==", + "dev": true, + "license": "MIT" + }, + "node_modules/cookie": { + "version": "0.7.2", + "resolved": "https://registry.npmjs.org/cookie/-/cookie-0.7.2.tgz", + "integrity": "sha512-yki5XnKuf750l50uGTllt6kKILY4nQ1eNIQatoXEByZ5dWgnKqbnqmTrBE5B4N7lrMJKQ2ytWMiTO2o0v6Ew/w==", + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/cookie-parser": { + "version": "1.4.7", + "resolved": "https://registry.npmjs.org/cookie-parser/-/cookie-parser-1.4.7.tgz", + "integrity": "sha512-nGUvgXnotP3BsjiLX2ypbQnWoGUPIIfHQNZkkC668ntrzGWEZVW70HDEB1qnNGMicPje6EttlIgzo51YSwNQGw==", + "license": "MIT", + "dependencies": { + "cookie": "0.7.2", + "cookie-signature": "1.0.6" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/cookie-parser/node_modules/cookie-signature": { + "version": "1.0.6", + "resolved": "https://registry.npmjs.org/cookie-signature/-/cookie-signature-1.0.6.tgz", + "integrity": "sha512-QADzlaHc8icV8I7vbaJXJwod9HWYp8uCqf1xa4OfNu1T7JVxQIrUgOWtHdNDtPiywmFbiS12VjotIXLrKM3orQ==", + "license": "MIT" + }, + "node_modules/cookie-signature": { + "version": "1.2.2", + "resolved": "https://registry.npmjs.org/cookie-signature/-/cookie-signature-1.2.2.tgz", + "integrity": "sha512-D76uU73ulSXrD1UXF4KE2TMxVVwhsnCgfAyTg9k8P6KGZjlXKrOLe4dJQKI3Bxi5wjesZoFXJWElNWBjPZMbhg==", + "license": "MIT", + "engines": { + "node": ">=6.6.0" + } + }, + "node_modules/cross-spawn": { + "version": "7.0.6", + "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.6.tgz", + "integrity": "sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA==", + "dev": true, + "license": "MIT", + "dependencies": { + "path-key": "^3.1.0", + "shebang-command": "^2.0.0", + "which": "^2.0.1" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/csrf": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/csrf/-/csrf-3.1.0.tgz", + "integrity": "sha512-uTqEnCvWRk042asU6JtapDTcJeeailFy4ydOQS28bj1hcLnYRiqi8SsD2jS412AY1I/4qdOwWZun774iqywf9w==", + "license": "MIT", + "dependencies": { + "rndm": "1.2.0", + "tsscmp": "1.0.6", + "uid-safe": "2.1.5" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/csurf": { + "version": "1.11.0", + "resolved": "https://registry.npmjs.org/csurf/-/csurf-1.11.0.tgz", + "integrity": "sha512-UCtehyEExKTxgiu8UHdGvHj4tnpE/Qctue03Giq5gPgMQ9cg/ciod5blZQ5a4uCEenNQjxyGuzygLdKUmee/bQ==", + "deprecated": "This package is archived and no longer maintained. For support, visit https://github.com/expressjs/express/discussions", + "license": "MIT", + "dependencies": { + "cookie": "0.4.0", + "cookie-signature": "1.0.6", + "csrf": "3.1.0", + "http-errors": "~1.7.3" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/csurf/node_modules/cookie": { + "version": "0.4.0", + "resolved": "https://registry.npmjs.org/cookie/-/cookie-0.4.0.tgz", + "integrity": "sha512-+Hp8fLp57wnUSt0tY0tHEXh4voZRDnoIrZPqlo3DPiI4y9lwg/jqx+1Om94/W6ZaPDOUbnjOt/99w66zk+l1Xg==", + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/csurf/node_modules/cookie-signature": { + "version": "1.0.6", + "resolved": "https://registry.npmjs.org/cookie-signature/-/cookie-signature-1.0.6.tgz", + "integrity": "sha512-QADzlaHc8icV8I7vbaJXJwod9HWYp8uCqf1xa4OfNu1T7JVxQIrUgOWtHdNDtPiywmFbiS12VjotIXLrKM3orQ==", + "license": "MIT" + }, + "node_modules/csurf/node_modules/depd": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/depd/-/depd-1.1.2.tgz", + "integrity": "sha512-7emPTl6Dpo6JRXOXjLRxck+FlLRX5847cLKEn00PLAgc3g2hTZZgr+e4c2v6QpSmLeFP3n5yUo7ft6avBK/5jQ==", + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/csurf/node_modules/http-errors": { + "version": "1.7.3", + "resolved": "https://registry.npmjs.org/http-errors/-/http-errors-1.7.3.tgz", + "integrity": "sha512-ZTTX0MWrsQ2ZAhA1cejAwDLycFsd7I7nVtnkT3Ol0aqodaKW+0CTZDQ1uBv5whptCnc8e8HeRRJxRs0kmm/Qfw==", + "license": "MIT", + "dependencies": { + "depd": "~1.1.2", + "inherits": "2.0.4", + "setprototypeof": "1.1.1", + "statuses": ">= 1.5.0 < 2", + "toidentifier": "1.0.0" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/csurf/node_modules/setprototypeof": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/setprototypeof/-/setprototypeof-1.1.1.tgz", + "integrity": "sha512-JvdAWfbXeIGaZ9cILp38HntZSFSo3mWg6xGcJJsd+d4aRMOqauag1C63dJfDw7OaMYwEbHMOxEZ1lqVRYP2OAw==", + "license": "ISC" + }, + "node_modules/csurf/node_modules/statuses": { + "version": "1.5.0", + "resolved": "https://registry.npmjs.org/statuses/-/statuses-1.5.0.tgz", + "integrity": "sha512-OpZ3zP+jT1PI7I8nemJX4AKmAX070ZkYPVWV/AaKTJl+tXCTGyVdC1a4SL8RUQYEwk/f34ZX8UTykN68FwrqAA==", + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/csurf/node_modules/toidentifier": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/toidentifier/-/toidentifier-1.0.0.tgz", + "integrity": "sha512-yaOH/Pk/VEhBWWTlhI+qXxDFXlejDGcQipMlyxda9nthulaxLZUNcUqFxokp0vcYnvteJln5FNQDRrxj3YcbVw==", + "license": "MIT", + "engines": { + "node": ">=0.6" + } + }, + "node_modules/debug": { + "version": "4.4.1", + "resolved": "https://registry.npmjs.org/debug/-/debug-4.4.1.tgz", + "integrity": "sha512-KcKCqiftBJcZr++7ykoDIEwSa3XWowTfNPo92BYxjXiyYEVrUQh2aLyhxBCwww+heortUFxEJYcRzosstTEBYQ==", + "license": "MIT", + "dependencies": { + "ms": "^2.1.3" + }, + "engines": { + "node": ">=6.0" + }, + "peerDependenciesMeta": { + "supports-color": { + "optional": true + } + } + }, + "node_modules/dedent": { + "version": "1.6.0", + "resolved": "https://registry.npmjs.org/dedent/-/dedent-1.6.0.tgz", + "integrity": "sha512-F1Z+5UCFpmQUzJa11agbyPVMbpgT/qA3/SKyJ1jyBgm7dUcUEa8v9JwDkerSQXfakBwFljIxhOJqGkjUwZ9FSA==", + "dev": true, + "license": "MIT", + "peerDependencies": { + "babel-plugin-macros": "^3.1.0" + }, + "peerDependenciesMeta": { + "babel-plugin-macros": { + "optional": true + } + } + }, + "node_modules/deepmerge": { + "version": "4.3.1", + "resolved": "https://registry.npmjs.org/deepmerge/-/deepmerge-4.3.1.tgz", + "integrity": "sha512-3sUqbMEc77XqpdNO7FRyRog+eW3ph+GYCbj+rK+uYyRMuwsVy0rMiVtPn+QJlKFvWP/1PYpapqYn0Me2knFn+A==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/depd": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/depd/-/depd-2.0.0.tgz", + "integrity": "sha512-g7nH6P6dyDioJogAAGprGpCtVImJhpPk/roCzdb3fIh61/s/nPsfR6onyMwkCAR/OlC3yBC0lESvUoQEAssIrw==", + "license": "MIT", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/detect-newline": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/detect-newline/-/detect-newline-3.1.0.tgz", + "integrity": "sha512-TLz+x/vEXm/Y7P7wn1EJFNLxYpUD4TgMosxY6fAVJUnJMbupHBOncxyWUG9OpTaH9EBD7uFI5LfEgmMOc54DsA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/dotenv": { + "version": "16.6.0", + "resolved": "https://registry.npmjs.org/dotenv/-/dotenv-16.6.0.tgz", + "integrity": "sha512-Omf1L8paOy2VJhILjyhrhqwLIdstqm1BvcDPKg4NGAlkwEu9ODyrFbvk8UymUOMCT+HXo31jg1lArIrVAAhuGA==", + "license": "BSD-2-Clause", + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://dotenvx.com" + } + }, + "node_modules/dunder-proto": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/dunder-proto/-/dunder-proto-1.0.1.tgz", + "integrity": "sha512-KIN/nDJBQRcXw0MLVhZE9iQHmG68qAVIBg9CqmUYjmQIhgij9U5MFvrqkUL5FbtyyzZuOeOt0zdeRe4UY7ct+A==", + "license": "MIT", + "dependencies": { + "call-bind-apply-helpers": "^1.0.1", + "es-errors": "^1.3.0", + "gopd": "^1.2.0" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/eastasianwidth": { + "version": "0.2.0", + "resolved": "https://registry.npmjs.org/eastasianwidth/-/eastasianwidth-0.2.0.tgz", + "integrity": "sha512-I88TYZWc9XiYHRQ4/3c5rjjfgkjhLyW2luGIheGERbNQ6OY7yTybanSpDXZa8y7VUP9YmDcYa+eyq4ca7iLqWA==", + "dev": true, + "license": "MIT" + }, + "node_modules/ecdsa-sig-formatter": { + "version": "1.0.11", + "resolved": "https://registry.npmjs.org/ecdsa-sig-formatter/-/ecdsa-sig-formatter-1.0.11.tgz", + "integrity": "sha512-nagl3RYrbNv6kQkeJIpt6NJZy8twLB/2vtz6yN9Z4vRKHN4/QZJIEbqohALSgwKdnksuY3k5Addp5lg8sVoVcQ==", + "license": "Apache-2.0", + "dependencies": { + "safe-buffer": "^5.0.1" + } + }, + "node_modules/ee-first": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/ee-first/-/ee-first-1.1.1.tgz", + "integrity": "sha512-WMwm9LhRUo+WUaRN+vRuETqG89IgZphVSNkdFgeb6sS/E4OrDIN7t48CAewSHXc6C8lefD8KKfr5vY61brQlow==", + "license": "MIT" + }, + "node_modules/ejs": { + "version": "3.1.10", + "resolved": "https://registry.npmjs.org/ejs/-/ejs-3.1.10.tgz", + "integrity": "sha512-UeJmFfOrAQS8OJWPZ4qtgHyWExa088/MtK5UEyoJGFH67cDEXkZSviOiKRCZ4Xij0zxI3JECgYs3oKx+AizQBA==", + "license": "Apache-2.0", + "dependencies": { + "jake": "^10.8.5" + }, + "bin": { + "ejs": "bin/cli.js" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/electron-to-chromium": { + "version": "1.5.177", + "resolved": "https://registry.npmjs.org/electron-to-chromium/-/electron-to-chromium-1.5.177.tgz", + "integrity": "sha512-7EH2G59nLsEMj97fpDuvVcYi6lwTcM1xuWw3PssD8xzboAW7zj7iB3COEEEATUfjLHrs5uKBLQT03V/8URx06g==", + "dev": true, + "license": "ISC" + }, + "node_modules/emittery": { + "version": "0.13.1", + "resolved": "https://registry.npmjs.org/emittery/-/emittery-0.13.1.tgz", + "integrity": "sha512-DeWwawk6r5yR9jFgnDKYt4sLS0LmHJJi3ZOnb5/JdbYwj3nW+FxQnHIjhBKz8YLC7oRNPVM9NQ47I3CVx34eqQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/sindresorhus/emittery?sponsor=1" + } + }, + "node_modules/emoji-regex": { + "version": "9.2.2", + "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-9.2.2.tgz", + "integrity": "sha512-L18DaJsXSUk2+42pv8mLs5jJT2hqFkFE4j21wOmgbUqsZ2hL72NsUU785g9RXgo3s0ZNgVl42TiHp3ZtOv/Vyg==", + "dev": true, + "license": "MIT" + }, + "node_modules/encodeurl": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/encodeurl/-/encodeurl-2.0.0.tgz", + "integrity": "sha512-Q0n9HRi4m6JuGIV1eFlmvJB7ZEVxu93IrMyiMsGC0lrMJMWzRgx6WGquyfQgZVb31vhGgXnfmPNNXmxnOkRBrg==", + "license": "MIT", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/error-ex": { + "version": "1.3.2", + "resolved": "https://registry.npmjs.org/error-ex/-/error-ex-1.3.2.tgz", + "integrity": "sha512-7dFHNmqeFSEt2ZBsCriorKnn3Z2pj+fd9kmI6QoWw4//DL+icEBfc0U7qJCisqrTsKTjw4fNFy2pW9OqStD84g==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-arrayish": "^0.2.1" + } + }, + "node_modules/es-define-property": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/es-define-property/-/es-define-property-1.0.1.tgz", + "integrity": "sha512-e3nRfgfUZ4rNGL232gUgX06QNyyez04KdjFrF+LTRoOXmrOgFKDg4BCdsjW8EnT69eqdYGmRpJwiPVYNrCaW3g==", + "license": "MIT", + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/es-errors": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/es-errors/-/es-errors-1.3.0.tgz", + "integrity": "sha512-Zf5H2Kxt2xjTvbJvP2ZWLEICxA6j+hAmMzIlypy4xcBg1vKVnx89Wy0GbS+kf5cwCVFFzdCFh2XSCFNULS6csw==", + "license": "MIT", + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/es-object-atoms": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/es-object-atoms/-/es-object-atoms-1.1.1.tgz", + "integrity": "sha512-FGgH2h8zKNim9ljj7dankFPcICIK9Cp5bm+c2gQSYePhpaG5+esrLODihIorn+Pe6FGJzWhXQotPv73jTaldXA==", + "license": "MIT", + "dependencies": { + "es-errors": "^1.3.0" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/escalade": { + "version": "3.2.0", + "resolved": "https://registry.npmjs.org/escalade/-/escalade-3.2.0.tgz", + "integrity": "sha512-WUj2qlxaQtO4g6Pq5c29GTcWGDyd8itL8zTlipgECz3JesAiiOKotd8JU6otB3PACgG6xkJUyVhboMS+bje/jA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/escape-html": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/escape-html/-/escape-html-1.0.3.tgz", + "integrity": "sha512-NiSupZ4OeuGwr68lGIeym/ksIZMJodUGOSCZ/FSnTxcrekbvqrgdUxlJOMpijaKZVjAJrWrGs/6Jy8OMuyj9ow==", + "license": "MIT" + }, + "node_modules/escape-string-regexp": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-2.0.0.tgz", + "integrity": "sha512-UpzcLCXolUWcNu5HtVMHYdXJjArjsF9C0aNnquZYY4uW/Vu0miy5YoWvbV345HauVvcAUnpRuhMMcqTcGOY2+w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/esprima": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/esprima/-/esprima-4.0.1.tgz", + "integrity": "sha512-eGuFFw7Upda+g4p+QHvnW0RyTX/SVeJBDM/gCtMARO0cLuT2HcEKnTPvhjV6aGeqrCB/sbNop0Kszm0jsaWU4A==", + "dev": true, + "license": "BSD-2-Clause", + "bin": { + "esparse": "bin/esparse.js", + "esvalidate": "bin/esvalidate.js" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/etag": { + "version": "1.8.1", + "resolved": "https://registry.npmjs.org/etag/-/etag-1.8.1.tgz", + "integrity": "sha512-aIL5Fx7mawVa300al2BnEE4iNvo1qETxLrPI/o05L7z6go7fCw1J6EQmbK4FmJ2AS7kgVF/KEZWufBfdClMcPg==", + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/execa": { + "version": "5.1.1", + "resolved": "https://registry.npmjs.org/execa/-/execa-5.1.1.tgz", + "integrity": "sha512-8uSpZZocAZRBAPIEINJj3Lo9HyGitllczc27Eh5YYojjMFMn8yHMDMaUHE2Jqfq05D/wucwI4JGURyXt1vchyg==", + "dev": true, + "license": "MIT", + "dependencies": { + "cross-spawn": "^7.0.3", + "get-stream": "^6.0.0", + "human-signals": "^2.1.0", + "is-stream": "^2.0.0", + "merge-stream": "^2.0.0", + "npm-run-path": "^4.0.1", + "onetime": "^5.1.2", + "signal-exit": "^3.0.3", + "strip-final-newline": "^2.0.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sindresorhus/execa?sponsor=1" + } + }, + "node_modules/execa/node_modules/signal-exit": { + "version": "3.0.7", + "resolved": "https://registry.npmjs.org/signal-exit/-/signal-exit-3.0.7.tgz", + "integrity": "sha512-wnD2ZE+l+SPC/uoS0vXeE9L1+0wuaMqKlfz9AMUo38JsyLSBWSFcHR1Rri62LZc12vLr1gb3jl7iwQhgwpAbGQ==", + "dev": true, + "license": "ISC" + }, + "node_modules/exit-x": { + "version": "0.2.2", + "resolved": "https://registry.npmjs.org/exit-x/-/exit-x-0.2.2.tgz", + "integrity": "sha512-+I6B/IkJc1o/2tiURyz/ivu/O0nKNEArIUB5O7zBrlDVJr22SCLH3xTeEry428LvFhRzIA1g8izguxJ/gbNcVQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/expect": { + "version": "30.0.3", + "resolved": "https://registry.npmjs.org/expect/-/expect-30.0.3.tgz", + "integrity": "sha512-HXg6NvK35/cSYZCUKAtmlgCFyqKM4frEPbzrav5hRqb0GMz0E0lS5hfzYjSaiaE5ysnp/qI2aeZkeyeIAOeXzQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/expect-utils": "30.0.3", + "@jest/get-type": "30.0.1", + "jest-matcher-utils": "30.0.3", + "jest-message-util": "30.0.2", + "jest-mock": "30.0.2", + "jest-util": "30.0.2" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/express": { + "version": "5.1.0", + "resolved": "https://registry.npmjs.org/express/-/express-5.1.0.tgz", + "integrity": "sha512-DT9ck5YIRU+8GYzzU5kT3eHGA5iL+1Zd0EutOmTE9Dtk+Tvuzd23VBU+ec7HPNSTxXYO55gPV/hq4pSBJDjFpA==", + "license": "MIT", + "dependencies": { + "accepts": "^2.0.0", + "body-parser": "^2.2.0", + "content-disposition": "^1.0.0", + "content-type": "^1.0.5", + "cookie": "^0.7.1", + "cookie-signature": "^1.2.1", + "debug": "^4.4.0", + "encodeurl": "^2.0.0", + "escape-html": "^1.0.3", + "etag": "^1.8.1", + "finalhandler": "^2.1.0", + "fresh": "^2.0.0", + "http-errors": "^2.0.0", + "merge-descriptors": "^2.0.0", + "mime-types": "^3.0.0", + "on-finished": "^2.4.1", + "once": "^1.4.0", + "parseurl": "^1.3.3", + "proxy-addr": "^2.0.7", + "qs": "^6.14.0", + "range-parser": "^1.2.1", + "router": "^2.2.0", + "send": "^1.1.0", + "serve-static": "^2.2.0", + "statuses": "^2.0.1", + "type-is": "^2.0.1", + "vary": "^1.1.2" + }, + "engines": { + "node": ">= 18" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/express" + } + }, + "node_modules/express-rate-limit": { + "version": "7.5.1", + "resolved": "https://registry.npmjs.org/express-rate-limit/-/express-rate-limit-7.5.1.tgz", + "integrity": "sha512-7iN8iPMDzOMHPUYllBEsQdWVB6fPDMPqwjBaFrgr4Jgr/+okjvzAy+UHlYYL/Vs0OsOrMkwS6PJDkFlJwoxUnw==", + "license": "MIT", + "engines": { + "node": ">= 16" + }, + "funding": { + "url": "https://github.com/sponsors/express-rate-limit" + }, + "peerDependencies": { + "express": ">= 4.11" + } + }, + "node_modules/express-session": { + "version": "1.18.1", + "resolved": "https://registry.npmjs.org/express-session/-/express-session-1.18.1.tgz", + "integrity": "sha512-a5mtTqEaZvBCL9A9aqkrtfz+3SMDhOVUnjafjo+s7A9Txkq+SVX2DLvSp1Zrv4uCXa3lMSK3viWnh9Gg07PBUA==", + "license": "MIT", + "dependencies": { + "cookie": "0.7.2", + "cookie-signature": "1.0.7", + "debug": "2.6.9", + "depd": "~2.0.0", + "on-headers": "~1.0.2", + "parseurl": "~1.3.3", + "safe-buffer": "5.2.1", + "uid-safe": "~2.1.5" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/express-session/node_modules/cookie-signature": { + "version": "1.0.7", + "resolved": "https://registry.npmjs.org/cookie-signature/-/cookie-signature-1.0.7.tgz", + "integrity": "sha512-NXdYc3dLr47pBkpUCHtKSwIOQXLVn8dZEuywboCOJY/osA0wFSLlSawr3KN8qXJEyX66FcONTH8EIlVuK0yyFA==", + "license": "MIT" + }, + "node_modules/express-session/node_modules/debug": { + "version": "2.6.9", + "resolved": "https://registry.npmjs.org/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "license": "MIT", + "dependencies": { + "ms": "2.0.0" + } + }, + "node_modules/express-session/node_modules/ms": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.0.0.tgz", + "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", + "license": "MIT" + }, + "node_modules/fast-json-stable-stringify": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz", + "integrity": "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==", + "dev": true, + "license": "MIT" + }, + "node_modules/fb-watchman": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/fb-watchman/-/fb-watchman-2.0.2.tgz", + "integrity": "sha512-p5161BqbuCaSnB8jIbzQHOlpgsPmK5rJVDfDKO91Axs5NC1uu3HRQm6wt9cd9/+GtQQIO53JdGXXoyDpTAsgYA==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "bser": "2.1.1" + } + }, + "node_modules/filelist": { + "version": "1.0.4", + "resolved": "https://registry.npmjs.org/filelist/-/filelist-1.0.4.tgz", + "integrity": "sha512-w1cEuf3S+DrLCQL7ET6kz+gmlJdbq9J7yXCSjK/OZCPA+qEN1WyF4ZAf0YYJa4/shHJra2t/d/r8SV4Ji+x+8Q==", + "license": "Apache-2.0", + "dependencies": { + "minimatch": "^5.0.1" + } + }, + "node_modules/filelist/node_modules/brace-expansion": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-2.0.2.tgz", + "integrity": "sha512-Jt0vHyM+jmUBqojB7E1NIYadt0vI0Qxjxd2TErW94wDz+E2LAm5vKMXXwg6ZZBTHPuUlDgQHKXvjGBdfcF1ZDQ==", + "license": "MIT", + "dependencies": { + "balanced-match": "^1.0.0" + } + }, + "node_modules/filelist/node_modules/minimatch": { + "version": "5.1.6", + "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-5.1.6.tgz", + "integrity": "sha512-lKwV/1brpG6mBUFHtb7NUmtABCb2WZZmm2wNiOA5hAb8VdCS4B3dtMWyvcoViccwAW/COERjXLt0zP1zXUN26g==", + "license": "ISC", + "dependencies": { + "brace-expansion": "^2.0.1" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/fill-range": { + "version": "7.1.1", + "resolved": "https://registry.npmjs.org/fill-range/-/fill-range-7.1.1.tgz", + "integrity": "sha512-YsGpe3WHLK8ZYi4tWDg2Jy3ebRz2rXowDxnld4bkQB00cc/1Zw9AWnC0i9ztDJitivtQvaI9KaLyKrc+hBW0yg==", + "dev": true, + "license": "MIT", + "dependencies": { + "to-regex-range": "^5.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/finalhandler": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/finalhandler/-/finalhandler-2.1.0.tgz", + "integrity": "sha512-/t88Ty3d5JWQbWYgaOGCCYfXRwV1+be02WqYYlL6h0lEiUAMPM8o8qKGO01YIkOHzka2up08wvgYD0mDiI+q3Q==", + "license": "MIT", + "dependencies": { + "debug": "^4.4.0", + "encodeurl": "^2.0.0", + "escape-html": "^1.0.3", + "on-finished": "^2.4.1", + "parseurl": "^1.3.3", + "statuses": "^2.0.1" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/find-up": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/find-up/-/find-up-4.1.0.tgz", + "integrity": "sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==", + "dev": true, + "license": "MIT", + "dependencies": { + "locate-path": "^5.0.0", + "path-exists": "^4.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/foreground-child": { + "version": "3.3.1", + "resolved": "https://registry.npmjs.org/foreground-child/-/foreground-child-3.3.1.tgz", + "integrity": "sha512-gIXjKqtFuWEgzFRJA9WCQeSJLZDjgJUOMCMzxtvFq/37KojM1BFGufqsCy0r4qSQmYLsZYMeyRqzIWOMup03sw==", + "dev": true, + "license": "ISC", + "dependencies": { + "cross-spawn": "^7.0.6", + "signal-exit": "^4.0.1" + }, + "engines": { + "node": ">=14" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/forwarded": { + "version": "0.2.0", + "resolved": "https://registry.npmjs.org/forwarded/-/forwarded-0.2.0.tgz", + "integrity": "sha512-buRG0fpBtRHSTCOASe6hD258tEubFoRLb4ZNA6NxMVHNw2gOcwHo9wyablzMzOA5z9xA9L1KNjk/Nt6MT9aYow==", + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/fresh": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/fresh/-/fresh-2.0.0.tgz", + "integrity": "sha512-Rx/WycZ60HOaqLKAi6cHRKKI7zxWbJ31MhntmtwMoaTeF7XFH9hhBp8vITaMidfljRQ6eYWCKkaTK+ykVJHP2A==", + "license": "MIT", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/fs.realpath": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/fs.realpath/-/fs.realpath-1.0.0.tgz", + "integrity": "sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==", + "dev": true, + "license": "ISC" + }, + "node_modules/fsevents": { + "version": "2.3.3", + "resolved": "https://registry.npmjs.org/fsevents/-/fsevents-2.3.3.tgz", + "integrity": "sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw==", + "dev": true, + "hasInstallScript": true, + "license": "MIT", + "optional": true, + "os": [ + "darwin" + ], + "engines": { + "node": "^8.16.0 || ^10.6.0 || >=11.0.0" + } + }, + "node_modules/function-bind": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.2.tgz", + "integrity": "sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==", + "license": "MIT", + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/gensync": { + "version": "1.0.0-beta.2", + "resolved": "https://registry.npmjs.org/gensync/-/gensync-1.0.0-beta.2.tgz", + "integrity": "sha512-3hN7NaskYvMDLQY55gnW3NQ+mesEAepTqlg+VEbj7zzqEMBVNhzcGYYeqFo/TlYz6eQiFcp1HcsCZO+nGgS8zg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/get-caller-file": { + "version": "2.0.5", + "resolved": "https://registry.npmjs.org/get-caller-file/-/get-caller-file-2.0.5.tgz", + "integrity": "sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg==", + "dev": true, + "license": "ISC", + "engines": { + "node": "6.* || 8.* || >= 10.*" + } + }, + "node_modules/get-intrinsic": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/get-intrinsic/-/get-intrinsic-1.3.0.tgz", + "integrity": "sha512-9fSjSaos/fRIVIp+xSJlE6lfwhES7LNtKaCBIamHsjr2na1BiABJPo0mOjjz8GJDURarmCPGqaiVg5mfjb98CQ==", + "license": "MIT", + "dependencies": { + "call-bind-apply-helpers": "^1.0.2", + "es-define-property": "^1.0.1", + "es-errors": "^1.3.0", + "es-object-atoms": "^1.1.1", + "function-bind": "^1.1.2", + "get-proto": "^1.0.1", + "gopd": "^1.2.0", + "has-symbols": "^1.1.0", + "hasown": "^2.0.2", + "math-intrinsics": "^1.1.0" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/get-package-type": { + "version": "0.1.0", + "resolved": "https://registry.npmjs.org/get-package-type/-/get-package-type-0.1.0.tgz", + "integrity": "sha512-pjzuKtY64GYfWizNAJ0fr9VqttZkNiK2iS430LtIHzjBEr6bX8Am2zm4sW4Ro5wjWW5cAlRL1qAMTcXbjNAO2Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8.0.0" + } + }, + "node_modules/get-proto": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/get-proto/-/get-proto-1.0.1.tgz", + "integrity": "sha512-sTSfBjoXBp89JvIKIefqw7U2CCebsc74kiY6awiGogKtoSGbgjYE/G/+l9sF3MWFPNc9IcoOC4ODfKHfxFmp0g==", + "license": "MIT", + "dependencies": { + "dunder-proto": "^1.0.1", + "es-object-atoms": "^1.0.0" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/get-stream": { + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/get-stream/-/get-stream-6.0.1.tgz", + "integrity": "sha512-ts6Wi+2j3jQjqi70w5AlN8DFnkSwC+MqmxEzdEALB2qXZYV3X/b1CTfgPLGJNMeAWxdPfU8FO1ms3NUfaHCPYg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/glob": { + "version": "10.4.5", + "resolved": "https://registry.npmjs.org/glob/-/glob-10.4.5.tgz", + "integrity": "sha512-7Bv8RF0k6xjo7d4A/PxYLbUCfb6c+Vpd2/mB2yRDlew7Jb5hEXiCD9ibfO7wpk8i4sevK6DFny9h7EYbM3/sHg==", + "dev": true, + "license": "ISC", + "dependencies": { + "foreground-child": "^3.1.0", + "jackspeak": "^3.1.2", + "minimatch": "^9.0.4", + "minipass": "^7.1.2", + "package-json-from-dist": "^1.0.0", + "path-scurry": "^1.11.1" + }, + "bin": { + "glob": "dist/esm/bin.mjs" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/glob-parent": { + "version": "5.1.2", + "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-5.1.2.tgz", + "integrity": "sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==", + "dev": true, + "license": "ISC", + "dependencies": { + "is-glob": "^4.0.1" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/glob/node_modules/brace-expansion": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-2.0.2.tgz", + "integrity": "sha512-Jt0vHyM+jmUBqojB7E1NIYadt0vI0Qxjxd2TErW94wDz+E2LAm5vKMXXwg6ZZBTHPuUlDgQHKXvjGBdfcF1ZDQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "balanced-match": "^1.0.0" + } + }, + "node_modules/glob/node_modules/minimatch": { + "version": "9.0.5", + "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-9.0.5.tgz", + "integrity": "sha512-G6T0ZX48xgozx7587koeX9Ys2NYy6Gmv//P89sEte9V9whIapMNF4idKxnW2QtCcLiTWlb/wfCabAtAFWhhBow==", + "dev": true, + "license": "ISC", + "dependencies": { + "brace-expansion": "^2.0.1" + }, + "engines": { + "node": ">=16 || 14 >=14.17" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/globals": { + "version": "11.12.0", + "resolved": "https://registry.npmjs.org/globals/-/globals-11.12.0.tgz", + "integrity": "sha512-WOBp/EEGUiIsJSp7wcv/y6MO+lV9UoncWqxuFfm8eBwzWNgyfBd6Gz+IeKQ9jCmyhoH99g15M3T+QaVHFjizVA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=4" + } + }, + "node_modules/gopd": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/gopd/-/gopd-1.2.0.tgz", + "integrity": "sha512-ZUKRh6/kUFoAiTAtTYPZJ3hw9wNxx+BIBOijnlG9PnrJsCcSjs1wyyD6vJpaYtgnzDrKYRSqf3OO6Rfa93xsRg==", + "license": "MIT", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/graceful-fs": { + "version": "4.2.11", + "resolved": "https://registry.npmjs.org/graceful-fs/-/graceful-fs-4.2.11.tgz", + "integrity": "sha512-RbJ5/jmFcNNCcDV5o9eTnBLJ/HszWV0P73bc+Ff4nS/rJj+YaS6IGyiOL0VoBYX+l1Wrl3k63h/KrH+nhJ0XvQ==", + "dev": true, + "license": "ISC" + }, + "node_modules/has-flag": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-3.0.0.tgz", + "integrity": "sha512-sKJf1+ceQBr4SMkvQnBDNDtf4TXpVhVGateu0t918bl30FnbE2m4vNLX+VWe/dpjlb+HugGYzW7uQXH98HPEYw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=4" + } + }, + "node_modules/has-symbols": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/has-symbols/-/has-symbols-1.1.0.tgz", + "integrity": "sha512-1cDNdwJ2Jaohmb3sg4OmKaMBwuC48sYni5HUw2DvsC8LjGTLK9h+eb1X6RyuOHe4hT0ULCW68iomhjUoKUqlPQ==", + "license": "MIT", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/hasown": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/hasown/-/hasown-2.0.2.tgz", + "integrity": "sha512-0hJU9SCPvmMzIBdZFqNPXWa6dqh7WdH0cII9y+CyS8rG3nL48Bclra9HmKhVVUHyPWNH5Y7xDwAB7bfgSjkUMQ==", + "license": "MIT", + "dependencies": { + "function-bind": "^1.1.2" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/helmet": { + "version": "8.1.0", + "resolved": "https://registry.npmjs.org/helmet/-/helmet-8.1.0.tgz", + "integrity": "sha512-jOiHyAZsmnr8LqoPGmCjYAaiuWwjAPLgY8ZX2XrmHawt99/u1y6RgrZMTeoPfpUbV96HOalYgz1qzkRbw54Pmg==", + "license": "MIT", + "engines": { + "node": ">=18.0.0" + } + }, + "node_modules/html-escaper": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/html-escaper/-/html-escaper-2.0.2.tgz", + "integrity": "sha512-H2iMtd0I4Mt5eYiapRdIDjp+XzelXQ0tFE4JS7YFwFevXXMmOp9myNrUvCg0D6ws8iqkRPBfKHgbwig1SmlLfg==", + "dev": true, + "license": "MIT" + }, + "node_modules/http-errors": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/http-errors/-/http-errors-2.0.0.tgz", + "integrity": "sha512-FtwrG/euBzaEjYeRqOgly7G0qviiXoJWnvEH2Z1plBdXgbyjv34pHTSb9zoeHMyDy33+DWy5Wt9Wo+TURtOYSQ==", + "license": "MIT", + "dependencies": { + "depd": "2.0.0", + "inherits": "2.0.4", + "setprototypeof": "1.2.0", + "statuses": "2.0.1", + "toidentifier": "1.0.1" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/http-errors/node_modules/statuses": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/statuses/-/statuses-2.0.1.tgz", + "integrity": "sha512-RwNA9Z/7PrK06rYLIzFMlaF+l73iwpzsqRIFgbMLbTcLD6cOao82TaWefPXQvB2fOC4AjuYSEndS7N/mTCbkdQ==", + "license": "MIT", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/human-signals": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/human-signals/-/human-signals-2.1.0.tgz", + "integrity": "sha512-B4FFZ6q/T2jhhksgkbEW3HBvWIfDW85snkQgawt07S7J5QXTk6BkNV+0yAeZrM5QpMAdYlocGoljn0sJ/WQkFw==", + "dev": true, + "license": "Apache-2.0", + "engines": { + "node": ">=10.17.0" + } + }, + "node_modules/iconv-lite": { + "version": "0.6.3", + "resolved": "https://registry.npmjs.org/iconv-lite/-/iconv-lite-0.6.3.tgz", + "integrity": "sha512-4fCk79wshMdzMp2rH06qWrJE4iolqLhCUH+OiuIgU++RB0+94NlDL81atO7GX55uUKueo0txHNtvEyI6D7WdMw==", + "license": "MIT", + "dependencies": { + "safer-buffer": ">= 2.1.2 < 3.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/ignore-by-default": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/ignore-by-default/-/ignore-by-default-1.0.1.tgz", + "integrity": "sha512-Ius2VYcGNk7T90CppJqcIkS5ooHUZyIQK+ClZfMfMNFEF9VSE73Fq+906u/CWu92x4gzZMWOwfFYckPObzdEbA==", + "dev": true, + "license": "ISC" + }, + "node_modules/import-local": { + "version": "3.2.0", + "resolved": "https://registry.npmjs.org/import-local/-/import-local-3.2.0.tgz", + "integrity": "sha512-2SPlun1JUPWoM6t3F0dw0FkCF/jWY8kttcY4f599GLTSjh2OCuuhdTkJQsEcZzBqbXZGKMK2OqW1oZsjtf/gQA==", + "dev": true, + "license": "MIT", + "dependencies": { + "pkg-dir": "^4.2.0", + "resolve-cwd": "^3.0.0" + }, + "bin": { + "import-local-fixture": "fixtures/cli.js" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/imurmurhash": { + "version": "0.1.4", + "resolved": "https://registry.npmjs.org/imurmurhash/-/imurmurhash-0.1.4.tgz", + "integrity": "sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.8.19" + } + }, + "node_modules/inflight": { + "version": "1.0.6", + "resolved": "https://registry.npmjs.org/inflight/-/inflight-1.0.6.tgz", + "integrity": "sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==", + "deprecated": "This module is not supported, and leaks memory. Do not use it. Check out lru-cache if you want a good and tested way to coalesce async requests by a key value, which is much more comprehensive and powerful.", + "dev": true, + "license": "ISC", + "dependencies": { + "once": "^1.3.0", + "wrappy": "1" + } + }, + "node_modules/inherits": { + "version": "2.0.4", + "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz", + "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==", + "license": "ISC" + }, + "node_modules/ipaddr.js": { + "version": "1.9.1", + "resolved": "https://registry.npmjs.org/ipaddr.js/-/ipaddr.js-1.9.1.tgz", + "integrity": "sha512-0KI/607xoxSToH7GjN1FfSbLoU0+btTicjsQSWQlh/hZykN8KpmMf7uYwPW3R+akZ6R/w18ZlXSHBYXiYUPO3g==", + "license": "MIT", + "engines": { + "node": ">= 0.10" + } + }, + "node_modules/is-arrayish": { + "version": "0.2.1", + "resolved": "https://registry.npmjs.org/is-arrayish/-/is-arrayish-0.2.1.tgz", + "integrity": "sha512-zz06S8t0ozoDXMG+ube26zeCTNXcKIPJZJi8hBrF4idCLms4CG9QtK7qBl1boi5ODzFpjswb5JPmHCbMpjaYzg==", + "dev": true, + "license": "MIT" + }, + "node_modules/is-binary-path": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/is-binary-path/-/is-binary-path-2.1.0.tgz", + "integrity": "sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==", + "dev": true, + "license": "MIT", + "dependencies": { + "binary-extensions": "^2.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/is-extglob": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/is-extglob/-/is-extglob-2.1.1.tgz", + "integrity": "sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/is-fullwidth-code-point": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", + "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/is-generator-fn": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/is-generator-fn/-/is-generator-fn-2.1.0.tgz", + "integrity": "sha512-cTIB4yPYL/Grw0EaSzASzg6bBy9gqCofvWN8okThAYIxKJZC+udlRAmGbM0XLeniEJSs8uEgHPGuHSe1XsOLSQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/is-glob": { + "version": "4.0.3", + "resolved": "https://registry.npmjs.org/is-glob/-/is-glob-4.0.3.tgz", + "integrity": "sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-extglob": "^2.1.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/is-number": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/is-number/-/is-number-7.0.0.tgz", + "integrity": "sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.12.0" + } + }, + "node_modules/is-promise": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/is-promise/-/is-promise-4.0.0.tgz", + "integrity": "sha512-hvpoI6korhJMnej285dSg6nu1+e6uxs7zG3BYAm5byqDsgJNWwxzM6z6iZiAgQR4TJ30JmBTOwqZUw3WlyH3AQ==", + "license": "MIT" + }, + "node_modules/is-stream": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/is-stream/-/is-stream-2.0.1.tgz", + "integrity": "sha512-hFoiJiTl63nn+kstHGBtewWSKnQLpyb155KHheA1l39uvtO9nWIop1p3udqPcUd/xbF1VLMO4n7OI6p7RbngDg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/isexe": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz", + "integrity": "sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==", + "dev": true, + "license": "ISC" + }, + "node_modules/istanbul-lib-coverage": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/istanbul-lib-coverage/-/istanbul-lib-coverage-3.2.2.tgz", + "integrity": "sha512-O8dpsF+r0WV/8MNRKfnmrtCWhuKjxrq2w+jpzBL5UZKTi2LeVWnWOmWRxFlesJONmc+wLAGvKQZEOanko0LFTg==", + "dev": true, + "license": "BSD-3-Clause", + "engines": { + "node": ">=8" + } + }, + "node_modules/istanbul-lib-instrument": { + "version": "6.0.3", + "resolved": "https://registry.npmjs.org/istanbul-lib-instrument/-/istanbul-lib-instrument-6.0.3.tgz", + "integrity": "sha512-Vtgk7L/R2JHyyGW07spoFlB8/lpjiOLTjMdms6AFMraYt3BaJauod/NGrfnVG/y4Ix1JEuMRPDPEj2ua+zz1/Q==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "@babel/core": "^7.23.9", + "@babel/parser": "^7.23.9", + "@istanbuljs/schema": "^0.1.3", + "istanbul-lib-coverage": "^3.2.0", + "semver": "^7.5.4" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/istanbul-lib-report": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/istanbul-lib-report/-/istanbul-lib-report-3.0.1.tgz", + "integrity": "sha512-GCfE1mtsHGOELCU8e/Z7YWzpmybrx/+dSTfLrvY8qRmaY6zXTKWn6WQIjaAFw069icm6GVMNkgu0NzI4iPZUNw==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "istanbul-lib-coverage": "^3.0.0", + "make-dir": "^4.0.0", + "supports-color": "^7.1.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/istanbul-lib-report/node_modules/has-flag": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz", + "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/istanbul-lib-report/node_modules/supports-color": { + "version": "7.2.0", + "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-7.2.0.tgz", + "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==", + "dev": true, + "license": "MIT", + "dependencies": { + "has-flag": "^4.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/istanbul-lib-source-maps": { + "version": "5.0.6", + "resolved": "https://registry.npmjs.org/istanbul-lib-source-maps/-/istanbul-lib-source-maps-5.0.6.tgz", + "integrity": "sha512-yg2d+Em4KizZC5niWhQaIomgf5WlL4vOOjZ5xGCmF8SnPE/mDWWXgvRExdcpCgh9lLRRa1/fSYp2ymmbJ1pI+A==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "@jridgewell/trace-mapping": "^0.3.23", + "debug": "^4.1.1", + "istanbul-lib-coverage": "^3.0.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/istanbul-reports": { + "version": "3.1.7", + "resolved": "https://registry.npmjs.org/istanbul-reports/-/istanbul-reports-3.1.7.tgz", + "integrity": "sha512-BewmUXImeuRk2YY0PVbxgKAysvhRPUQE0h5QRM++nVWyubKGV0l8qQ5op8+B2DOmwSe63Jivj0BjkPQVf8fP5g==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "html-escaper": "^2.0.0", + "istanbul-lib-report": "^3.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/jackspeak": { + "version": "3.4.3", + "resolved": "https://registry.npmjs.org/jackspeak/-/jackspeak-3.4.3.tgz", + "integrity": "sha512-OGlZQpz2yfahA/Rd1Y8Cd9SIEsqvXkLVoSw/cgwhnhFMDbsQFeZYoJJ7bIZBS9BcamUW96asq/npPWugM+RQBw==", + "dev": true, + "license": "BlueOak-1.0.0", + "dependencies": { + "@isaacs/cliui": "^8.0.2" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + }, + "optionalDependencies": { + "@pkgjs/parseargs": "^0.11.0" + } + }, + "node_modules/jake": { + "version": "10.9.2", + "resolved": "https://registry.npmjs.org/jake/-/jake-10.9.2.tgz", + "integrity": "sha512-2P4SQ0HrLQ+fw6llpLnOaGAvN2Zu6778SJMrCUwns4fOoG9ayrTiZk3VV8sCPkVZF8ab0zksVpS8FDY5pRCNBA==", + "license": "Apache-2.0", + "dependencies": { + "async": "^3.2.3", + "chalk": "^4.0.2", + "filelist": "^1.0.4", + "minimatch": "^3.1.2" + }, + "bin": { + "jake": "bin/cli.js" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/jest": { + "version": "30.0.3", + "resolved": "https://registry.npmjs.org/jest/-/jest-30.0.3.tgz", + "integrity": "sha512-Uy8xfeE/WpT2ZLGDXQmaYNzw2v8NUKuYeKGtkS6sDxwsdQihdgYCXaKIYnph1h95DN5H35ubFDm0dfmsQnjn4Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/core": "30.0.3", + "@jest/types": "30.0.1", + "import-local": "^3.2.0", + "jest-cli": "30.0.3" + }, + "bin": { + "jest": "bin/jest.js" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + }, + "peerDependencies": { + "node-notifier": "^8.0.1 || ^9.0.0 || ^10.0.0" + }, + "peerDependenciesMeta": { + "node-notifier": { + "optional": true + } + } + }, + "node_modules/jest-changed-files": { + "version": "30.0.2", + "resolved": "https://registry.npmjs.org/jest-changed-files/-/jest-changed-files-30.0.2.tgz", + "integrity": "sha512-Ius/iRST9FKfJI+I+kpiDh8JuUlAISnRszF9ixZDIqJF17FckH5sOzKC8a0wd0+D+8em5ADRHA5V5MnfeDk2WA==", + "dev": true, + "license": "MIT", + "dependencies": { + "execa": "^5.1.1", + "jest-util": "30.0.2", + "p-limit": "^3.1.0" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/jest-circus": { + "version": "30.0.3", + "resolved": "https://registry.npmjs.org/jest-circus/-/jest-circus-30.0.3.tgz", + "integrity": "sha512-rD9qq2V28OASJHJWDRVdhoBdRs6k3u3EmBzDYcyuMby8XCO3Ll1uq9kyqM41ZcC4fMiPulMVh3qMw0cBvDbnyg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/environment": "30.0.2", + "@jest/expect": "30.0.3", + "@jest/test-result": "30.0.2", + "@jest/types": "30.0.1", + "@types/node": "*", + "chalk": "^4.1.2", + "co": "^4.6.0", + "dedent": "^1.6.0", + "is-generator-fn": "^2.1.0", + "jest-each": "30.0.2", + "jest-matcher-utils": "30.0.3", + "jest-message-util": "30.0.2", + "jest-runtime": "30.0.3", + "jest-snapshot": "30.0.3", + "jest-util": "30.0.2", + "p-limit": "^3.1.0", + "pretty-format": "30.0.2", + "pure-rand": "^7.0.0", + "slash": "^3.0.0", + "stack-utils": "^2.0.6" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/jest-cli": { + "version": "30.0.3", + "resolved": "https://registry.npmjs.org/jest-cli/-/jest-cli-30.0.3.tgz", + "integrity": "sha512-UWDSj0ayhumEAxpYRlqQLrssEi29kdQ+kddP94AuHhZknrE+mT0cR0J+zMHKFe9XPfX3dKQOc2TfWki3WhFTsA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/core": "30.0.3", + "@jest/test-result": "30.0.2", + "@jest/types": "30.0.1", + "chalk": "^4.1.2", + "exit-x": "^0.2.2", + "import-local": "^3.2.0", + "jest-config": "30.0.3", + "jest-util": "30.0.2", + "jest-validate": "30.0.2", + "yargs": "^17.7.2" + }, + "bin": { + "jest": "bin/jest.js" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + }, + "peerDependencies": { + "node-notifier": "^8.0.1 || ^9.0.0 || ^10.0.0" + }, + "peerDependenciesMeta": { + "node-notifier": { + "optional": true + } + } + }, + "node_modules/jest-config": { + "version": "30.0.3", + "resolved": "https://registry.npmjs.org/jest-config/-/jest-config-30.0.3.tgz", + "integrity": "sha512-j0L4oRCtJwNyZktXIqwzEiDVQXBbQ4dqXuLD/TZdn++hXIcIfZmjHgrViEy5s/+j4HvITmAXbexVZpQ/jnr0bg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/core": "^7.27.4", + "@jest/get-type": "30.0.1", + "@jest/pattern": "30.0.1", + "@jest/test-sequencer": "30.0.2", + "@jest/types": "30.0.1", + "babel-jest": "30.0.2", + "chalk": "^4.1.2", + "ci-info": "^4.2.0", + "deepmerge": "^4.3.1", + "glob": "^10.3.10", + "graceful-fs": "^4.2.11", + "jest-circus": "30.0.3", + "jest-docblock": "30.0.1", + "jest-environment-node": "30.0.2", + "jest-regex-util": "30.0.1", + "jest-resolve": "30.0.2", + "jest-runner": "30.0.3", + "jest-util": "30.0.2", + "jest-validate": "30.0.2", + "micromatch": "^4.0.8", + "parse-json": "^5.2.0", + "pretty-format": "30.0.2", + "slash": "^3.0.0", + "strip-json-comments": "^3.1.1" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + }, + "peerDependencies": { + "@types/node": "*", + "esbuild-register": ">=3.4.0", + "ts-node": ">=9.0.0" + }, + "peerDependenciesMeta": { + "@types/node": { + "optional": true + }, + "esbuild-register": { + "optional": true + }, + "ts-node": { + "optional": true + } + } + }, + "node_modules/jest-diff": { + "version": "30.0.3", + "resolved": "https://registry.npmjs.org/jest-diff/-/jest-diff-30.0.3.tgz", + "integrity": "sha512-Q1TAV0cUcBTic57SVnk/mug0/ASyAqtSIOkr7RAlxx97llRYsM74+E8N5WdGJUlwCKwgxPAkVjKh653h1+HA9A==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/diff-sequences": "30.0.1", + "@jest/get-type": "30.0.1", + "chalk": "^4.1.2", + "pretty-format": "30.0.2" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/jest-docblock": { + "version": "30.0.1", + "resolved": "https://registry.npmjs.org/jest-docblock/-/jest-docblock-30.0.1.tgz", + "integrity": "sha512-/vF78qn3DYphAaIc3jy4gA7XSAz167n9Bm/wn/1XhTLW7tTBIzXtCJpb/vcmc73NIIeeohCbdL94JasyXUZsGA==", + "dev": true, + "license": "MIT", + "dependencies": { + "detect-newline": "^3.1.0" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/jest-each": { + "version": "30.0.2", + "resolved": "https://registry.npmjs.org/jest-each/-/jest-each-30.0.2.tgz", + "integrity": "sha512-ZFRsTpe5FUWFQ9cWTMguCaiA6kkW5whccPy9JjD1ezxh+mJeqmz8naL8Fl/oSbNJv3rgB0x87WBIkA5CObIUZQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/get-type": "30.0.1", + "@jest/types": "30.0.1", + "chalk": "^4.1.2", + "jest-util": "30.0.2", + "pretty-format": "30.0.2" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/jest-environment-node": { + "version": "30.0.2", + "resolved": "https://registry.npmjs.org/jest-environment-node/-/jest-environment-node-30.0.2.tgz", + "integrity": "sha512-XsGtZ0H+a70RsxAQkKuIh0D3ZlASXdZdhpOSBq9WRPq6lhe0IoQHGW0w9ZUaPiZQ/CpkIdprvlfV1QcXcvIQLQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/environment": "30.0.2", + "@jest/fake-timers": "30.0.2", + "@jest/types": "30.0.1", + "@types/node": "*", + "jest-mock": "30.0.2", + "jest-util": "30.0.2", + "jest-validate": "30.0.2" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/jest-haste-map": { + "version": "30.0.2", + "resolved": "https://registry.npmjs.org/jest-haste-map/-/jest-haste-map-30.0.2.tgz", + "integrity": "sha512-telJBKpNLeCb4MaX+I5k496556Y2FiKR/QLZc0+MGBYl4k3OO0472drlV2LUe7c1Glng5HuAu+5GLYp//GpdOQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "30.0.1", + "@types/node": "*", + "anymatch": "^3.1.3", + "fb-watchman": "^2.0.2", + "graceful-fs": "^4.2.11", + "jest-regex-util": "30.0.1", + "jest-util": "30.0.2", + "jest-worker": "30.0.2", + "micromatch": "^4.0.8", + "walker": "^1.0.8" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + }, + "optionalDependencies": { + "fsevents": "^2.3.3" + } + }, + "node_modules/jest-leak-detector": { + "version": "30.0.2", + "resolved": "https://registry.npmjs.org/jest-leak-detector/-/jest-leak-detector-30.0.2.tgz", + "integrity": "sha512-U66sRrAYdALq+2qtKffBLDWsQ/XoNNs2Lcr83sc9lvE/hEpNafJlq2lXCPUBMNqamMECNxSIekLfe69qg4KMIQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/get-type": "30.0.1", + "pretty-format": "30.0.2" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/jest-matcher-utils": { + "version": "30.0.3", + "resolved": "https://registry.npmjs.org/jest-matcher-utils/-/jest-matcher-utils-30.0.3.tgz", + "integrity": "sha512-hMpVFGFOhYmIIRGJ0HgM9htC5qUiJ00famcc9sRFchJJiLZbbVKrAztcgE6VnXLRxA3XZ0bvNA7hQWh3oHXo/A==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/get-type": "30.0.1", + "chalk": "^4.1.2", + "jest-diff": "30.0.3", + "pretty-format": "30.0.2" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/jest-message-util": { + "version": "30.0.2", + "resolved": "https://registry.npmjs.org/jest-message-util/-/jest-message-util-30.0.2.tgz", + "integrity": "sha512-vXywcxmr0SsKXF/bAD7t7nMamRvPuJkras00gqYeB1V0WllxZrbZ0paRr3XqpFU2sYYjD0qAaG2fRyn/CGZ0aw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/code-frame": "^7.27.1", + "@jest/types": "30.0.1", + "@types/stack-utils": "^2.0.3", + "chalk": "^4.1.2", + "graceful-fs": "^4.2.11", + "micromatch": "^4.0.8", + "pretty-format": "30.0.2", + "slash": "^3.0.0", + "stack-utils": "^2.0.6" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/jest-mock": { + "version": "30.0.2", + "resolved": "https://registry.npmjs.org/jest-mock/-/jest-mock-30.0.2.tgz", + "integrity": "sha512-PnZOHmqup/9cT/y+pXIVbbi8ID6U1XHRmbvR7MvUy4SLqhCbwpkmXhLbsWbGewHrV5x/1bF7YDjs+x24/QSvFA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "30.0.1", + "@types/node": "*", + "jest-util": "30.0.2" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/jest-pnp-resolver": { + "version": "1.2.3", + "resolved": "https://registry.npmjs.org/jest-pnp-resolver/-/jest-pnp-resolver-1.2.3.tgz", + "integrity": "sha512-+3NpwQEnRoIBtx4fyhblQDPgJI0H1IEIkX7ShLUjPGA7TtUTvI1oiKi3SR4oBR0hQhQR80l4WAe5RrXBwWMA8w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + }, + "peerDependencies": { + "jest-resolve": "*" + }, + "peerDependenciesMeta": { + "jest-resolve": { + "optional": true + } + } + }, + "node_modules/jest-regex-util": { + "version": "30.0.1", + "resolved": "https://registry.npmjs.org/jest-regex-util/-/jest-regex-util-30.0.1.tgz", + "integrity": "sha512-jHEQgBXAgc+Gh4g0p3bCevgRCVRkB4VB70zhoAE48gxeSr1hfUOsM/C2WoJgVL7Eyg//hudYENbm3Ne+/dRVVA==", + "dev": true, + "license": "MIT", + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/jest-resolve": { + "version": "30.0.2", + "resolved": "https://registry.npmjs.org/jest-resolve/-/jest-resolve-30.0.2.tgz", + "integrity": "sha512-q/XT0XQvRemykZsvRopbG6FQUT6/ra+XV6rPijyjT6D0msOyCvR2A5PlWZLd+fH0U8XWKZfDiAgrUNDNX2BkCw==", + "dev": true, + "license": "MIT", + "dependencies": { + "chalk": "^4.1.2", + "graceful-fs": "^4.2.11", + "jest-haste-map": "30.0.2", + "jest-pnp-resolver": "^1.2.3", + "jest-util": "30.0.2", + "jest-validate": "30.0.2", + "slash": "^3.0.0", + "unrs-resolver": "^1.7.11" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/jest-resolve-dependencies": { + "version": "30.0.3", + "resolved": "https://registry.npmjs.org/jest-resolve-dependencies/-/jest-resolve-dependencies-30.0.3.tgz", + "integrity": "sha512-FlL6u7LiHbF0Oe27k7DHYMq2T2aNpPhxnNo75F7lEtu4A6sSw+TKkNNUGNcVckdFoL0RCWREJsC1HsKDwKRZzQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "jest-regex-util": "30.0.1", + "jest-snapshot": "30.0.3" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/jest-runner": { + "version": "30.0.3", + "resolved": "https://registry.npmjs.org/jest-runner/-/jest-runner-30.0.3.tgz", + "integrity": "sha512-CxYBzu9WStOBBXAKkLXGoUtNOWsiS1RRmUQb6SsdUdTcqVncOau7m8AJ4cW3Mz+YL1O9pOGPSYLyvl8HBdFmkQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/console": "30.0.2", + "@jest/environment": "30.0.2", + "@jest/test-result": "30.0.2", + "@jest/transform": "30.0.2", + "@jest/types": "30.0.1", + "@types/node": "*", + "chalk": "^4.1.2", + "emittery": "^0.13.1", + "exit-x": "^0.2.2", + "graceful-fs": "^4.2.11", + "jest-docblock": "30.0.1", + "jest-environment-node": "30.0.2", + "jest-haste-map": "30.0.2", + "jest-leak-detector": "30.0.2", + "jest-message-util": "30.0.2", + "jest-resolve": "30.0.2", + "jest-runtime": "30.0.3", + "jest-util": "30.0.2", + "jest-watcher": "30.0.2", + "jest-worker": "30.0.2", + "p-limit": "^3.1.0", + "source-map-support": "0.5.13" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/jest-runtime": { + "version": "30.0.3", + "resolved": "https://registry.npmjs.org/jest-runtime/-/jest-runtime-30.0.3.tgz", + "integrity": "sha512-Xjosq0C48G9XEQOtmgrjXJwPaUPaq3sPJwHDRaiC+5wi4ZWxO6Lx6jNkizK/0JmTulVNuxP8iYwt77LGnfg3/w==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/environment": "30.0.2", + "@jest/fake-timers": "30.0.2", + "@jest/globals": "30.0.3", + "@jest/source-map": "30.0.1", + "@jest/test-result": "30.0.2", + "@jest/transform": "30.0.2", + "@jest/types": "30.0.1", + "@types/node": "*", + "chalk": "^4.1.2", + "cjs-module-lexer": "^2.1.0", + "collect-v8-coverage": "^1.0.2", + "glob": "^10.3.10", + "graceful-fs": "^4.2.11", + "jest-haste-map": "30.0.2", + "jest-message-util": "30.0.2", + "jest-mock": "30.0.2", + "jest-regex-util": "30.0.1", + "jest-resolve": "30.0.2", + "jest-snapshot": "30.0.3", + "jest-util": "30.0.2", + "slash": "^3.0.0", + "strip-bom": "^4.0.0" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/jest-snapshot": { + "version": "30.0.3", + "resolved": "https://registry.npmjs.org/jest-snapshot/-/jest-snapshot-30.0.3.tgz", + "integrity": "sha512-F05JCohd3OA1N9+5aEPXA6I0qOfZDGIx0zTq5Z4yMBg2i1p5ELfBusjYAWwTkC12c7dHcbyth4QAfQbS7cRjow==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/core": "^7.27.4", + "@babel/generator": "^7.27.5", + "@babel/plugin-syntax-jsx": "^7.27.1", + "@babel/plugin-syntax-typescript": "^7.27.1", + "@babel/types": "^7.27.3", + "@jest/expect-utils": "30.0.3", + "@jest/get-type": "30.0.1", + "@jest/snapshot-utils": "30.0.1", + "@jest/transform": "30.0.2", + "@jest/types": "30.0.1", + "babel-preset-current-node-syntax": "^1.1.0", + "chalk": "^4.1.2", + "expect": "30.0.3", + "graceful-fs": "^4.2.11", + "jest-diff": "30.0.3", + "jest-matcher-utils": "30.0.3", + "jest-message-util": "30.0.2", + "jest-util": "30.0.2", + "pretty-format": "30.0.2", + "semver": "^7.7.2", + "synckit": "^0.11.8" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/jest-util": { + "version": "30.0.2", + "resolved": "https://registry.npmjs.org/jest-util/-/jest-util-30.0.2.tgz", + "integrity": "sha512-8IyqfKS4MqprBuUpZNlFB5l+WFehc8bfCe1HSZFHzft2mOuND8Cvi9r1musli+u6F3TqanCZ/Ik4H4pXUolZIg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "30.0.1", + "@types/node": "*", + "chalk": "^4.1.2", + "ci-info": "^4.2.0", + "graceful-fs": "^4.2.11", + "picomatch": "^4.0.2" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/jest-util/node_modules/picomatch": { + "version": "4.0.2", + "resolved": "https://registry.npmjs.org/picomatch/-/picomatch-4.0.2.tgz", + "integrity": "sha512-M7BAV6Rlcy5u+m6oPhAPFgJTzAioX/6B0DxyvDlo9l8+T3nLKbrczg2WLUyzd45L8RqfUMyGPzekbMvX2Ldkwg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/sponsors/jonschlinkert" + } + }, + "node_modules/jest-validate": { + "version": "30.0.2", + "resolved": "https://registry.npmjs.org/jest-validate/-/jest-validate-30.0.2.tgz", + "integrity": "sha512-noOvul+SFER4RIvNAwGn6nmV2fXqBq67j+hKGHKGFCmK4ks/Iy1FSrqQNBLGKlu4ZZIRL6Kg1U72N1nxuRCrGQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/get-type": "30.0.1", + "@jest/types": "30.0.1", + "camelcase": "^6.3.0", + "chalk": "^4.1.2", + "leven": "^3.1.0", + "pretty-format": "30.0.2" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/jest-validate/node_modules/camelcase": { + "version": "6.3.0", + "resolved": "https://registry.npmjs.org/camelcase/-/camelcase-6.3.0.tgz", + "integrity": "sha512-Gmy6FhYlCY7uOElZUSbxo2UCDH8owEk996gkbrpsgGtrJLM3J7jGxl9Ic7Qwwj4ivOE5AWZWRMecDdF7hqGjFA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/jest-watcher": { + "version": "30.0.2", + "resolved": "https://registry.npmjs.org/jest-watcher/-/jest-watcher-30.0.2.tgz", + "integrity": "sha512-vYO5+E7jJuF+XmONr6CrbXdlYrgvZqtkn6pdkgjt/dU64UAdc0v1cAVaAeWtAfUUMScxNmnUjKPUMdCpNVASwg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/test-result": "30.0.2", + "@jest/types": "30.0.1", + "@types/node": "*", + "ansi-escapes": "^4.3.2", + "chalk": "^4.1.2", + "emittery": "^0.13.1", + "jest-util": "30.0.2", + "string-length": "^4.0.2" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/jest-worker": { + "version": "30.0.2", + "resolved": "https://registry.npmjs.org/jest-worker/-/jest-worker-30.0.2.tgz", + "integrity": "sha512-RN1eQmx7qSLFA+o9pfJKlqViwL5wt+OL3Vff/A+/cPsmuw7NPwfgl33AP+/agRmHzPOFgXviRycR9kYwlcRQXg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/node": "*", + "@ungap/structured-clone": "^1.3.0", + "jest-util": "30.0.2", + "merge-stream": "^2.0.0", + "supports-color": "^8.1.1" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/jest-worker/node_modules/has-flag": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz", + "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/jest-worker/node_modules/supports-color": { + "version": "8.1.1", + "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-8.1.1.tgz", + "integrity": "sha512-MpUEN2OodtUzxvKQl72cUF7RQ5EiHsGvSsVG0ia9c5RbWGL2CI4C7EpPS8UTBIplnlzZiNuV56w+FuNxy3ty2Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "has-flag": "^4.0.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/supports-color?sponsor=1" + } + }, + "node_modules/js-tokens": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/js-tokens/-/js-tokens-4.0.0.tgz", + "integrity": "sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/js-yaml": { + "version": "3.14.1", + "resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-3.14.1.tgz", + "integrity": "sha512-okMH7OXXJ7YrN9Ok3/SXrnu4iX9yOk+25nqX4imS2npuvTYDmo/QEZoqwZkYaIDk3jVvBOTOIEgEhaLOynBS9g==", + "dev": true, + "license": "MIT", + "dependencies": { + "argparse": "^1.0.7", + "esprima": "^4.0.0" + }, + "bin": { + "js-yaml": "bin/js-yaml.js" + } + }, + "node_modules/jsesc": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/jsesc/-/jsesc-3.1.0.tgz", + "integrity": "sha512-/sM3dO2FOzXjKQhJuo0Q173wf2KOo8t4I8vHy6lF9poUp7bKT0/NHE8fPX23PwfhnykfqnC2xRxOnVw5XuGIaA==", + "dev": true, + "license": "MIT", + "bin": { + "jsesc": "bin/jsesc" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/json-parse-even-better-errors": { + "version": "2.3.1", + "resolved": "https://registry.npmjs.org/json-parse-even-better-errors/-/json-parse-even-better-errors-2.3.1.tgz", + "integrity": "sha512-xyFwyhro/JEof6Ghe2iz2NcXoj2sloNsWr/XsERDK/oiPCfaNhl5ONfp+jQdAZRQQ0IJWNzH9zIZF7li91kh2w==", + "dev": true, + "license": "MIT" + }, + "node_modules/json5": { + "version": "2.2.3", + "resolved": "https://registry.npmjs.org/json5/-/json5-2.2.3.tgz", + "integrity": "sha512-XmOWe7eyHYH14cLdVPoyg+GOH3rYX++KpzrylJwSW98t3Nk+U8XOl8FWKOgwtzdb8lXGf6zYwDUzeHMWfxasyg==", + "dev": true, + "license": "MIT", + "bin": { + "json5": "lib/cli.js" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/jsonwebtoken": { + "version": "9.0.2", + "resolved": "https://registry.npmjs.org/jsonwebtoken/-/jsonwebtoken-9.0.2.tgz", + "integrity": "sha512-PRp66vJ865SSqOlgqS8hujT5U4AOgMfhrwYIuIhfKaoSCZcirrmASQr8CX7cUg+RMih+hgznrjp99o+W4pJLHQ==", + "license": "MIT", + "dependencies": { + "jws": "^3.2.2", + "lodash.includes": "^4.3.0", + "lodash.isboolean": "^3.0.3", + "lodash.isinteger": "^4.0.4", + "lodash.isnumber": "^3.0.3", + "lodash.isplainobject": "^4.0.6", + "lodash.isstring": "^4.0.1", + "lodash.once": "^4.0.0", + "ms": "^2.1.1", + "semver": "^7.5.4" + }, + "engines": { + "node": ">=12", + "npm": ">=6" + } + }, + "node_modules/jwa": { + "version": "1.4.2", + "resolved": "https://registry.npmjs.org/jwa/-/jwa-1.4.2.tgz", + "integrity": "sha512-eeH5JO+21J78qMvTIDdBXidBd6nG2kZjg5Ohz/1fpa28Z4CcsWUzJ1ZZyFq/3z3N17aZy+ZuBoHljASbL1WfOw==", + "license": "MIT", + "dependencies": { + "buffer-equal-constant-time": "^1.0.1", + "ecdsa-sig-formatter": "1.0.11", + "safe-buffer": "^5.0.1" + } + }, + "node_modules/jws": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/jws/-/jws-3.2.2.tgz", + "integrity": "sha512-YHlZCB6lMTllWDtSPHz/ZXTsi8S00usEV6v1tjq8tOUZzw7DpSDWVXjXDre6ed1w/pd495ODpHZYSdkRTsa0HA==", + "license": "MIT", + "dependencies": { + "jwa": "^1.4.1", + "safe-buffer": "^5.0.1" + } + }, + "node_modules/leven": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/leven/-/leven-3.1.0.tgz", + "integrity": "sha512-qsda+H8jTaUaN/x5vzW2rzc+8Rw4TAQ/4KjB46IwK5VH+IlVeeeje/EoZRpiXvIqjFgK84QffqPztGI3VBLG1A==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/lines-and-columns": { + "version": "1.2.4", + "resolved": "https://registry.npmjs.org/lines-and-columns/-/lines-and-columns-1.2.4.tgz", + "integrity": "sha512-7ylylesZQ/PV29jhEDl3Ufjo6ZX7gCqJr5F7PKrqc93v7fzSymt1BpwEU8nAUXs8qzzvqhbjhK5QZg6Mt/HkBg==", + "dev": true, + "license": "MIT" + }, + "node_modules/locate-path": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-5.0.0.tgz", + "integrity": "sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==", + "dev": true, + "license": "MIT", + "dependencies": { + "p-locate": "^4.1.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/lodash.includes": { + "version": "4.3.0", + "resolved": "https://registry.npmjs.org/lodash.includes/-/lodash.includes-4.3.0.tgz", + "integrity": "sha512-W3Bx6mdkRTGtlJISOvVD/lbqjTlPPUDTMnlXZFnVwi9NKJ6tiAk6LVdlhZMm17VZisqhKcgzpO5Wz91PCt5b0w==", + "license": "MIT" + }, + "node_modules/lodash.isboolean": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/lodash.isboolean/-/lodash.isboolean-3.0.3.tgz", + "integrity": "sha512-Bz5mupy2SVbPHURB98VAcw+aHh4vRV5IPNhILUCsOzRmsTmSQ17jIuqopAentWoehktxGd9e/hbIXq980/1QJg==", + "license": "MIT" + }, + "node_modules/lodash.isinteger": { + "version": "4.0.4", + "resolved": "https://registry.npmjs.org/lodash.isinteger/-/lodash.isinteger-4.0.4.tgz", + "integrity": "sha512-DBwtEWN2caHQ9/imiNeEA5ys1JoRtRfY3d7V9wkqtbycnAmTvRRmbHKDV4a0EYc678/dia0jrte4tjYwVBaZUA==", + "license": "MIT" + }, + "node_modules/lodash.isnumber": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/lodash.isnumber/-/lodash.isnumber-3.0.3.tgz", + "integrity": "sha512-QYqzpfwO3/CWf3XP+Z+tkQsfaLL/EnUlXWVkIk5FUPc4sBdTehEqZONuyRt2P67PXAk+NXmTBcc97zw9t1FQrw==", + "license": "MIT" + }, + "node_modules/lodash.isplainobject": { + "version": "4.0.6", + "resolved": "https://registry.npmjs.org/lodash.isplainobject/-/lodash.isplainobject-4.0.6.tgz", + "integrity": "sha512-oSXzaWypCMHkPC3NvBEaPHf0KsA5mvPrOPgQWDsbg8n7orZ290M0BmC/jgRZ4vcJ6DTAhjrsSYgdsW/F+MFOBA==", + "license": "MIT" + }, + "node_modules/lodash.isstring": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/lodash.isstring/-/lodash.isstring-4.0.1.tgz", + "integrity": "sha512-0wJxfxH1wgO3GrbuP+dTTk7op+6L41QCXbGINEmD+ny/G/eCqGzxyCsh7159S+mgDDcoarnBw6PC1PS5+wUGgw==", + "license": "MIT" + }, + "node_modules/lodash.memoize": { + "version": "4.1.2", + "resolved": "https://registry.npmjs.org/lodash.memoize/-/lodash.memoize-4.1.2.tgz", + "integrity": "sha512-t7j+NzmgnQzTAYXcsHYLgimltOV1MXHtlOWf6GjL9Kj8GK5FInw5JotxvbOs+IvV1/Dzo04/fCGfLVs7aXb4Ag==", + "dev": true, + "license": "MIT" + }, + "node_modules/lodash.once": { + "version": "4.1.1", + "resolved": "https://registry.npmjs.org/lodash.once/-/lodash.once-4.1.1.tgz", + "integrity": "sha512-Sb487aTOCr9drQVL8pIxOzVhafOjZN9UU54hiN8PU3uAiSV7lx1yYNpbNmex2PK6dSJoNTSJUUswT651yww3Mg==", + "license": "MIT" + }, + "node_modules/lru-cache": { + "version": "5.1.1", + "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-5.1.1.tgz", + "integrity": "sha512-KpNARQA3Iwv+jTA0utUVVbrh+Jlrr1Fv0e56GGzAFOXN7dk/FviaDW8LHmK52DlcH4WP2n6gI8vN1aesBFgo9w==", + "dev": true, + "license": "ISC", + "dependencies": { + "yallist": "^3.0.2" + } + }, + "node_modules/make-dir": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/make-dir/-/make-dir-4.0.0.tgz", + "integrity": "sha512-hXdUTZYIVOt1Ex//jAQi+wTZZpUpwBj/0QsOzqegb3rGMMeJiSEu5xLHnYfBrRV4RH2+OCSOO95Is/7x1WJ4bw==", + "dev": true, + "license": "MIT", + "dependencies": { + "semver": "^7.5.3" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/make-error": { + "version": "1.3.6", + "resolved": "https://registry.npmjs.org/make-error/-/make-error-1.3.6.tgz", + "integrity": "sha512-s8UhlNe7vPKomQhC1qFelMokr/Sc3AgNbso3n74mVPA5LTZwkB9NlXf4XPamLxJE8h0gh73rM94xvwRT2CVInw==", + "dev": true, + "license": "ISC" + }, + "node_modules/makeerror": { + "version": "1.0.12", + "resolved": "https://registry.npmjs.org/makeerror/-/makeerror-1.0.12.tgz", + "integrity": "sha512-JmqCvUhmt43madlpFzG4BQzG2Z3m6tvQDNKdClZnO3VbIudJYmxsT0FNJMeiB2+JTSlTQTSbU8QdesVmwJcmLg==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "tmpl": "1.0.5" + } + }, + "node_modules/math-intrinsics": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/math-intrinsics/-/math-intrinsics-1.1.0.tgz", + "integrity": "sha512-/IXtbwEk5HTPyEwyKX6hGkYXxM9nbj64B+ilVJnC/R6B0pH5G4V3b0pVbL7DBj4tkhBAppbQUlf6F6Xl9LHu1g==", + "license": "MIT", + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/media-typer": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/media-typer/-/media-typer-1.1.0.tgz", + "integrity": "sha512-aisnrDP4GNe06UcKFnV5bfMNPBUw4jsLGaWwWfnH3v02GnBuXX2MCVn5RbrWo0j3pczUilYblq7fQ7Nw2t5XKw==", + "license": "MIT", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/merge-descriptors": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/merge-descriptors/-/merge-descriptors-2.0.0.tgz", + "integrity": "sha512-Snk314V5ayFLhp3fkUREub6WtjBfPdCPY1Ln8/8munuLuiYhsABgBVWsozAG+MWMbVEvcdcpbi9R7ww22l9Q3g==", + "license": "MIT", + "engines": { + "node": ">=18" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/merge-stream": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/merge-stream/-/merge-stream-2.0.0.tgz", + "integrity": "sha512-abv/qOcuPfk3URPfDzmZU1LKmuw8kT+0nIHvKrKgFrwifol/doWcdA4ZqsWQ8ENrFKkd67Mfpo/LovbIUsbt3w==", + "dev": true, + "license": "MIT" + }, + "node_modules/micromatch": { + "version": "4.0.8", + "resolved": "https://registry.npmjs.org/micromatch/-/micromatch-4.0.8.tgz", + "integrity": "sha512-PXwfBhYu0hBCPw8Dn0E+WDYb7af3dSLVWKi3HGv84IdF4TyFoC0ysxFd0Goxw7nSv4T/PzEJQxsYsEiFCKo2BA==", + "dev": true, + "license": "MIT", + "dependencies": { + "braces": "^3.0.3", + "picomatch": "^2.3.1" + }, + "engines": { + "node": ">=8.6" + } + }, + "node_modules/mime-db": { + "version": "1.54.0", + "resolved": "https://registry.npmjs.org/mime-db/-/mime-db-1.54.0.tgz", + "integrity": "sha512-aU5EJuIN2WDemCcAp2vFBfp/m4EAhWJnUNSSw0ixs7/kXbd6Pg64EmwJkNdFhB8aWt1sH2CTXrLxo/iAGV3oPQ==", + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/mime-types": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/mime-types/-/mime-types-3.0.1.tgz", + "integrity": "sha512-xRc4oEhT6eaBpU1XF7AjpOFD+xQmXNB5OVKwp4tqCuBpHLS/ZbBDrc07mYTDqVMg6PfxUjjNp85O6Cd2Z/5HWA==", + "license": "MIT", + "dependencies": { + "mime-db": "^1.54.0" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/mimic-fn": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/mimic-fn/-/mimic-fn-2.1.0.tgz", + "integrity": "sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/minimatch": { + "version": "3.1.2", + "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-3.1.2.tgz", + "integrity": "sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==", + "license": "ISC", + "dependencies": { + "brace-expansion": "^1.1.7" + }, + "engines": { + "node": "*" + } + }, + "node_modules/minipass": { + "version": "7.1.2", + "resolved": "https://registry.npmjs.org/minipass/-/minipass-7.1.2.tgz", + "integrity": "sha512-qOOzS1cBTWYF4BH8fVePDBOO9iptMnGUEZwNc/cMWnTV2nVLZ7VoNWEPHkYczZA0pdoA7dl6e7FL659nX9S2aw==", + "dev": true, + "license": "ISC", + "engines": { + "node": ">=16 || 14 >=14.17" + } + }, + "node_modules/ms": { + "version": "2.1.3", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.3.tgz", + "integrity": "sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==", + "license": "MIT" + }, + "node_modules/napi-postinstall": { + "version": "0.2.4", + "resolved": "https://registry.npmjs.org/napi-postinstall/-/napi-postinstall-0.2.4.tgz", + "integrity": "sha512-ZEzHJwBhZ8qQSbknHqYcdtQVr8zUgGyM/q6h6qAyhtyVMNrSgDhrC4disf03dYW0e+czXyLnZINnCTEkWy0eJg==", + "dev": true, + "license": "MIT", + "bin": { + "napi-postinstall": "lib/cli.js" + }, + "engines": { + "node": "^12.20.0 || ^14.18.0 || >=16.0.0" + }, + "funding": { + "url": "https://opencollective.com/napi-postinstall" + } + }, + "node_modules/natural-compare": { + "version": "1.4.0", + "resolved": "https://registry.npmjs.org/natural-compare/-/natural-compare-1.4.0.tgz", + "integrity": "sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==", + "dev": true, + "license": "MIT" + }, + "node_modules/negotiator": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/negotiator/-/negotiator-1.0.0.tgz", + "integrity": "sha512-8Ofs/AUQh8MaEcrlq5xOX0CQ9ypTF5dl78mjlMNfOK08fzpgTHQRQPBxcPlEtIw0yRpws+Zo/3r+5WRby7u3Gg==", + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/node-int64": { + "version": "0.4.0", + "resolved": "https://registry.npmjs.org/node-int64/-/node-int64-0.4.0.tgz", + "integrity": "sha512-O5lz91xSOeoXP6DulyHfllpq+Eg00MWitZIbtPfoSEvqIHdl5gfcY6hYzDWnj0qD5tz52PI08u9qUvSVeUBeHw==", + "dev": true, + "license": "MIT" + }, + "node_modules/node-releases": { + "version": "2.0.19", + "resolved": "https://registry.npmjs.org/node-releases/-/node-releases-2.0.19.tgz", + "integrity": "sha512-xxOWJsBKtzAq7DY0J+DTzuz58K8e7sJbdgwkbMWQe8UYB6ekmsQ45q0M/tJDsGaZmbC+l7n57UV8Hl5tHxO9uw==", + "dev": true, + "license": "MIT" + }, + "node_modules/nodemon": { + "version": "3.1.10", + "resolved": "https://registry.npmjs.org/nodemon/-/nodemon-3.1.10.tgz", + "integrity": "sha512-WDjw3pJ0/0jMFmyNDp3gvY2YizjLmmOUQo6DEBY+JgdvW/yQ9mEeSw6H5ythl5Ny2ytb7f9C2nIbjSxMNzbJXw==", + "dev": true, + "license": "MIT", + "dependencies": { + "chokidar": "^3.5.2", + "debug": "^4", + "ignore-by-default": "^1.0.1", + "minimatch": "^3.1.2", + "pstree.remy": "^1.1.8", + "semver": "^7.5.3", + "simple-update-notifier": "^2.0.0", + "supports-color": "^5.5.0", + "touch": "^3.1.0", + "undefsafe": "^2.0.5" + }, + "bin": { + "nodemon": "bin/nodemon.js" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/nodemon" + } + }, + "node_modules/normalize-path": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/normalize-path/-/normalize-path-3.0.0.tgz", + "integrity": "sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/npm-run-path": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/npm-run-path/-/npm-run-path-4.0.1.tgz", + "integrity": "sha512-S48WzZW777zhNIrn7gxOlISNAqi9ZC/uQFnRdbeIHhZhCA6UqpkOT8T1G7BvfdgP4Er8gF4sUbaS0i7QvIfCWw==", + "dev": true, + "license": "MIT", + "dependencies": { + "path-key": "^3.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/object-inspect": { + "version": "1.13.4", + "resolved": "https://registry.npmjs.org/object-inspect/-/object-inspect-1.13.4.tgz", + "integrity": "sha512-W67iLl4J2EXEGTbfeHCffrjDfitvLANg0UlX3wFUUSTx92KXRFegMHUVgSqE+wvhAbi4WqjGg9czysTV2Epbew==", + "license": "MIT", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/on-finished": { + "version": "2.4.1", + "resolved": "https://registry.npmjs.org/on-finished/-/on-finished-2.4.1.tgz", + "integrity": "sha512-oVlzkg3ENAhCk2zdv7IJwd/QUD4z2RxRwpkcGY8psCVcCYZNq4wYnVWALHM+brtuJjePWiYF/ClmuDr8Ch5+kg==", + "license": "MIT", + "dependencies": { + "ee-first": "1.1.1" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/on-headers": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/on-headers/-/on-headers-1.0.2.tgz", + "integrity": "sha512-pZAE+FJLoyITytdqK0U5s+FIpjN0JP3OzFi/u8Rx+EV5/W+JTWGXG8xFzevE7AjBfDqHv/8vL8qQsIhHnqRkrA==", + "license": "MIT", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/once": { + "version": "1.4.0", + "resolved": "https://registry.npmjs.org/once/-/once-1.4.0.tgz", + "integrity": "sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==", + "license": "ISC", + "dependencies": { + "wrappy": "1" + } + }, + "node_modules/onetime": { + "version": "5.1.2", + "resolved": "https://registry.npmjs.org/onetime/-/onetime-5.1.2.tgz", + "integrity": "sha512-kbpaSSGJTWdAY5KPVeMOKXSrPtr8C8C7wodJbcsd51jRnmD+GZu8Y0VoU6Dm5Z4vWr0Ig/1NKuWRKf7j5aaYSg==", + "dev": true, + "license": "MIT", + "dependencies": { + "mimic-fn": "^2.1.0" + }, + "engines": { + "node": ">=6" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/p-limit": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-3.1.0.tgz", + "integrity": "sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "yocto-queue": "^0.1.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/p-locate": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-4.1.0.tgz", + "integrity": "sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==", + "dev": true, + "license": "MIT", + "dependencies": { + "p-limit": "^2.2.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/p-locate/node_modules/p-limit": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-2.3.0.tgz", + "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==", + "dev": true, + "license": "MIT", + "dependencies": { + "p-try": "^2.0.0" + }, + "engines": { + "node": ">=6" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/p-try": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/p-try/-/p-try-2.2.0.tgz", + "integrity": "sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/package-json-from-dist": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/package-json-from-dist/-/package-json-from-dist-1.0.1.tgz", + "integrity": "sha512-UEZIS3/by4OC8vL3P2dTXRETpebLI2NiI5vIrjaD/5UtrkFX/tNbwjTSRAGC/+7CAo2pIcBaRgWmcBBHcsaCIw==", + "dev": true, + "license": "BlueOak-1.0.0" + }, + "node_modules/parse-json": { + "version": "5.2.0", + "resolved": "https://registry.npmjs.org/parse-json/-/parse-json-5.2.0.tgz", + "integrity": "sha512-ayCKvm/phCGxOkYRSCM82iDwct8/EonSEgCSxWxD7ve6jHggsFl4fZVQBPRNgQoKiuV/odhFrGzQXZwbifC8Rg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/code-frame": "^7.0.0", + "error-ex": "^1.3.1", + "json-parse-even-better-errors": "^2.3.0", + "lines-and-columns": "^1.1.6" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/parseurl": { + "version": "1.3.3", + "resolved": "https://registry.npmjs.org/parseurl/-/parseurl-1.3.3.tgz", + "integrity": "sha512-CiyeOxFT/JZyN5m0z9PfXw4SCBJ6Sygz1Dpl0wqjlhDEGGBP1GnsUVEL0p63hoG1fcj3fHynXi9NYO4nWOL+qQ==", + "license": "MIT", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/path-exists": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz", + "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/path-is-absolute": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/path-is-absolute/-/path-is-absolute-1.0.1.tgz", + "integrity": "sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/path-key": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/path-key/-/path-key-3.1.1.tgz", + "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/path-scurry": { + "version": "1.11.1", + "resolved": "https://registry.npmjs.org/path-scurry/-/path-scurry-1.11.1.tgz", + "integrity": "sha512-Xa4Nw17FS9ApQFJ9umLiJS4orGjm7ZzwUrwamcGQuHSzDyth9boKDaycYdDcZDuqYATXw4HFXgaqWTctW/v1HA==", + "dev": true, + "license": "BlueOak-1.0.0", + "dependencies": { + "lru-cache": "^10.2.0", + "minipass": "^5.0.0 || ^6.0.2 || ^7.0.0" + }, + "engines": { + "node": ">=16 || 14 >=14.18" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/path-scurry/node_modules/lru-cache": { + "version": "10.4.3", + "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-10.4.3.tgz", + "integrity": "sha512-JNAzZcXrCt42VGLuYz0zfAzDfAvJWW6AfYlDBQyDV5DClI2m5sAmK+OIO7s59XfsRsWHp02jAJrRadPRGTt6SQ==", + "dev": true, + "license": "ISC" + }, + "node_modules/path-to-regexp": { + "version": "8.2.0", + "resolved": "https://registry.npmjs.org/path-to-regexp/-/path-to-regexp-8.2.0.tgz", + "integrity": "sha512-TdrF7fW9Rphjq4RjrW0Kp2AW0Ahwu9sRGTkS6bvDi0SCwZlEZYmcfDbEsTz8RVk0EHIS/Vd1bv3JhG+1xZuAyQ==", + "license": "MIT", + "engines": { + "node": ">=16" + } + }, + "node_modules/picocolors": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/picocolors/-/picocolors-1.1.1.tgz", + "integrity": "sha512-xceH2snhtb5M9liqDsmEw56le376mTZkEX/jEb/RxNFyegNul7eNslCXP9FDj/Lcu0X8KEyMceP2ntpaHrDEVA==", + "dev": true, + "license": "ISC" + }, + "node_modules/picomatch": { + "version": "2.3.1", + "resolved": "https://registry.npmjs.org/picomatch/-/picomatch-2.3.1.tgz", + "integrity": "sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8.6" + }, + "funding": { + "url": "https://github.com/sponsors/jonschlinkert" + } + }, + "node_modules/pirates": { + "version": "4.0.7", + "resolved": "https://registry.npmjs.org/pirates/-/pirates-4.0.7.tgz", + "integrity": "sha512-TfySrs/5nm8fQJDcBDuUng3VOUKsd7S+zqvbOTiGXHfxX4wK31ard+hoNuvkicM/2YFzlpDgABOevKSsB4G/FA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 6" + } + }, + "node_modules/pkg-dir": { + "version": "4.2.0", + "resolved": "https://registry.npmjs.org/pkg-dir/-/pkg-dir-4.2.0.tgz", + "integrity": "sha512-HRDzbaKjC+AOWVXxAU/x54COGeIv9eb+6CkDSQoNTt4XyWoIJvuPsXizxu/Fr23EiekbtZwmh1IcIG/l/a10GQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "find-up": "^4.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/pretty-format": { + "version": "30.0.2", + "resolved": "https://registry.npmjs.org/pretty-format/-/pretty-format-30.0.2.tgz", + "integrity": "sha512-yC5/EBSOrTtqhCKfLHqoUIAXVRZnukHPwWBJWR7h84Q3Be1DRQZLncwcfLoPA5RPQ65qfiCMqgYwdUuQ//eVpg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/schemas": "30.0.1", + "ansi-styles": "^5.2.0", + "react-is": "^18.3.1" + }, + "engines": { + "node": "^18.14.0 || ^20.0.0 || ^22.0.0 || >=24.0.0" + } + }, + "node_modules/pretty-format/node_modules/ansi-styles": { + "version": "5.2.0", + "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-5.2.0.tgz", + "integrity": "sha512-Cxwpt2SfTzTtXcfOlzGEee8O+c+MmUgGrNiBcXnuWxuFJHe6a5Hz7qwhwe5OgaSYI0IJvkLqWX1ASG+cJOkEiA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/ansi-styles?sponsor=1" + } + }, + "node_modules/proxy-addr": { + "version": "2.0.7", + "resolved": "https://registry.npmjs.org/proxy-addr/-/proxy-addr-2.0.7.tgz", + "integrity": "sha512-llQsMLSUDUPT44jdrU/O37qlnifitDP+ZwrmmZcoSKyLKvtZxpyV0n2/bD/N4tBAAZ/gJEdZU7KMraoK1+XYAg==", + "license": "MIT", + "dependencies": { + "forwarded": "0.2.0", + "ipaddr.js": "1.9.1" + }, + "engines": { + "node": ">= 0.10" + } + }, + "node_modules/pstree.remy": { + "version": "1.1.8", + "resolved": "https://registry.npmjs.org/pstree.remy/-/pstree.remy-1.1.8.tgz", + "integrity": "sha512-77DZwxQmxKnu3aR542U+X8FypNzbfJ+C5XQDk3uWjWxn6151aIMGthWYRXTqT1E5oJvg+ljaa2OJi+VfvCOQ8w==", + "dev": true, + "license": "MIT" + }, + "node_modules/pure-rand": { + "version": "7.0.1", + "resolved": "https://registry.npmjs.org/pure-rand/-/pure-rand-7.0.1.tgz", + "integrity": "sha512-oTUZM/NAZS8p7ANR3SHh30kXB+zK2r2BPcEn/awJIbOvq82WoMN4p62AWWp3Hhw50G0xMsw1mhIBLqHw64EcNQ==", + "dev": true, + "funding": [ + { + "type": "individual", + "url": "https://github.com/sponsors/dubzzz" + }, + { + "type": "opencollective", + "url": "https://opencollective.com/fast-check" + } + ], + "license": "MIT" + }, + "node_modules/qs": { + "version": "6.14.0", + "resolved": "https://registry.npmjs.org/qs/-/qs-6.14.0.tgz", + "integrity": "sha512-YWWTjgABSKcvs/nWBi9PycY/JiPJqOD4JA6o9Sej2AtvSGarXxKC3OQSk4pAarbdQlKAh5D4FCQkJNkW+GAn3w==", + "license": "BSD-3-Clause", + "dependencies": { + "side-channel": "^1.1.0" + }, + "engines": { + "node": ">=0.6" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/random-bytes": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/random-bytes/-/random-bytes-1.0.0.tgz", + "integrity": "sha512-iv7LhNVO047HzYR3InF6pUcUsPQiHTM1Qal51DcGSuZFBil1aBBWG5eHPNek7bvILMaYJ/8RU1e8w1AMdHmLQQ==", + "license": "MIT", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/range-parser": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/range-parser/-/range-parser-1.2.1.tgz", + "integrity": "sha512-Hrgsx+orqoygnmhFbKaHE6c296J+HTAQXoxEF6gNupROmmGJRoyzfG3ccAveqCBrwr/2yxQ5BVd/GTl5agOwSg==", + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/raw-body": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/raw-body/-/raw-body-3.0.0.tgz", + "integrity": "sha512-RmkhL8CAyCRPXCE28MMH0z2PNWQBNk2Q09ZdxM9IOOXwxwZbN+qbWaatPkdkWIKL2ZVDImrN/pK5HTRz2PcS4g==", + "license": "MIT", + "dependencies": { + "bytes": "3.1.2", + "http-errors": "2.0.0", + "iconv-lite": "0.6.3", + "unpipe": "1.0.0" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/react-is": { + "version": "18.3.1", + "resolved": "https://registry.npmjs.org/react-is/-/react-is-18.3.1.tgz", + "integrity": "sha512-/LLMVyas0ljjAtoYiPqYiL8VWXzUUdThrmU5+n20DZv+a+ClRoevUzw5JxU+Ieh5/c87ytoTBV9G1FiKfNJdmg==", + "dev": true, + "license": "MIT" + }, + "node_modules/readdirp": { + "version": "3.6.0", + "resolved": "https://registry.npmjs.org/readdirp/-/readdirp-3.6.0.tgz", + "integrity": "sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA==", + "dev": true, + "license": "MIT", + "dependencies": { + "picomatch": "^2.2.1" + }, + "engines": { + "node": ">=8.10.0" + } + }, + "node_modules/require-directory": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/require-directory/-/require-directory-2.1.1.tgz", + "integrity": "sha512-fGxEI7+wsG9xrvdjsrlmL22OMTTiHRwAMroiEeMgq8gzoLC/PQr7RsRDSTLUg/bZAZtF+TVIkHc6/4RIKrui+Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/resolve-cwd": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/resolve-cwd/-/resolve-cwd-3.0.0.tgz", + "integrity": "sha512-OrZaX2Mb+rJCpH/6CpSqt9xFVpN++x01XnN2ie9g6P5/3xelLAkXWVADpdz1IHD/KFfEXyE6V0U01OQ3UO2rEg==", + "dev": true, + "license": "MIT", + "dependencies": { + "resolve-from": "^5.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/resolve-from": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-5.0.0.tgz", + "integrity": "sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/rndm": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/rndm/-/rndm-1.2.0.tgz", + "integrity": "sha512-fJhQQI5tLrQvYIYFpOnFinzv9dwmR7hRnUz1XqP3OJ1jIweTNOd6aTO4jwQSgcBSFUB+/KHJxuGneime+FdzOw==", + "license": "MIT" + }, + "node_modules/router": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/router/-/router-2.2.0.tgz", + "integrity": "sha512-nLTrUKm2UyiL7rlhapu/Zl45FwNgkZGaCpZbIHajDYgwlJCOzLSk+cIPAnsEqV955GjILJnKbdQC1nVPz+gAYQ==", + "license": "MIT", + "dependencies": { + "debug": "^4.4.0", + "depd": "^2.0.0", + "is-promise": "^4.0.0", + "parseurl": "^1.3.3", + "path-to-regexp": "^8.0.0" + }, + "engines": { + "node": ">= 18" + } + }, + "node_modules/safe-buffer": { + "version": "5.2.1", + "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.2.1.tgz", + "integrity": "sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==", + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/feross" + }, + { + "type": "patreon", + "url": "https://www.patreon.com/feross" + }, + { + "type": "consulting", + "url": "https://feross.org/support" + } + ], + "license": "MIT" + }, + "node_modules/safer-buffer": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/safer-buffer/-/safer-buffer-2.1.2.tgz", + "integrity": "sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==", + "license": "MIT" + }, + "node_modules/semver": { + "version": "7.7.2", + "resolved": "https://registry.npmjs.org/semver/-/semver-7.7.2.tgz", + "integrity": "sha512-RF0Fw+rO5AMf9MAyaRXI4AV0Ulj5lMHqVxxdSgiVbixSCXoEmmX/jk0CuJw4+3SqroYO9VoUh+HcuJivvtJemA==", + "license": "ISC", + "bin": { + "semver": "bin/semver.js" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/send": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/send/-/send-1.2.0.tgz", + "integrity": "sha512-uaW0WwXKpL9blXE2o0bRhoL2EGXIrZxQ2ZQ4mgcfoBxdFmQold+qWsD2jLrfZ0trjKL6vOw0j//eAwcALFjKSw==", + "license": "MIT", + "dependencies": { + "debug": "^4.3.5", + "encodeurl": "^2.0.0", + "escape-html": "^1.0.3", + "etag": "^1.8.1", + "fresh": "^2.0.0", + "http-errors": "^2.0.0", + "mime-types": "^3.0.1", + "ms": "^2.1.3", + "on-finished": "^2.4.1", + "range-parser": "^1.2.1", + "statuses": "^2.0.1" + }, + "engines": { + "node": ">= 18" + } + }, + "node_modules/serve-static": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/serve-static/-/serve-static-2.2.0.tgz", + "integrity": "sha512-61g9pCh0Vnh7IutZjtLGGpTA355+OPn2TyDv/6ivP2h/AdAVX9azsoxmg2/M6nZeQZNYBEwIcsne1mJd9oQItQ==", + "license": "MIT", + "dependencies": { + "encodeurl": "^2.0.0", + "escape-html": "^1.0.3", + "parseurl": "^1.3.3", + "send": "^1.2.0" + }, + "engines": { + "node": ">= 18" + } + }, + "node_modules/setprototypeof": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/setprototypeof/-/setprototypeof-1.2.0.tgz", + "integrity": "sha512-E5LDX7Wrp85Kil5bhZv46j8jOeboKq5JMmYM3gVGdGH8xFpPWXUMsNrlODCrkoxMEeNi/XZIwuRvY4XNwYMJpw==", + "license": "ISC" + }, + "node_modules/shebang-command": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/shebang-command/-/shebang-command-2.0.0.tgz", + "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==", + "dev": true, + "license": "MIT", + "dependencies": { + "shebang-regex": "^3.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/shebang-regex": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/shebang-regex/-/shebang-regex-3.0.0.tgz", + "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/side-channel": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/side-channel/-/side-channel-1.1.0.tgz", + "integrity": "sha512-ZX99e6tRweoUXqR+VBrslhda51Nh5MTQwou5tnUDgbtyM0dBgmhEDtWGP/xbKn6hqfPRHujUNwz5fy/wbbhnpw==", + "license": "MIT", + "dependencies": { + "es-errors": "^1.3.0", + "object-inspect": "^1.13.3", + "side-channel-list": "^1.0.0", + "side-channel-map": "^1.0.1", + "side-channel-weakmap": "^1.0.2" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/side-channel-list": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/side-channel-list/-/side-channel-list-1.0.0.tgz", + "integrity": "sha512-FCLHtRD/gnpCiCHEiJLOwdmFP+wzCmDEkc9y7NsYxeF4u7Btsn1ZuwgwJGxImImHicJArLP4R0yX4c2KCrMrTA==", + "license": "MIT", + "dependencies": { + "es-errors": "^1.3.0", + "object-inspect": "^1.13.3" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/side-channel-map": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/side-channel-map/-/side-channel-map-1.0.1.tgz", + "integrity": "sha512-VCjCNfgMsby3tTdo02nbjtM/ewra6jPHmpThenkTYh8pG9ucZ/1P8So4u4FGBek/BjpOVsDCMoLA/iuBKIFXRA==", + "license": "MIT", + "dependencies": { + "call-bound": "^1.0.2", + "es-errors": "^1.3.0", + "get-intrinsic": "^1.2.5", + "object-inspect": "^1.13.3" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/side-channel-weakmap": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/side-channel-weakmap/-/side-channel-weakmap-1.0.2.tgz", + "integrity": "sha512-WPS/HvHQTYnHisLo9McqBHOJk2FkHO/tlpvldyrnem4aeQp4hai3gythswg6p01oSoTl58rcpiFAjF2br2Ak2A==", + "license": "MIT", + "dependencies": { + "call-bound": "^1.0.2", + "es-errors": "^1.3.0", + "get-intrinsic": "^1.2.5", + "object-inspect": "^1.13.3", + "side-channel-map": "^1.0.1" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/signal-exit": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/signal-exit/-/signal-exit-4.1.0.tgz", + "integrity": "sha512-bzyZ1e88w9O1iNJbKnOlvYTrWPDl46O1bG0D3XInv+9tkPrxrN8jUUTiFlDkkmKWgn1M6CfIA13SuGqOa9Korw==", + "dev": true, + "license": "ISC", + "engines": { + "node": ">=14" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/simple-update-notifier": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/simple-update-notifier/-/simple-update-notifier-2.0.0.tgz", + "integrity": "sha512-a2B9Y0KlNXl9u/vsW6sTIu9vGEpfKu2wRV6l1H3XEas/0gUIzGzBoP/IouTcUQbm9JWZLH3COxyn03TYlFax6w==", + "dev": true, + "license": "MIT", + "dependencies": { + "semver": "^7.5.3" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/slash": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/slash/-/slash-3.0.0.tgz", + "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/source-map": { + "version": "0.6.1", + "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.6.1.tgz", + "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==", + "dev": true, + "license": "BSD-3-Clause", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/source-map-support": { + "version": "0.5.13", + "resolved": "https://registry.npmjs.org/source-map-support/-/source-map-support-0.5.13.tgz", + "integrity": "sha512-SHSKFHadjVA5oR4PPqhtAVdcBWwRYVd6g6cAXnIbRiIwc2EhPrTuKUBdSLvlEKyIP3GCf89fltvcZiP9MMFA1w==", + "dev": true, + "license": "MIT", + "dependencies": { + "buffer-from": "^1.0.0", + "source-map": "^0.6.0" + } + }, + "node_modules/sprintf-js": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/sprintf-js/-/sprintf-js-1.0.3.tgz", + "integrity": "sha512-D9cPgkvLlV3t3IzL0D0YLvGA9Ahk4PcvVwUbN0dSGr1aP0Nrt4AEnTUbuGvquEC0mA64Gqt1fzirlRs5ibXx8g==", + "dev": true, + "license": "BSD-3-Clause" + }, + "node_modules/stack-utils": { + "version": "2.0.6", + "resolved": "https://registry.npmjs.org/stack-utils/-/stack-utils-2.0.6.tgz", + "integrity": "sha512-XlkWvfIm6RmsWtNJx+uqtKLS8eqFbxUg0ZzLXqY0caEy9l7hruX8IpiDnjsLavoBgqCCR71TqWO8MaXYheJ3RQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "escape-string-regexp": "^2.0.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/statuses": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/statuses/-/statuses-2.0.2.tgz", + "integrity": "sha512-DvEy55V3DB7uknRo+4iOGT5fP1slR8wQohVdknigZPMpMstaKJQWhwiYBACJE3Ul2pTnATihhBYnRhZQHGBiRw==", + "license": "MIT", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/string-length": { + "version": "4.0.2", + "resolved": "https://registry.npmjs.org/string-length/-/string-length-4.0.2.tgz", + "integrity": "sha512-+l6rNN5fYHNhZZy41RXsYptCjA2Igmq4EG7kZAYFQI1E1VTXarr6ZPXBg6eq7Y6eK4FEhY6AJlyuFIb/v/S0VQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "char-regex": "^1.0.2", + "strip-ansi": "^6.0.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/string-length/node_modules/ansi-regex": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", + "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/string-length/node_modules/strip-ansi": { + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", + "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-regex": "^5.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/string-width": { + "version": "5.1.2", + "resolved": "https://registry.npmjs.org/string-width/-/string-width-5.1.2.tgz", + "integrity": "sha512-HnLOCR3vjcY8beoNLtcjZ5/nxn2afmME6lhrDrebokqMap+XbeW8n9TXpPDOqdGK5qcI3oT0GKTW6wC7EMiVqA==", + "dev": true, + "license": "MIT", + "dependencies": { + "eastasianwidth": "^0.2.0", + "emoji-regex": "^9.2.2", + "strip-ansi": "^7.0.1" + }, + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/string-width-cjs": { + "name": "string-width", + "version": "4.2.3", + "resolved": "https://registry.npmjs.org/string-width/-/string-width-4.2.3.tgz", + "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", + "dev": true, + "license": "MIT", + "dependencies": { + "emoji-regex": "^8.0.0", + "is-fullwidth-code-point": "^3.0.0", + "strip-ansi": "^6.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/string-width-cjs/node_modules/ansi-regex": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", + "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/string-width-cjs/node_modules/emoji-regex": { + "version": "8.0.0", + "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-8.0.0.tgz", + "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", + "dev": true, + "license": "MIT" + }, + "node_modules/string-width-cjs/node_modules/strip-ansi": { + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", + "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-regex": "^5.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/strip-ansi": { + "version": "7.1.0", + "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-7.1.0.tgz", + "integrity": "sha512-iq6eVVI64nQQTRYq2KtEg2d2uU7LElhTJwsH4YzIHZshxlgZms/wIc4VoDQTlG/IvVIrBKG06CrZnp0qv7hkcQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-regex": "^6.0.1" + }, + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/chalk/strip-ansi?sponsor=1" + } + }, + "node_modules/strip-ansi-cjs": { + "name": "strip-ansi", + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", + "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-regex": "^5.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/strip-ansi-cjs/node_modules/ansi-regex": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", + "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/strip-bom": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/strip-bom/-/strip-bom-4.0.0.tgz", + "integrity": "sha512-3xurFv5tEgii33Zi8Jtp55wEIILR9eh34FAW00PZf+JnSsTmV/ioewSgQl97JHvgjoRGwPShsWm+IdrxB35d0w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/strip-final-newline": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/strip-final-newline/-/strip-final-newline-2.0.0.tgz", + "integrity": "sha512-BrpvfNAE3dcvq7ll3xVumzjKjZQ5tI1sEUIKr3Uoks0XUl45St3FlatVqef9prk4jRDzhW6WZg+3bk93y6pLjA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/strip-json-comments": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/strip-json-comments/-/strip-json-comments-3.1.1.tgz", + "integrity": "sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/supports-color": { + "version": "5.5.0", + "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-5.5.0.tgz", + "integrity": "sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==", + "dev": true, + "license": "MIT", + "dependencies": { + "has-flag": "^3.0.0" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/synckit": { + "version": "0.11.8", + "resolved": "https://registry.npmjs.org/synckit/-/synckit-0.11.8.tgz", + "integrity": "sha512-+XZ+r1XGIJGeQk3VvXhT6xx/VpbHsRzsTkGgF6E5RX9TTXD0118l87puaEBZ566FhqblC6U0d4XnubznJDm30A==", + "dev": true, + "license": "MIT", + "dependencies": { + "@pkgr/core": "^0.2.4" + }, + "engines": { + "node": "^14.18.0 || >=16.0.0" + }, + "funding": { + "url": "https://opencollective.com/synckit" + } + }, + "node_modules/test-exclude": { + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/test-exclude/-/test-exclude-6.0.0.tgz", + "integrity": "sha512-cAGWPIyOHU6zlmg88jwm7VRyXnMN7iV68OGAbYDk/Mh/xC/pzVPlQtY6ngoIH/5/tciuhGfvESU8GrHrcxD56w==", + "dev": true, + "license": "ISC", + "dependencies": { + "@istanbuljs/schema": "^0.1.2", + "glob": "^7.1.4", + "minimatch": "^3.0.4" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/test-exclude/node_modules/glob": { + "version": "7.2.3", + "resolved": "https://registry.npmjs.org/glob/-/glob-7.2.3.tgz", + "integrity": "sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==", + "deprecated": "Glob versions prior to v9 are no longer supported", + "dev": true, + "license": "ISC", + "dependencies": { + "fs.realpath": "^1.0.0", + "inflight": "^1.0.4", + "inherits": "2", + "minimatch": "^3.1.1", + "once": "^1.3.0", + "path-is-absolute": "^1.0.0" + }, + "engines": { + "node": "*" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/tmpl": { + "version": "1.0.5", + "resolved": "https://registry.npmjs.org/tmpl/-/tmpl-1.0.5.tgz", + "integrity": "sha512-3f0uOEAQwIqGuWW2MVzYg8fV/QNnc/IpuJNG837rLuczAaLVHslWHZQj4IGiEl5Hs3kkbhwL9Ab7Hrsmuj+Smw==", + "dev": true, + "license": "BSD-3-Clause" + }, + "node_modules/to-regex-range": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/to-regex-range/-/to-regex-range-5.0.1.tgz", + "integrity": "sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-number": "^7.0.0" + }, + "engines": { + "node": ">=8.0" + } + }, + "node_modules/toidentifier": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/toidentifier/-/toidentifier-1.0.1.tgz", + "integrity": "sha512-o5sSPKEkg/DIQNmH43V0/uerLrpzVedkUh8tGNvaeXpfpuwjKenlSox/2O/BTlZUtEe+JG7s5YhEz608PlAHRA==", + "license": "MIT", + "engines": { + "node": ">=0.6" + } + }, + "node_modules/touch": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/touch/-/touch-3.1.1.tgz", + "integrity": "sha512-r0eojU4bI8MnHr8c5bNo7lJDdI2qXlWWJk6a9EAFG7vbhTjElYhBVS3/miuE0uOuoLdb8Mc/rVfsmm6eo5o9GA==", + "dev": true, + "license": "ISC", + "bin": { + "nodetouch": "bin/nodetouch.js" + } + }, + "node_modules/ts-jest": { + "version": "29.4.0", + "resolved": "https://registry.npmjs.org/ts-jest/-/ts-jest-29.4.0.tgz", + "integrity": "sha512-d423TJMnJGu80/eSgfQ5w/R+0zFJvdtTxwtF9KzFFunOpSeD+79lHJQIiAhluJoyGRbvj9NZJsl9WjCUo0ND7Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "bs-logger": "^0.2.6", + "ejs": "^3.1.10", + "fast-json-stable-stringify": "^2.1.0", + "json5": "^2.2.3", + "lodash.memoize": "^4.1.2", + "make-error": "^1.3.6", + "semver": "^7.7.2", + "type-fest": "^4.41.0", + "yargs-parser": "^21.1.1" + }, + "bin": { + "ts-jest": "cli.js" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || ^18.0.0 || >=20.0.0" + }, + "peerDependencies": { + "@babel/core": ">=7.0.0-beta.0 <8", + "@jest/transform": "^29.0.0 || ^30.0.0", + "@jest/types": "^29.0.0 || ^30.0.0", + "babel-jest": "^29.0.0 || ^30.0.0", + "jest": "^29.0.0 || ^30.0.0", + "jest-util": "^29.0.0 || ^30.0.0", + "typescript": ">=4.3 <6" + }, + "peerDependenciesMeta": { + "@babel/core": { + "optional": true + }, + "@jest/transform": { + "optional": true + }, + "@jest/types": { + "optional": true + }, + "babel-jest": { + "optional": true + }, + "esbuild": { + "optional": true + }, + "jest-util": { + "optional": true + } + } + }, + "node_modules/ts-jest/node_modules/type-fest": { + "version": "4.41.0", + "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-4.41.0.tgz", + "integrity": "sha512-TeTSQ6H5YHvpqVwBRcnLDCBnDOHWYu7IvGbHT6N8AOymcr9PJGjc1GTtiWZTYg0NCgYwvnYWEkVChQAr9bjfwA==", + "dev": true, + "license": "(MIT OR CC0-1.0)", + "engines": { + "node": ">=16" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/tslib": { + "version": "2.8.1", + "resolved": "https://registry.npmjs.org/tslib/-/tslib-2.8.1.tgz", + "integrity": "sha512-oJFu94HQb+KVduSUQL7wnpmqnfmLsOA/nAh6b6EH0wCEoK0/mPeXU6c3wKDV83MkOuHPRHtSXKKU99IBazS/2w==", + "dev": true, + "license": "0BSD", + "optional": true + }, + "node_modules/tsscmp": { + "version": "1.0.6", + "resolved": "https://registry.npmjs.org/tsscmp/-/tsscmp-1.0.6.tgz", + "integrity": "sha512-LxhtAkPDTkVCMQjt2h6eBVY28KCjikZqZfMcC15YBeNjkgUpdCfBu5HoiOTDu86v6smE8yOjyEktJ8hlbANHQA==", + "license": "MIT", + "engines": { + "node": ">=0.6.x" + } + }, + "node_modules/type-detect": { + "version": "4.0.8", + "resolved": "https://registry.npmjs.org/type-detect/-/type-detect-4.0.8.tgz", + "integrity": "sha512-0fr/mIH1dlO+x7TlcMy+bIDqKPsw/70tVyeHW787goQjhmqaZe10uwLujubK9q9Lg6Fiho1KUKDYz0Z7k7g5/g==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=4" + } + }, + "node_modules/type-fest": { + "version": "0.21.3", + "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-0.21.3.tgz", + "integrity": "sha512-t0rzBq87m3fVcduHDUFhKmyyX+9eo6WQjZvf51Ea/M0Q7+T374Jp1aUiyUl0GKxp8M/OETVHSDvmkyPgvX+X2w==", + "dev": true, + "license": "(MIT OR CC0-1.0)", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/type-is": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/type-is/-/type-is-2.0.1.tgz", + "integrity": "sha512-OZs6gsjF4vMp32qrCbiVSkrFmXtG/AZhY3t0iAMrMBiAZyV9oALtXO8hsrHbMXF9x6L3grlFuwW2oAz7cav+Gw==", + "license": "MIT", + "dependencies": { + "content-type": "^1.0.5", + "media-typer": "^1.1.0", + "mime-types": "^3.0.0" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/typescript": { + "version": "5.8.3", + "resolved": "https://registry.npmjs.org/typescript/-/typescript-5.8.3.tgz", + "integrity": "sha512-p1diW6TqL9L07nNxvRMM7hMMw4c5XOo/1ibL4aAIGmSAt9slTE1Xgw5KWuof2uTOvCg9BY7ZRi+GaF+7sfgPeQ==", + "dev": true, + "license": "Apache-2.0", + "bin": { + "tsc": "bin/tsc", + "tsserver": "bin/tsserver" + }, + "engines": { + "node": ">=14.17" + } + }, + "node_modules/uid-safe": { + "version": "2.1.5", + "resolved": "https://registry.npmjs.org/uid-safe/-/uid-safe-2.1.5.tgz", + "integrity": "sha512-KPHm4VL5dDXKz01UuEd88Df+KzynaohSL9fBh096KWAxSKZQDI2uBrVqtvRM4rwrIrRRKsdLNML/lnaaVSRioA==", + "license": "MIT", + "dependencies": { + "random-bytes": "~1.0.0" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/undefsafe": { + "version": "2.0.5", + "resolved": "https://registry.npmjs.org/undefsafe/-/undefsafe-2.0.5.tgz", + "integrity": "sha512-WxONCrssBM8TSPRqN5EmsjVrsv4A8X12J4ArBiiayv3DyyG3ZlIg6yysuuSYdZsVz3TKcTg2fd//Ujd4CHV1iA==", + "dev": true, + "license": "MIT" + }, + "node_modules/undici-types": { + "version": "7.8.0", + "resolved": "https://registry.npmjs.org/undici-types/-/undici-types-7.8.0.tgz", + "integrity": "sha512-9UJ2xGDvQ43tYyVMpuHlsgApydB8ZKfVYTsLDhXkFL/6gfkp+U8xTGdh8pMJv1SpZna0zxG1DwsKZsreLbXBxw==", + "license": "MIT" + }, + "node_modules/unpipe": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/unpipe/-/unpipe-1.0.0.tgz", + "integrity": "sha512-pjy2bYhSsufwWlKwPc+l3cN7+wuJlK6uz0YdJEOlQDbl6jo/YlPi4mb8agUkVC8BF7V8NuzeyPNqRksA3hztKQ==", + "license": "MIT", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/unrs-resolver": { + "version": "1.9.2", + "resolved": "https://registry.npmjs.org/unrs-resolver/-/unrs-resolver-1.9.2.tgz", + "integrity": "sha512-VUyWiTNQD7itdiMuJy+EuLEErLj3uwX/EpHQF8EOf33Dq3Ju6VW1GXm+swk6+1h7a49uv9fKZ+dft9jU7esdLA==", + "dev": true, + "hasInstallScript": true, + "license": "MIT", + "dependencies": { + "napi-postinstall": "^0.2.4" + }, + "funding": { + "url": "https://opencollective.com/unrs-resolver" + }, + "optionalDependencies": { + "@unrs/resolver-binding-android-arm-eabi": "1.9.2", + "@unrs/resolver-binding-android-arm64": "1.9.2", + "@unrs/resolver-binding-darwin-arm64": "1.9.2", + "@unrs/resolver-binding-darwin-x64": "1.9.2", + "@unrs/resolver-binding-freebsd-x64": "1.9.2", + "@unrs/resolver-binding-linux-arm-gnueabihf": "1.9.2", + "@unrs/resolver-binding-linux-arm-musleabihf": "1.9.2", + "@unrs/resolver-binding-linux-arm64-gnu": "1.9.2", + "@unrs/resolver-binding-linux-arm64-musl": "1.9.2", + "@unrs/resolver-binding-linux-ppc64-gnu": "1.9.2", + "@unrs/resolver-binding-linux-riscv64-gnu": "1.9.2", + "@unrs/resolver-binding-linux-riscv64-musl": "1.9.2", + "@unrs/resolver-binding-linux-s390x-gnu": "1.9.2", + "@unrs/resolver-binding-linux-x64-gnu": "1.9.2", + "@unrs/resolver-binding-linux-x64-musl": "1.9.2", + "@unrs/resolver-binding-wasm32-wasi": "1.9.2", + "@unrs/resolver-binding-win32-arm64-msvc": "1.9.2", + "@unrs/resolver-binding-win32-ia32-msvc": "1.9.2", + "@unrs/resolver-binding-win32-x64-msvc": "1.9.2" + } + }, + "node_modules/update-browserslist-db": { + "version": "1.1.3", + "resolved": "https://registry.npmjs.org/update-browserslist-db/-/update-browserslist-db-1.1.3.tgz", + "integrity": "sha512-UxhIZQ+QInVdunkDAaiazvvT/+fXL5Osr0JZlJulepYu6Jd7qJtDZjlur0emRlT71EN3ScPoE7gvsuIKKNavKw==", + "dev": true, + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/browserslist" + }, + { + "type": "tidelift", + "url": "https://tidelift.com/funding/github/npm/browserslist" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "MIT", + "dependencies": { + "escalade": "^3.2.0", + "picocolors": "^1.1.1" + }, + "bin": { + "update-browserslist-db": "cli.js" + }, + "peerDependencies": { + "browserslist": ">= 4.21.0" + } + }, + "node_modules/v8-to-istanbul": { + "version": "9.3.0", + "resolved": "https://registry.npmjs.org/v8-to-istanbul/-/v8-to-istanbul-9.3.0.tgz", + "integrity": "sha512-kiGUalWN+rgBJ/1OHZsBtU4rXZOfj/7rKQxULKlIzwzQSvMJUUNgPwJEEh7gU6xEVxC0ahoOBvN2YI8GH6FNgA==", + "dev": true, + "license": "ISC", + "dependencies": { + "@jridgewell/trace-mapping": "^0.3.12", + "@types/istanbul-lib-coverage": "^2.0.1", + "convert-source-map": "^2.0.0" + }, + "engines": { + "node": ">=10.12.0" + } + }, + "node_modules/vary": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/vary/-/vary-1.1.2.tgz", + "integrity": "sha512-BNGbWLfd0eUPabhkXUVm0j8uuvREyTh5ovRa/dyow/BqAbZJyC+5fU+IzQOzmAKzYqYRAISoRhdQr3eIZ/PXqg==", + "license": "MIT", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/walker": { + "version": "1.0.8", + "resolved": "https://registry.npmjs.org/walker/-/walker-1.0.8.tgz", + "integrity": "sha512-ts/8E8l5b7kY0vlWLewOkDXMmPdLcVV4GmOQLyxuSswIJsweeFZtAsMF7k1Nszz+TYBQrlYRmzOnr398y1JemQ==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "makeerror": "1.0.12" + } + }, + "node_modules/which": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/which/-/which-2.0.2.tgz", + "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==", + "dev": true, + "license": "ISC", + "dependencies": { + "isexe": "^2.0.0" + }, + "bin": { + "node-which": "bin/node-which" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/wrap-ansi": { + "version": "8.1.0", + "resolved": "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-8.1.0.tgz", + "integrity": "sha512-si7QWI6zUMq56bESFvagtmzMdGOtoxfR+Sez11Mobfc7tm+VkUckk9bW2UeffTGVUbOksxmSw0AA2gs8g71NCQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-styles": "^6.1.0", + "string-width": "^5.0.1", + "strip-ansi": "^7.0.1" + }, + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/chalk/wrap-ansi?sponsor=1" + } + }, + "node_modules/wrap-ansi-cjs": { + "name": "wrap-ansi", + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-7.0.0.tgz", + "integrity": "sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-styles": "^4.0.0", + "string-width": "^4.1.0", + "strip-ansi": "^6.0.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/wrap-ansi?sponsor=1" + } + }, + "node_modules/wrap-ansi-cjs/node_modules/ansi-regex": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", + "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/wrap-ansi-cjs/node_modules/emoji-regex": { + "version": "8.0.0", + "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-8.0.0.tgz", + "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", + "dev": true, + "license": "MIT" + }, + "node_modules/wrap-ansi-cjs/node_modules/string-width": { + "version": "4.2.3", + "resolved": "https://registry.npmjs.org/string-width/-/string-width-4.2.3.tgz", + "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", + "dev": true, + "license": "MIT", + "dependencies": { + "emoji-regex": "^8.0.0", + "is-fullwidth-code-point": "^3.0.0", + "strip-ansi": "^6.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/wrap-ansi-cjs/node_modules/strip-ansi": { + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", + "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-regex": "^5.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/wrap-ansi/node_modules/ansi-styles": { + "version": "6.2.1", + "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-6.2.1.tgz", + "integrity": "sha512-bN798gFfQX+viw3R7yrGWRqnrN2oRkEkUjjl4JNn4E8GxxbjtG3FbrEIIY3l8/hrwUwIeCZvi4QuOTP4MErVug==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/chalk/ansi-styles?sponsor=1" + } + }, + "node_modules/wrappy": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/wrappy/-/wrappy-1.0.2.tgz", + "integrity": "sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==", + "license": "ISC" + }, + "node_modules/write-file-atomic": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/write-file-atomic/-/write-file-atomic-5.0.1.tgz", + "integrity": "sha512-+QU2zd6OTD8XWIJCbffaiQeH9U73qIqafo1x6V1snCWYGJf6cVE0cDR4D8xRzcEnfI21IFrUPzPGtcPf8AC+Rw==", + "dev": true, + "license": "ISC", + "dependencies": { + "imurmurhash": "^0.1.4", + "signal-exit": "^4.0.1" + }, + "engines": { + "node": "^14.17.0 || ^16.13.0 || >=18.0.0" + } + }, + "node_modules/ws": { + "version": "8.18.2", + "resolved": "https://registry.npmjs.org/ws/-/ws-8.18.2.tgz", + "integrity": "sha512-DMricUmwGZUVr++AEAe2uiVM7UoO9MAVZMDu05UQOaUII0lp+zOzLLU4Xqh/JvTqklB1T4uELaaPBKyjE1r4fQ==", + "license": "MIT", + "engines": { + "node": ">=10.0.0" + }, + "peerDependencies": { + "bufferutil": "^4.0.1", + "utf-8-validate": ">=5.0.2" + }, + "peerDependenciesMeta": { + "bufferutil": { + "optional": true + }, + "utf-8-validate": { + "optional": true + } + } + }, + "node_modules/y18n": { + "version": "5.0.8", + "resolved": "https://registry.npmjs.org/y18n/-/y18n-5.0.8.tgz", + "integrity": "sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA==", + "dev": true, + "license": "ISC", + "engines": { + "node": ">=10" + } + }, + "node_modules/yallist": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/yallist/-/yallist-3.1.1.tgz", + "integrity": "sha512-a4UGQaWPH59mOXUYnAG2ewncQS4i4F43Tv3JoAM+s2VDAmS9NsK8GpDMLrCHPksFT7h3K6TOoUNn2pb7RoXx4g==", + "dev": true, + "license": "ISC" + }, + "node_modules/yargs": { + "version": "17.7.2", + "resolved": "https://registry.npmjs.org/yargs/-/yargs-17.7.2.tgz", + "integrity": "sha512-7dSzzRQ++CKnNI/krKnYRV7JKKPUXMEh61soaHKg9mrWEhzFWhFnxPxGl+69cD1Ou63C13NUPCnmIcrvqCuM6w==", + "dev": true, + "license": "MIT", + "dependencies": { + "cliui": "^8.0.1", + "escalade": "^3.1.1", + "get-caller-file": "^2.0.5", + "require-directory": "^2.1.1", + "string-width": "^4.2.3", + "y18n": "^5.0.5", + "yargs-parser": "^21.1.1" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/yargs-parser": { + "version": "21.1.1", + "resolved": "https://registry.npmjs.org/yargs-parser/-/yargs-parser-21.1.1.tgz", + "integrity": "sha512-tVpsJW7DdjecAiFpbIB1e3qxIQsE6NoPc5/eTdrbbIC4h0LVsWhnoa3g+m2HclBIujHzsxZ4VJVA+GUuc2/LBw==", + "dev": true, + "license": "ISC", + "engines": { + "node": ">=12" + } + }, + "node_modules/yargs/node_modules/ansi-regex": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", + "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/yargs/node_modules/emoji-regex": { + "version": "8.0.0", + "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-8.0.0.tgz", + "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", + "dev": true, + "license": "MIT" + }, + "node_modules/yargs/node_modules/string-width": { + "version": "4.2.3", + "resolved": "https://registry.npmjs.org/string-width/-/string-width-4.2.3.tgz", + "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", + "dev": true, + "license": "MIT", + "dependencies": { + "emoji-regex": "^8.0.0", + "is-fullwidth-code-point": "^3.0.0", + "strip-ansi": "^6.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/yargs/node_modules/strip-ansi": { + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", + "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-regex": "^5.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/yocto-queue": { + "version": "0.1.0", + "resolved": "https://registry.npmjs.org/yocto-queue/-/yocto-queue-0.1.0.tgz", + "integrity": "sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + } + } +} diff --git a/package.json b/package.json new file mode 100644 index 0000000..50c7887 --- /dev/null +++ b/package.json @@ -0,0 +1,52 @@ +{ + "name": "app", + "version": "1.0.0", + "description": "key manager", + "main": "dist/main.js", + "scripts": { + "build": "tsc", + "start": "node dist/main.js", + "dev": "tsc -w & nodemon dist/main.js", + "test": "jest", + "test:watch": "jest --watch" + }, + "repository": { + "type": "git", + "url": "git+https://github.com/GuilhermeStrice/key_manager.git" + }, + "keywords": [], + "author": "", + "license": "ISC", + "type": "commonjs", + "bugs": { + "url": "https://github.com/GuilhermeStrice/key_manager/issues" + }, + "homepage": "https://github.com/GuilhermeStrice/key_manager#readme", + "devDependencies": { + "@types/cookie-parser": "^1.4.9", + "@types/csurf": "^1.11.5", + "@types/express": "^5.0.3", + "@types/express-session": "^1.18.2", + "@types/jest": "^30.0.0", + "@types/jsonwebtoken": "^9.0.10", + "@types/node": "^24.0.4", + "@types/ws": "^8.18.1", + "jest": "^30.0.3", + "nodemon": "^3.1.10", + "ts-jest": "^29.4.0", + "typescript": "^5.8.3" + }, + "dependencies": { + "@types/helmet": "^0.0.48", + "cookie-parser": "^1.4.7", + "csurf": "^1.11.0", + "dotenv": "^16.6.0", + "ejs": "^3.1.10", + "express": "^5.1.0", + "express-rate-limit": "^7.5.1", + "express-session": "^1.18.1", + "helmet": "^8.1.0", + "jsonwebtoken": "^9.0.2", + "ws": "^8.18.2" + } +} diff --git a/public/css/admin_styles.css b/public/css/admin_styles.css new file mode 100644 index 0000000..cab9f07 --- /dev/null +++ b/public/css/admin_styles.css @@ -0,0 +1,316 @@ +/* General Body and Container Styles */ +body { + font-family: Arial, Helvetica, sans-serif; + margin: 0; + padding: 0; + background-color: #f4f4f4; + color: #333; + line-height: 1.6; +} + +.container { + width: 90%; + max-width: 1200px; + margin: 20px auto; + background-color: #fff; + padding: 20px; + border-radius: 8px; + box-shadow: 0 0 15px rgba(0, 0, 0, 0.1); +} + +/* Navigation Links */ +.nav-links { + background-color: #e9ecef; + padding: 10px 15px; + margin-bottom: 25px; + border-radius: 5px; + display: flex; + justify-content: space-between; + align-items: center; +} + +.nav-links a { + margin-right: 15px; + text-decoration: none; + color: #007bff; + font-weight: bold; + padding: 5px 0; +} +.nav-links a:hover { + text-decoration: underline; +} +.nav-links .logout-link { /* Specific class for logout if needed for positioning */ + margin-left: auto; /* Pushes logout to the right */ +} + + +/* Headings */ +h1, h2, h3, h4, h5, h6 { + color: #333; + margin-top: 0; + margin-bottom: 0.75em; +} +h1 { font-size: 2em; margin-bottom: 1em; } +h2 { font-size: 1.75em; border-bottom: 1px solid #eee; padding-bottom: 0.3em; margin-top: 1.5em; } +h3 { font-size: 1.5em; margin-top: 1.25em;} + +/* Tables */ +table { + width: 100%; + border-collapse: collapse; + margin-bottom: 25px; +} + +th, td { + padding: 12px 15px; /* Increased padding */ + border: 1px solid #ddd; + text-align: left; + word-break: break-word; /* Keep this for long strings */ +} + +th { + background-color: #f0f0f0; + font-weight: bold; +} + +tbody tr:nth-child(odd) { + background-color: #f9f9f9; /* Subtle striping for readability */ +} +tbody tr:hover { + background-color: #f1f1f1; /* Hover effect for rows */ +} + +/* Actions in tables */ +.actions a, .actions button { + margin-right: 8px; + text-decoration: none; + color: #007bff; + border: none; + background: none; + cursor: pointer; + padding: 5px; + font-size: 0.9em; + display: inline-block; /* Align items better */ + vertical-align: middle; +} +.actions a:hover, .actions button:hover { + text-decoration: underline; +} + +.actions button.delete, +.actions button.reject { + color: #dc3545; +} +.actions button.delete:hover, +.actions button.reject:hover { + color: #a71d2a; +} + +.actions button.approve { + color: #28a745; +} +.actions button.approve:hover { + color: #1c7430; +} + +/* Forms */ +.form-group { + margin-bottom: 20px; +} + +.form-group label { + display: block; + margin-bottom: 8px; /* Increased spacing */ + font-weight: bold; + color: #555; +} + +.form-group input[type="text"], +.form-group input[type="password"], +.form-group input[type="checkbox"], +.form-group textarea, +.form-group select { + width: 100%; /* Full width */ + padding: 10px; + border: 1px solid #ccc; + border-radius: 4px; + box-sizing: border-box; /* Important for width: 100% and padding */ +} +.form-group input[type="checkbox"] { + width: auto; /* Checkboxes shouldn't be full width */ + margin-right: 5px; + vertical-align: middle; +} +.form-group label input[type="checkbox"] { /* For labels wrapping checkboxes */ + margin-right: 8px; +} + + +.form-group textarea { + min-height: 100px; + resize: vertical; /* Allow vertical resize */ +} +.form-group select { + appearance: none; /* Basic reset for select */ + background-image: url('data:image/svg+xml;charset=US-ASCII,%3Csvg%20width%3D%2220%22%20height%3D%2220%22%20xmlns%3D%22http%3A%2F%2Fwww.w3.org%2F2000%2Fsvg%22%3E%3Cpath%20d%3D%22M5%208l5%205%205-5z%22%20fill%3D%22%23555%22%2F%3E%3C%2Fsvg%3E'); + background-repeat: no-repeat; + background-position: right 10px center; + background-size: 12px; + padding-right: 30px; /* Make space for arrow */ +} + +.form-group input[readonly], .form-group textarea[readonly] { + background-color: #e9ecef; + cursor: not-allowed; +} +.form-control-plaintext { /* From Bootstrap for readonly fields that look like text */ + display: block; + width: 100%; + padding-top: .375rem; + padding-bottom: .375rem; + margin-bottom: 0; + line-height: 1.5; + background-color: transparent; + border: solid transparent; + border-width: 1px 0; + box-sizing: border-box; +} + + +/* Buttons */ +.btn { + padding: 10px 18px; /* Slightly adjusted padding */ + background-color: #007bff; + color: white; + border: none; + border-radius: 4px; + cursor: pointer; + text-decoration: none; + display: inline-block; + font-size: 0.95em; + transition: background-color 0.2s ease-in-out; +} +.btn:hover { + background-color: #0056b3; + color: white; /* Ensure text color remains on hover */ + text-decoration: none; +} + +.btn-danger { + background-color: #dc3545; +} +.btn-danger:hover { + background-color: #c82333; +} + +.btn-secondary { + background-color: #6c757d; +} +.btn-secondary:hover { + background-color: #545b62; +} + +.btn-success { /* Added success button style */ + background-color: #28a745; +} +.btn-success:hover { + background-color: #1e7e34; +} + + +/* Alerts */ +.alert { + padding: 15px; /* Increased padding */ + margin-bottom: 20px; + border-radius: 4px; + border: 1px solid transparent; /* Base for border */ + position: relative; +} + +.alert-success { + background-color: #d4edda; + color: #155724; + border-color: #c3e6cb; +} + +.alert-error { + background-color: #f8d7da; + color: #721c24; + border-color: #f5c6cb; +} + +.alert-info { /* Added info alert style */ + background-color: #cce5ff; + color: #004085; + border-color: #b8daff; +} + + +/* Utility Classes */ +.mono { /* For monospace text, like client IDs */ + font-family: 'Courier New', Courier, monospace; + background-color: #e9ecef; + padding: 3px 6px; /* Adjusted padding */ + border-radius: 3px; + font-size: 0.9em; +} + +.small-text { + font-size: 0.85em; + color: #555; +} + +.text-danger { /* For error text not in an alert */ + color: #dc3545; +} + +.text-muted { + color: #6c757d; +} + +.mb-1 { margin-bottom: 0.25rem !important; } +.mb-2 { margin-bottom: 0.5rem !important; } +.mb-3 { margin-bottom: 1rem !important; } +.mt-1 { margin-top: 0.25rem !important; } +.mt-2 { margin-top: 0.5rem !important; } +.mt-3 { margin-top: 1rem !important; } +.ml-1 { margin-left: 0.25rem !important; } +.ml-2 { margin-left: 0.5rem !important; } +.mr-1 { margin-right: 0.25rem !important; } +.mr-2 { margin-right: 0.5rem !important; } + +/* For inline forms like in table actions */ +.form-inline { + display: inline-block; + vertical-align: middle; + margin-right: 5px; /* Add some space between inline forms/buttons */ +} +.form-inline button { + padding: 5px 8px; /* Smaller padding for inline buttons */ +} + +/* Specific section styling */ +.settings-section, .section-divider { + margin-top: 30px; + margin-bottom: 30px; + padding-top: 20px; + border-top: 1px solid #eee; +} +.settings-section h3 { + margin-top: 0; /* Reset top margin for h3 within this section */ +} + +/* Checkbox list styling for group management */ +.checkbox-list div { + margin-bottom: 8px; +} +.checkbox-list label { /* Target labels next to checkboxes */ + font-weight: normal; /* Override bold from .form-group label */ + margin-left: 5px; +} + +hr { + margin: 30px 0; + border: 0; + border-top: 1px solid #eee; +} diff --git a/src/http/httpServer.ts b/src/http/httpServer.ts new file mode 100644 index 0000000..0dd6d74 --- /dev/null +++ b/src/http/httpServer.ts @@ -0,0 +1,969 @@ +// HTTP server and admin UI logic +import express from 'express'; +import rateLimit from 'express-rate-limit'; +import path from 'path'; +import helmet from 'helmet'; // Security headers +import jwt from 'jsonwebtoken'; // Added for JWT +import cookieParser from 'cookie-parser'; // Added for cookie parsing +import session from 'express-session'; // For CSRF +import csrf from 'csurf'; // For CSRF +import crypto from 'crypto'; // For generating temporary session secret +import * as DataManager from '../lib/dataManager'; // Import DataManager functions +import { + createSecretGroup, + getAllSecretGroups, + getSecretGroupById, + renameSecretGroup, + deleteSecretGroup, + createSecretInGroup, + updateSecretValue, + deleteSecret, + getSecretWithValue +} from '../lib/dataManager'; // Specific imports for Phase 1 +import { notifyClientStatusUpdate } from '../websocket/wsServer'; // Import notification function +import { getConfig, updateAutoApproveSetting } from '../lib/configManager'; // Import configManager functions + +// This is a very basic way to hold the password for the session. +// In a more complex app, this would be handled more securely, perhaps not stored directly. +let serverAdminPasswordSingleton: string | null = null; + +// Global flag for WebSocket auto-approval is now managed by configManager +// export let autoApproveWebSocketRegistrations: boolean = false; + +// JWT_SECRET is now managed by configManager +// const JWT_SECRET = process.env.JWT_SECRET || 'DEFAULT_FALLBACK_SECRET_DO_NOT_USE_IN_PROD'; +// if (JWT_SECRET === 'DEFAULT_FALLBACK_SECRET_DO_NOT_USE_IN_PROD' && getConfig().jwtSecret === 'DEFAULT_FALLBACK_SECRET_DO_NOT_USE_IN_PROD') { + // Warning is handled by configManager +// } +const ADMIN_COOKIE_NAME = 'admin_token'; + + +export function startHttpServer(port: number, serverAdminPassword?: string) { + const app = express(); + + // Use Helmet for basic security headers + app.use(helmet()); + + // Rate Limiting + // General limiter for most admin routes + const adminApiLimiter = rateLimit({ + windowMs: 15 * 60 * 1000, // 15 minutes + max: 100, // Limit each IP to 100 requests per windowMs + standardHeaders: true, // Return rate limit info in the `RateLimit-*` headers + legacyHeaders: false, // Disable the `X-RateLimit-*` headers + message: 'Too many requests from this IP, please try again after 15 minutes.', + }); + + // Stricter limiter for login attempts + const loginLimiter = rateLimit({ + windowMs: 60 * 60 * 1000, // 1 hour + max: 5, // Limit each IP to 5 login attempts per windowMs + standardHeaders: true, + legacyHeaders: false, + message: 'Too many login attempts from this IP, please try again after an hour.', + skipSuccessfulRequests: true, // Do not count successful logins towards the limit + }); + + // Apply general limiter to all /admin routes, except login page GET + // Specific routes like login POST will have their own stricter limiter. + app.use('/admin', (req, res, next) => { + // Skip general rate limiter for GET /admin/login to allow page rendering + if (req.path === '/login' && req.method === 'GET') { + return next(); + } + adminApiLimiter(req, res, next); + }); + + + // Setup EJS as the templating engine + app.set('view engine', 'ejs'); + // Point Express to the `views` directory. __dirname is src/http, so ../../views + app.set('views', path.join(__dirname, '../../views')); + + + if (serverAdminPassword) { + serverAdminPasswordSingleton = serverAdminPassword; + } + + // Middleware for parsing URL-encoded data (for form submissions) + app.use(express.urlencoded({ extended: true })); + // Middleware for parsing JSON bodies + app.use(express.json()); + // Middleware for parsing cookies + app.use(cookieParser()); + + // Middleware for serving static files (e.g., CSS, client-side JS) + // __dirname is src/http, so ../../public points to the project's public directory + app.use(express.static(path.join(__dirname, '../../public'))); + + // Session middleware configuration (needed for csurf) + // IMPORTANT: Use a strong, unique secret from environment variables in production + const sessionSecret = process.env.SESSION_SECRET || crypto.randomBytes(32).toString('hex'); + if (sessionSecret === crypto.randomBytes(32).toString('hex') && process.env.NODE_ENV !== 'test') { // Crude check if it's a temp secret + console.warn('WARNING: Using a temporary session secret. Set SESSION_SECRET in your environment for production.'); + } + app.use(session({ + secret: sessionSecret, + resave: false, + saveUninitialized: true, // Typically true for csurf if session is not otherwise established + cookie: { + secure: process.env.NODE_ENV === 'production', // Use secure cookies in production + httpOnly: true, // Helps prevent XSS + sameSite: 'lax' // Good default for CSRF protection balance + } + })); + + // CSRF protection middleware + // This should be after session and cookieParser + // All non-GET requests to protected routes will need a CSRF token + const csrfProtection = csrf({ cookie: false }); // Using session-based storage for CSRF secret + // We will apply csrfProtection selectively or globally before routes that need it. + // For admin panel, most POST routes will need it. Login POST might be an exception if handled before session. + // For now, we will apply it to specific routes that render forms. + // Note: The login page itself (GET /admin/login) does not need CSRF protection on its GET request, + // as it doesn't contain forms that would be submitted with a CSRF token from *that* page load. + // The POST /admin/login is also special as it establishes auth; CSRF is more for actions taken *after* auth. + // However, if we decide to protect POST /admin/login, its GET handler would need to provide a token. + // For now, focusing on authenticated admin actions. + + // Simple password protection for all /admin routes + // TODO: Implement proper session-based authentication for the admin panel + const adminAuth = (req: express.Request, res: express.Response, next: express.NextFunction): any => { // Added : any + // Allow access to login page (GET and POST) without further checks here + if (req.path === '/admin/login') { + return next(); + } + + if (!serverAdminPasswordSingleton) { + console.warn('Admin password not set for HTTP server. Admin routes will be inaccessible.'); + return res.status(500).send('Admin interface not configured.'); + } + + // 1. Check for JWT in cookie for all other /admin routes + const tokenCookie = req.cookies[ADMIN_COOKIE_NAME]; + if (tokenCookie) { + try { + jwt.verify(tokenCookie, getConfig().jwtSecret); // Throws error if invalid + // Optional: req.user = decoded; + return next(); // Valid JWT cookie, allow access + } catch (err: any) { // Type err as any to allow accessing err.message + // console.warn is kept as it's useful for ops, but detailed trace logs removed + console.warn('Invalid JWT cookie:', err.message); + res.clearCookie(ADMIN_COOKIE_NAME, { path: '/admin' }); // Clear bad cookie + return res.status(401).redirect('/admin/login'); // Redirect immediately + } + } + + // Bearer token functionality removed. Authentication is cookie-based. + // const authHeader = req.headers.authorization; + // if (authHeader && authHeader.startsWith('Bearer ')) { + // const bearerToken = authHeader.substring(7); + // if (bearerToken === serverAdminPasswordSingleton) { + // return next(); + // } + // } + + // If here, no valid JWT cookie was found (or an invalid one was cleared), + // so redirect to login page. + return res.status(401).redirect('/admin/login'); + }; + + // The adminAuth middleware is applied individually to each protected /admin/* route below, + // except for /admin/login routes themselves which handle their own logic. + + // Apply auth to all /admin routes except potentially the login page itself if handled differently + // app.use('/admin', adminAuth); // This would protect /admin/login too, needs care. + // Let's make specific routes and protect them individually or use a more granular approach. + + app.get('/admin/login', (req, res) => { + // This route is now effectively handled by the adminAuth logic if not authenticated + // but we can provide the form directly if accessed via GET. + res.send(` +

Admin Login

+
+ + + +
+

Hint: Use the server startup password.

+ `); + }); + + app.post('/admin/login', loginLimiter, express.urlencoded({ extended: false }), (req, res) => { + if (req.body.password && req.body.password === serverAdminPasswordSingleton) { + // Generate JWT + const token = jwt.sign({ admin: true, user: 'admin' }, getConfig().jwtSecret, { expiresIn: '1h' }); + // Set cookie options: httpOnly for security, secure in production, path for admin routes + const cookieOptions: express.CookieOptions = { + httpOnly: true, + secure: process.env.NODE_ENV === 'production', + path: '/admin', + sameSite: 'lax' // Recommended for CSRF protection + }; + res.cookie(ADMIN_COOKIE_NAME, token, cookieOptions); + res.redirect('/admin'); // Redirect to admin page + } else { + res.status(401).send('Login failed. Try again'); + } + }); + + // UI: Handle deleting a secret from within a group view + app.post('/admin/groups/:groupId/secrets/:secretKey/delete', adminAuth, csrfProtection, async (req, res) => { + const groupId = parseInt(req.params.groupId, 10); // For redirect + const secretKey = decodeURIComponent(req.params.secretKey); + try { + if (isNaN(groupId)) throw new Error('Invalid group ID for redirect.'); // Should not happen if reached here from valid page + + await deleteSecret(secretKey); // deleteSecret handles removing from group and secrets list + res.redirect(`/admin/groups/${groupId}/secrets?message=Secret+deleted+successfully.&messageType=success`); + } catch (error: any) { + console.error(`Error deleting secret ${secretKey} from group context ${groupId}:`, error); + res.redirect(`/admin/groups/${groupId}/secrets?message=Error+deleting+secret.+Please+check+server+logs.&messageType=error`); + } + }); + + // UI: Show form to edit a secret's value within a group + app.get('/admin/groups/:groupId/secrets/:secretKey/edit', adminAuth, csrfProtection, async (req, res) => { + const groupId = parseInt(req.params.groupId, 10); + const secretKey = decodeURIComponent(req.params.secretKey); // secretKey might have URL encoded chars + + try { + if (isNaN(groupId)) throw new Error('Invalid group ID.'); + + const group = getSecretGroupById(groupId); + if (!group) throw new Error('Group not found.'); + if (!group.keys.includes(secretKey)) throw new Error('Secret not found in this group.'); + + const secretToEdit = getSecretWithValue(secretKey); + if (!secretToEdit) throw new Error('Secret details not found.'); + + // Re-fetch other necessary data for rendering group_secrets.ejs + const secretsInGroup = group.keys.map(key => { + const secretData = getSecretWithValue(key); + return { key, value: secretData?.value }; + }).filter(s => s.value !== undefined); + + res.render('group_secrets', { + group, + secretsInGroup, + message: null, // Or pass from query if needed + csrfToken: req.csrfToken(), + editingSecretKey: secretKey, + secretToEdit: secretToEdit.value + }); + + } catch (error: any) { + console.error(`Error preparing to edit secret ${secretKey} in group ${groupId}:`, error); + res.redirect(`/admin/groups/${groupId}/secrets?message=Error+loading+secret+for+edit.+Please+check+server+logs.&messageType=error`); + } + }); + + // UI: Handle updating a secret's value within a group + app.post('/admin/groups/:groupId/secrets/:secretKey/update', adminAuth, csrfProtection, async (req, res) => { + const groupId = parseInt(req.params.groupId, 10); + const secretKey = decodeURIComponent(req.params.secretKey); + try { + if (isNaN(groupId)) throw new Error('Invalid group ID.'); + + const { secretValue } = req.body; + if (secretValue === undefined) { + throw new Error('Secret value is required.'); + } + + // Optional: Verify secret still belongs to this group before updating if desired, though updateSecretValue only cares about the key. + // const currentSecret = getSecretWithValue(secretKey); + // if (!currentSecret || currentSecret.groupId !== groupId) { + // throw new Error('Secret not found in this group or group association mismatch.'); + // } + + let parsedValue = secretValue; + try { + const trimmedValue = typeof secretValue === 'string' ? secretValue.trim() : secretValue; + if (typeof trimmedValue === 'string' && ((trimmedValue.startsWith('{') && trimmedValue.endsWith('}')) || (trimmedValue.startsWith('[') && trimmedValue.endsWith(']')))) { + parsedValue = JSON.parse(trimmedValue); + } + } catch (e) { /* Not valid JSON, store as string */ } + + await updateSecretValue(secretKey, parsedValue); + res.redirect(`/admin/groups/${groupId}/secrets?message=Secret+value+updated+successfully.&messageType=success`); + } catch (error: any) { + console.error(`Error updating secret ${secretKey} in group ${groupId}:`, error); + res.redirect(`/admin/groups/${groupId}/secrets/${encodeURIComponent(secretKey)}/edit?message=Error+updating+secret.+Please+check+server+logs.&messageType=error`); + } + }); + + // UI: Handle adding a new secret to a specific group + app.post('/admin/groups/:groupId/secrets/add', adminAuth, csrfProtection, async (req, res) => { + const groupId = parseInt(req.params.groupId, 10); + try { + if (isNaN(groupId)) { + throw new Error('Invalid group ID.'); + } + const { secretKey, secretValue } = req.body; + if (!secretKey || typeof secretKey !== 'string' || secretKey.trim() === "" || secretValue === undefined) { + throw new Error('Secret key (non-empty string) and value are required.'); + } + // Attempt to parse JSON if applicable, similar to add-secret logic + let parsedValue = secretValue; + try { + const trimmedValue = typeof secretValue === 'string' ? secretValue.trim() : secretValue; + if (typeof trimmedValue === 'string' && ((trimmedValue.startsWith('{') && trimmedValue.endsWith('}')) || (trimmedValue.startsWith('[') && trimmedValue.endsWith(']')))) { + parsedValue = JSON.parse(trimmedValue); + } + } catch (e) { /* Not valid JSON, store as string if it was a string */ } + + + await createSecretInGroup(groupId, secretKey.trim(), parsedValue); + res.redirect(`/admin/groups/${groupId}/secrets?message=Secret+added+to+group+successfully.&messageType=success`); + } catch (error: any) { + console.error(`Error adding secret to group ${groupId}:`, error); + let userMessage = "Error+adding+secret+to+group.+Please+check+server+logs."; + if (error.message && error.message.includes("already exists")) { + userMessage = "Error+adding+secret+to+group:+A+secret+with+that+key+already+exists."; + } + res.redirect(`/admin/groups/${groupId}/secrets?message=${userMessage}&messageType=error`); + } + }); + + // UI: View/Manage secrets within a specific group + app.get('/admin/groups/:groupId/secrets', adminAuth, csrfProtection, async (req, res) => { + try { + const groupId = parseInt(req.params.groupId, 10); + if (isNaN(groupId)) { + return res.redirect('/admin?message=Invalid+group+ID+format.&messageType=error'); + } + + const group = getSecretGroupById(groupId); + if (!group) { + return res.redirect('/admin?message=Group+not+found.&messageType=error'); + } + + const secretsInGroup = group.keys.map(key => { + const secretData = getSecretWithValue(key); + return { + key, + value: secretData?.value, // Value might be undefined if data is inconsistent + // groupId is known to be 'group.id' for these secrets + }; + }).filter(s => s.value !== undefined); // Filter out any inconsistencies if secret value couldn't be fetched + + const message = req.query.message ? { text: req.query.message as string, type: req.query.messageType as string || 'info' } : null; + + // For now, rendering a new EJS view. Could also be a modified admin.ejs + res.render('group_secrets', { + group, + secretsInGroup, + message, + csrfToken: req.csrfToken(), + editingSecretKey: null, // For edit secret form later + secretToEdit: null // For edit secret form later + }); + + } catch (error: any) { + console.error(`Error viewing secrets for group ${req.params.groupId}:`, error); + res.redirect(`/admin?message=Error+loading+secrets+for+group.+Please+check+server+logs.&messageType=error`); + } + }); + + // UI: Handle the form submission for deleting a group + app.post('/admin/groups/delete/:groupId', adminAuth, csrfProtection, async (req, res) => { + try { + const groupId = parseInt(req.params.groupId, 10); + if (isNaN(groupId)) { + throw new Error('Invalid group ID.'); + } + await deleteSecretGroup(groupId); + res.redirect('/admin?message=Group+and+its+secrets+deleted+successfully.&messageType=success'); + } catch (error: any) { + console.error("Error deleting secret group:", error); + res.redirect(`/admin?message=Error+deleting+group.+Please+check+server+logs.&messageType=error`); + } + }); + + // UI: Show form to edit/rename a group + app.get('/admin/groups/edit/:groupId', adminAuth, csrfProtection, async (req, res) => { + try { + const groupId = parseInt(req.params.groupId, 10); + if (isNaN(groupId)) { + return res.redirect('/admin?message=Invalid+group+ID.&messageType=error'); + } + const groupToEdit = getSecretGroupById(groupId); + if (!groupToEdit) { + return res.redirect('/admin?message=Group+not+found.&messageType=error'); + } + + // Render the main admin page, but provide data to show the edit group form + const allSecretKeysList = DataManager.getAllSecretKeys(); + const secretsWithValueAndGroup = allSecretKeysList.map(key => { + const secretData = DataManager.getSecretWithValue(key); + return { key, value: secretData?.value, groupId: secretData?.groupId }; + }); + const allGroups = getAllSecretGroups(); + const message = req.query.message ? { text: req.query.message as string, type: req.query.messageType as string || 'info' } : null; + + res.render('admin', { + secrets: secretsWithValueAndGroup, + secretGroups: allGroups, + editingGroup: groupToEdit, // Pass the group to be edited + message, + editingItemKey: null, // Not editing a secret key here + itemToEdit: null, // Not editing a secret key value here + csrfToken: req.csrfToken() + }); + } catch (error: any) { + console.error("Error preparing to edit group:", error); + res.redirect(`/admin?message=Error+loading+group+for+edit.+Please+check+server+logs.&messageType=error`); + } + }); + + // UI: Handle the form submission for renaming a group + app.post('/admin/groups/rename/:groupId', adminAuth, csrfProtection, async (req, res) => { + try { + const groupId = parseInt(req.params.groupId, 10); + const { newGroupName } = req.body; + + if (isNaN(groupId)) { + throw new Error('Invalid group ID.'); + } + if (!newGroupName || typeof newGroupName !== 'string' || newGroupName.trim() === "") { + throw new Error('New group name must be a non-empty string.'); + } + await renameSecretGroup(groupId, newGroupName.trim()); + res.redirect('/admin?message=Group+renamed+successfully.&messageType=success'); + } catch (error: any) { + console.error("Error renaming secret group:", error); + const groupIdParam = req.params.groupId || ''; + const redirectPath = groupIdParam ? `/admin/groups/edit/${groupIdParam}` : '/admin'; + let userMessage = "Error+renaming+group.+Please+check+server+logs."; + if (error.message && error.message.includes("already exists")) { + userMessage = "A+group+with+that+name+already+exists."; + } else if (error.message && error.message.includes("not found")) { + userMessage = "Group+not+found+and+could+not+be+renamed."; + } + res.redirect(`${redirectPath}?message=${userMessage}&messageType=error`); + } + }); + + + // Protected admin route + app.get('/admin', adminAuth, csrfProtection, async (req, res) => { // Added csrfProtection + try { + const allSecretKeysList = DataManager.getAllSecretKeys(); // Get all keys + const secretsWithValueAndGroup = allSecretKeysList.map(key => { + const secretData = DataManager.getSecretWithValue(key); // Get { value, groupId } + return { + key, + value: secretData ? secretData.value : undefined, // Handle case where secret might be gone if data is inconsistent + groupId: secretData ? secretData.groupId : undefined + }; + }); + + const secretGroups = DataManager.getAllSecretGroups(); // Fetch all secret groups + + const message = req.query.message ? { text: req.query.message.toString(), type: req.query.messageType?.toString() || 'info' } : null; + + res.render('admin', { + secrets: secretsWithValueAndGroup, // Now includes groupId + secretGroups, // Pass groups to the template + password: '', // EJS links will be updated to not use this + message, + editingItemKey: null, + itemToEdit: null, + csrfToken: req.csrfToken() // Pass CSRF token to template + }); + } catch (error) { + console.error("Error rendering admin page:", error); + res.status(500).send("Error loading admin page."); + } + }); + + // Route to show edit form + app.get('/admin/edit-secret/:key', adminAuth, csrfProtection, async (req, res) => { // Added csrfProtection + try { + const itemKey = decodeURIComponent(req.params.key); + const secretData = DataManager.getSecretWithValue(itemKey); // Get { value, groupId } + + if (!secretData) { + return res.redirect(`/admin?message=Secret+"${itemKey}"+not+found&messageType=error`); + } + + let groupName = 'N/A (Orphaned or Error)'; + if (secretData.groupId) { + const group = DataManager.getSecretGroupById(secretData.groupId); + if (group) { + groupName = group.name; + } else { + console.warn(`Secret "${itemKey}" has groupId ${secretData.groupId}, but group was not found.`); + } + } else { + console.warn(`Secret "${itemKey}" does not have a groupId. This indicates data inconsistency.`); + } + + const itemToEditDetails = { + value: secretData.value, + groupId: secretData.groupId, + groupName: groupName + }; + + // Data for the main admin page (lists of secrets and groups) + const allSecretKeysList = DataManager.getAllSecretKeys(); + const secretsWithValueAndGroup = allSecretKeysList.map(key => { + const sData = DataManager.getSecretWithValue(key); + return { key, value: sData?.value, groupId: sData?.groupId }; + }); + const allGroups = DataManager.getAllSecretGroups(); + + res.render('admin', { + secrets: secretsWithValueAndGroup, + secretGroups: allGroups, + password: '', + message: null, + editingItemKey: itemKey, + itemToEdit: itemToEditDetails, // Pass new structure + csrfToken: req.csrfToken() + }); + } catch (error: any) { + console.error("Error rendering edit page:", error); + res.redirect(`/admin?message=Error+loading+edit+page.+Please+check+server+logs.&messageType=error`); + } + }); + + // Handle Add Secret + app.post('/admin/add-secret', adminAuth, csrfProtection, async (req, res) => { // Added csrfProtection + const { groupId, secretKey, secretValue } = req.body; // Added groupId + // currentPassword from query is removed. Bearer token handles auth. + + const numGroupId = parseInt(groupId, 10); + if (isNaN(numGroupId)) { + return res.redirect(`/admin?message=Error+adding+secret:+Invalid+group+ID.&messageType=error`); + } + + let parsedValue = secretValue; + try { + const trimmedValue = secretValue.trim(); + if ((trimmedValue.startsWith('{') && trimmedValue.endsWith('}')) || (trimmedValue.startsWith('[') && trimmedValue.endsWith(']'))) { + parsedValue = JSON.parse(trimmedValue); + } + } catch (e) { /* Not valid JSON, store as string */ } + + try { + // Validation for secretKey and secretValue now happens within createSecretInGroup or earlier. + // createSecretInGroup will also check for key uniqueness. + // The main check here was for required fields, which is good. + if (!secretKey || typeof secretValue === 'undefined' || !groupId) { // Added groupId check + throw new Error('Group ID, secret key, and value are required.'); + } + // Deprecated: DataManager.setSecretItem(secretKey, parsedValue); + await createSecretInGroup(numGroupId, secretKey, parsedValue); // Use new function + res.redirect(`/admin?message=Secret+added+successfully.&messageType=success`); + } catch (error: any) { + console.error("Error adding secret:", error); + let userMessage = "Error+adding+secret.+Please+check+server+logs."; + if (error.message && error.message.includes("already exists")) { + userMessage = "Error+adding+secret:+A+secret+with+that+key+already+exists."; + } else if (error.message && error.message.includes("Group not found")) { + userMessage = "Error+adding+secret:+The+specified+group+was+not+found."; + } + // Consider preserving form fields on error redirect if desired, by passing them in query + res.redirect(`/admin?message=${userMessage}&messageType=error`); + } + }); + + // Handle Update Secret + app.post('/admin/update-secret', adminAuth, csrfProtection, async (req, res) => { // Added csrfProtection + // Key renaming is disabled for this form. originalKey and secretKey from form should be the same. + const { originalKey, secretKey, secretValue } = req.body; + // currentPassword from query is removed. Bearer token handles auth. + + if (originalKey !== secretKey) { + // This UI path for editing secrets does not support renaming the key itself. + // That would be a more complex operation (check new key conflicts, update group's key list). + // For now, if they differ, it's an error or ignored. + return res.redirect(`/admin/edit-secret/${encodeURIComponent(originalKey)}?message=Error+updating+secret:+Key+renaming+not+supported+via+this+form.&messageType=error`); + } + + let parsedValue = secretValue; + try { + const trimmedValue = secretValue.trim(); + if ((trimmedValue.startsWith('{') && trimmedValue.endsWith('}')) || (trimmedValue.startsWith('[') && trimmedValue.endsWith(']'))) { + parsedValue = JSON.parse(trimmedValue); + } + } catch (e) { /* Store as string if not valid JSON */ } + + try { + // originalKey and secretKey are the same here due to the check above. + if (!originalKey || typeof secretValue === 'undefined') { + throw new Error('Secret key and value are required.'); + } + // The old logic for key renaming (if originalKey !== secretKey) is removed. + // We only update the value. + await updateSecretValue(originalKey, parsedValue); // Use new function + res.redirect(`/admin?message=Secret+value+updated+successfully.&messageType=success`); + } catch (error: any) { + console.error("Error updating secret value:", error); + let userMessage = "Error+updating+secret+value.+Please+check+server+logs."; + if (error.message && error.message.includes("not found")) { + userMessage = "Error+updating+secret:+Secret+not+found."; + } + res.redirect(`/admin/edit-secret/${encodeURIComponent(originalKey)}?message=${userMessage}&messageType=error`); + } + }); + + // Handle Delete Secret + app.post('/admin/delete-secret/:key', adminAuth, csrfProtection, async (req, res) => { // Added csrfProtection + const itemKey = decodeURIComponent(req.params.key); + // currentPassword from query is removed. Bearer token handles auth. + try { + await DataManager.deleteSecretItem(itemKey); // Corrected: deleteSecretItem + res.redirect(`/admin?message=Secret+deleted&messageType=success`); + } catch (error: any) { + console.error("Error deleting secret:", error); + res.redirect(`/admin?message=Error+deleting+secret.+Please+check+server+logs.&messageType=error`); + } + }); + + // --- WebSocket Auto-Approval Setting Routes --- + app.get('/admin/settings/auto-approve-ws-status', adminAuth, (req, res) => { + // This route might still be useful for other API consumers, so it uses getConfig() + res.json({ autoApproveEnabled: getConfig().autoApproveWebSocketRegistrations }); + }); + + app.post('/admin/settings/toggle-auto-approve-ws', adminAuth, csrfProtection, (req, res) => { // Added csrfProtection + // If checkbox is checked, req.body.autoApproveWs will be 'on' (or its 'value' attribute if set). + // If unchecked, autoApproveWs will not be in req.body. + const newAutoApproveState = !!req.body.autoApproveWs; + updateAutoApproveSetting(newAutoApproveState); // Update and save config + console.log(`WebSocket auto-approval toggled to: ${newAutoApproveState}`); + // Instead of JSON, redirect back to the clients page + res.redirect('/admin/clients?message=WebSocket+auto-approval+setting+updated&messageType=success'); + }); + + // --- Client Management Routes --- + + // Note: GET routes for clients already have csrfProtection for token generation + app.get('/admin/clients', adminAuth, csrfProtection, async (req, res) => { + try { + const rawPendingClients = DataManager.getPendingClients(); // synchronous + const rawApprovedClients = DataManager.getApprovedClients(); // synchronous + const allGroups = DataManager.getAllSecretGroups(); // synchronous + + const groupMap = new Map(allGroups.map(g => [g.id, g.name])); + + const enhanceClientWithGroupNames = (client: DataManager.ClientInfo) => ({ + ...client, + associatedGroupNames: client.associatedGroupIds?.map(id => groupMap.get(id) || `ID ${id} (Unknown)`).join(', ') || 'None' + }); + + const pendingClients = rawPendingClients.map(enhanceClientWithGroupNames); + const approvedClients = rawApprovedClients.map(enhanceClientWithGroupNames); + + const message = req.query.message ? { text: req.query.message.toString(), type: req.query.messageType?.toString() || 'info' } : null; + + res.render('clients', { + pendingClients, + approvedClients, + password: '', + message, + managingClientGroups: null, // Changed from managingClientSecrets + autoApproveWsEnabled: getConfig().autoApproveWebSocketRegistrations, + csrfToken: req.csrfToken() + }); + } catch (error: any) { + console.error("Error rendering clients page:", error); + res.status(500).send("Error loading client management page."); + } + }); + + app.post('/admin/clients/approve/:clientId', adminAuth, csrfProtection, async (req, res) => { // Added csrfProtection + const { clientId } = req.params; + // currentPassword from query is removed. + try { + const client = await DataManager.approveClient(clientId); + // authToken is no longer generated or part of ClientInfo + notifyClientStatusUpdate(clientId, 'approved', `Client ${client.name} has been approved by an administrator.`); + res.redirect(`/admin/clients?message=Client+${client.name}+approved.&messageType=success`); + } catch (error: any) { + console.error("Error approving client:", error); // Added console.error for server-side logging + res.redirect(`/admin/clients?message=Error+approving+client.+Please+check+server+logs.&messageType=error`); + } + }); + + app.post('/admin/clients/reject/:clientId', adminAuth, csrfProtection, async (req, res) => { // Added csrfProtection + const { clientId } = req.params; + // currentPassword from query is removed. + try { + const client = await DataManager.rejectClient(clientId); + notifyClientStatusUpdate(clientId, 'rejected', `Client ${client.name} has been rejected by an administrator.`); + res.redirect(`/admin/clients?message=Client+${client.name}+rejected.&messageType=success`); + } catch (error: any) { + console.error("Error rejecting client:", error); // Added console.error for server-side logging + res.redirect(`/admin/clients?message=Error+rejecting+client.+Please+check+server+logs.&messageType=error`); + } + }); + + app.post('/admin/clients/revoke/:clientId', adminAuth, csrfProtection, async (req, res) => { // Added csrfProtection + const { clientId } = req.params; + // currentPassword from query is removed. + try { + // Revoking means deleting the client in this implementation + await DataManager.deleteClient(clientId); + res.redirect(`/admin/clients?message=Client+${clientId}+revoked+(deleted).&messageType=success`); + } catch (error: any) { + console.error("Error revoking client:", error); // Added console.error for server-side logging + res.redirect(`/admin/clients?message=Error+revoking+client.+Please+check+server+logs.&messageType=error`); + } + }); + + // Route to manage a client's associated groups + app.get('/admin/clients/:clientId/groups', adminAuth, csrfProtection, async (req, res) => { + const { clientId } = req.params; + try { + const client = DataManager.getClient(clientId); // getClient is synchronous + if (!client || client.status !== 'approved') { + return res.redirect(`/admin/clients?message=Client+not+found+or+not+approved.&messageType=error`); + } + + const allGroups = DataManager.getAllSecretGroups(); // synchronous + const message = req.query.message ? { text: req.query.message.toString(), type: req.query.messageType?.toString() || 'info' } : null; + + res.render('clients', { + pendingClients: [], + approvedClients: [], + password: '', + message, + managingClientGroups: { // Renamed from managingClientSecrets + client: client, + allGroups: allGroups, // Pass all available groups + // client.associatedGroupIds is already part of the client object + }, + autoApproveWsEnabled: getConfig().autoApproveWebSocketRegistrations, + csrfToken: req.csrfToken() + }); + } catch (error: any) { + console.error("Error loading group management for client:", error); // Added console.error + res.redirect(`/admin/clients?message=Error+loading+group+management+for+client.+Please+check+server+logs.&messageType=error`); + } + }); + + // Route to update a client's associated groups + app.post('/admin/clients/:clientId/groups/update', adminAuth, csrfProtection, async (req, res) => { + const { clientId } = req.params; + let { associatedGroupIds } = req.body; // This will be an array or single string if only one selected + + // Ensure associatedGroupIds is an array of numbers + if (!Array.isArray(associatedGroupIds)) { + associatedGroupIds = associatedGroupIds ? [associatedGroupIds] : []; + } + const groupIdsAsNumbers: number[] = associatedGroupIds.map((id: string | number) => parseInt(id.toString(), 10)).filter((id: number) => !isNaN(id)); + + try { + const client = DataManager.getClient(clientId); // synchronous + if (!client || client.status !== 'approved') { + throw new Error("Client not found or not approved."); + } + + await DataManager.setClientAssociatedGroups(clientId, groupIdsAsNumbers); + + res.redirect(`/admin/clients/${clientId}/groups?message=Client+group+associations+updated.&messageType=success`); + } catch (error: any) { + console.error("Error updating group associations:", error); // Added console.error + res.redirect(`/admin/clients/${clientId}/groups?message=Error+updating+group+associations.+Please+check+server+logs.&messageType=error`); + } + }); + + + app.get('/admin/logout', (req, res) => { // adminAuth not strictly needed if just clearing cookie + res.clearCookie(ADMIN_COOKIE_NAME, { path: '/admin' }); + res.redirect('/admin/login'); + }); + + // Placeholder for other non-admin routes or a root welcome + app.get('/', (req, res) => { + res.send('

Key/Info Manager

This is the public-facing part of the server (if any).

Admin Login

'); + }); + + const server = app.listen(port, () => { + console.log(`HTTP server started on http://localhost:${port}`); + if (!serverAdminPasswordSingleton) { + console.warn("HTTP Server started without an admin password. Admin panel will be inaccessible."); + } else { + console.log("Admin panel access requires the server startup password."); + } + }); + + // CSRF Error Handler + // This must be defined as an error-handling middleware (with 4 arguments) + // and should be placed after all other middleware and routes. + app.use((err: any, req: express.Request, res: express.Response, next: express.NextFunction) => { + if (err.code === 'EBADCSRFTOKEN') { + console.warn(`CSRF token validation failed for request: ${req.method} ${req.path}`); + // Send a user-friendly error page or a simple 403 response + res.status(403).send('Invalid CSRF token. Please refresh the page and try again, or ensure cookies are enabled.'); + } else { + // If it's not a CSRF error, pass it to the next error handler (if any) + // or let Express handle it as a generic server error. + console.error("Unhandled error:", err); // Log other errors for debugging + next(err); + } + }); + + // It's important that the CSRF error handler is added before any generic + // error handler that might catch all errors and send a 500 response without + // checking the error type. If no other generic error handler exists, this is fine. + + // --- Phase 1: API Endpoints for Group and Secret Management (for testing) --- + + // Groups + // API endpoint (already created in Phase 1) + app.post('/admin/api/groups', adminAuth, csrfProtection, async (req, res) => { + try { + const { name } = req.body; + if (!name) { + res.status(400).json({ error: 'Group name is required.' }); + return; + } + const newGroup = await createSecretGroup(name); // Use direct import + res.status(201).json(newGroup); + } catch (error: any) { + res.status(error.message.includes("already exists") ? 409 : 500).json({ error: error.message }); + } + }); + + // UI Form Handler for Creating Groups + app.post('/admin/groups/create', adminAuth, csrfProtection, async (req, res) => { + try { + const { groupName } = req.body; + if (!groupName || typeof groupName !== 'string' || groupName.trim() === "") { + throw new Error('Group name must be a non-empty string.'); + } + await createSecretGroup(groupName.trim()); + res.redirect('/admin?message=Secret+group+created+successfully.&messageType=success'); + } catch (error: any) { + console.error("Error creating secret group:", error); + let userMessage = "Error+creating+secret+group.+Please+check+server+logs."; + if (error.message && error.message.includes("already exists")) { + userMessage = "Error+creating+secret+group:+A+group+with+that+name+already+exists."; + } + res.redirect(`/admin?message=${userMessage}&messageType=error`); + } + }); + + app.get('/admin/api/groups', adminAuth, async (req, res) => { // Should be synchronous based on DataManager + try { + const groups = getAllSecretGroups(); // Use direct import + res.json(groups); + } catch (error: any) { + res.status(500).json({ error: error.message }); + } + }); + + app.get('/admin/api/groups/:groupId', adminAuth, async (req, res) => { // Should be synchronous + try { + const groupId = parseInt(req.params.groupId, 10); + if (isNaN(groupId)) { + res.status(400).json({ error: 'Invalid group ID format.' }); + return; + } + const group = getSecretGroupById(groupId); // Use direct import + if (group) { + res.json(group); + } else { + res.status(404).json({ error: 'Group not found.' }); + } + } catch (error: any) { + res.status(500).json({ error: error.message }); + } + }); + + app.put('/admin/api/groups/:groupId', adminAuth, csrfProtection, async (req, res) => { + try { + const groupId = parseInt(req.params.groupId, 10); + const { name } = req.body; + if (isNaN(groupId)) { + res.status(400).json({ error: 'Invalid group ID format.' }); + return; + } + if (!name) { + res.status(400).json({ error: 'New group name is required.' }); + return; + } + await renameSecretGroup(groupId, name); // Use direct import + res.status(200).json({ message: 'Group renamed successfully.' }); + } catch (error: any) { + res.status(error.message.includes("not found") ? 404 : error.message.includes("already exists") ? 409 : 500).json({ error: error.message }); + } + }); + + app.delete('/admin/api/groups/:groupId', adminAuth, csrfProtection, async (req, res) => { + try { + const groupId = parseInt(req.params.groupId, 10); + if (isNaN(groupId)) { + res.status(400).json({ error: 'Invalid group ID format.' }); + return; + } + await deleteSecretGroup(groupId); // Use direct import + res.status(200).json({ message: 'Group and its secrets deleted successfully.' }); + } catch (error: any) { + res.status(error.message.includes("not found") ? 404 : 500).json({ error: error.message }); + } + }); + + // Secrets (within groups) + app.post('/admin/api/secrets', adminAuth, csrfProtection, async (req, res) => { + try { + const { groupId, key, value } = req.body; + if (typeof groupId !== 'number' || !key || value === undefined) { + res.status(400).json({ error: 'groupId (number), key (string), and value are required.' }); + return; + } + await createSecretInGroup(groupId, key, value); // Use direct import + res.status(201).json({ message: 'Secret created successfully in group.' }); + } catch (error: any) { + res.status(error.message.includes("not found") ? 404 : error.message.includes("already exists") ? 409 : 500).json({ error: error.message }); + } + }); + + app.put('/admin/api/secrets/:key', adminAuth, csrfProtection, async (req, res) => { + try { + const { key } = req.params; + const { value } = req.body; + if (value === undefined) { + res.status(400).json({ error: 'New value is required.' }); + return; + } + await updateSecretValue(key, value); // Use direct import + res.status(200).json({ message: 'Secret value updated successfully.' }); + } catch (error: any) { + res.status(error.message.includes("not found") ? 404 : 500).json({ error: error.message }); + } + }); + + app.delete('/admin/api/secrets/:key', adminAuth, csrfProtection, async (req, res) => { + try { + const { key } = req.params; + await deleteSecret(key); // Use direct import + res.status(200).json({ message: 'Secret deleted successfully.' }); + } catch (error: any) { + // deleteSecret in DataManager currently doesn't throw if key not found, just warns. + // If it were to throw, a 404 check would be good here. + res.status(500).json({ error: error.message }); + } + }); + + app.get('/admin/api/secrets/:key', adminAuth, async (req, res) => { // Should be synchronous + try { + const { key } = req.params; + const secret = getSecretWithValue(key); // Use direct import + if (secret) { + res.json(secret); + } else { + res.status(404).json({ error: 'Secret not found.' }); + } + } catch (error: any) { + res.status(500).json({ error: error.message }); + } + }); + + + return server; // Return the Node.js HTTP server instance +} diff --git a/src/lib/configManager.ts b/src/lib/configManager.ts new file mode 100644 index 0000000..568a2ed --- /dev/null +++ b/src/lib/configManager.ts @@ -0,0 +1,126 @@ +import fs from 'fs'; +import path from 'path'; + +// Use process.cwd() for a path relative to the project root where the script is executed. +const CONFIG_DIR = path.join(process.cwd(), 'data'); +const CONFIG_FILE_PATH = path.join(CONFIG_DIR, 'runtime-config.json'); + +export interface AppConfig { + jwtSecret: string; + autoApproveWebSocketRegistrations: boolean; + httpPort: number; + wsPort: number; + adminPasswordHash?: string; // Optional: if we ever move admin password here + wsAdminPasswordHash?: string; // Optional: if we ever move ws admin password here +} + +const DEFAULT_CONFIG: AppConfig = { + jwtSecret: 'DEFAULT_FALLBACK_SECRET_DO_NOT_USE_IN_PROD', + autoApproveWebSocketRegistrations: false, + httpPort: 3000, + wsPort: 3001, +}; + +let currentConfig: AppConfig; + +function ensureDirExists(dirPath: string) { + if (!fs.existsSync(dirPath)) { + fs.mkdirSync(dirPath, { recursive: true }); + console.log(`Created directory: ${dirPath}`); + } +} + +export function saveConfig(configToSave: AppConfig): void { + ensureDirExists(CONFIG_DIR); + try { + fs.writeFileSync(CONFIG_FILE_PATH, JSON.stringify(configToSave, null, 2)); + console.log(`Configuration saved to ${CONFIG_FILE_PATH}`); + } catch (error) { + console.error(`Error saving configuration to ${CONFIG_FILE_PATH}:`, error); + // Depending on severity, might want to throw or handle differently + } +} + +export function loadConfig(): AppConfig { + ensureDirExists(CONFIG_DIR); + let loadedConfig: Partial = {}; + let needsSave = false; + + try { + if (fs.existsSync(CONFIG_FILE_PATH)) { + const fileContent = fs.readFileSync(CONFIG_FILE_PATH, 'utf-8'); + loadedConfig = JSON.parse(fileContent) as Partial; + } else { + console.log(`Configuration file not found at ${CONFIG_FILE_PATH}. Creating with default values.`); + loadedConfig = {}; // Start fresh to ensure all defaults are applied + needsSave = true; // Mark that we need to save after defaulting + } + } catch (error) { + console.error(`Error reading or parsing configuration file ${CONFIG_FILE_PATH}. Using defaults. Error:`, error); + loadedConfig = {}; // Reset to ensure defaults are applied on error + needsSave = true; // Mark for save if parsing failed + } + + // Merge with defaults (defaults apply if key is missing in loadedConfig) + const configWithDefaults: AppConfig = { + jwtSecret: loadedConfig.jwtSecret ?? DEFAULT_CONFIG.jwtSecret, + autoApproveWebSocketRegistrations: loadedConfig.autoApproveWebSocketRegistrations ?? DEFAULT_CONFIG.autoApproveWebSocketRegistrations, + httpPort: loadedConfig.httpPort ?? DEFAULT_CONFIG.httpPort, + wsPort: loadedConfig.wsPort ?? DEFAULT_CONFIG.wsPort, + adminPasswordHash: loadedConfig.adminPasswordHash, // Keep undefined if not present + wsAdminPasswordHash: loadedConfig.wsAdminPasswordHash, // Keep undefined if not present + }; + + // Check if any default values were applied to an existing file or if the file was new + if (!needsSave) { // Only re-check if not already marked for save (e.g. new file or parse error) + if ( + configWithDefaults.jwtSecret !== loadedConfig.jwtSecret || + configWithDefaults.autoApproveWebSocketRegistrations !== loadedConfig.autoApproveWebSocketRegistrations || + configWithDefaults.httpPort !== loadedConfig.httpPort || + configWithDefaults.wsPort !== loadedConfig.wsPort + // We don't check optional fields like adminPasswordHash for needing a save if they were merely defaulted from undefined to undefined + ) { + console.log('Configuration file was missing some keys. Applying defaults and saving.'); + needsSave = true; + } + } + + + if (configWithDefaults.jwtSecret === DEFAULT_CONFIG.jwtSecret) { + console.warn('WARNING: Using default JWT secret. This is NOT secure for production. Consider setting a unique JWT_SECRET in data/runtime-config.json.'); + } + + console.log(`[Debug] Final check before saving: needsSave = ${needsSave}`); + // console.log(`[Debug] Config to potentially save:`, JSON.stringify(configWithDefaults, null, 2)); // Can be verbose + + if (needsSave) { + console.log(`[Debug] Attempting to save configuration because needsSave is true.`); + saveConfig(configWithDefaults); + } + + currentConfig = configWithDefaults; + console.log('Configuration loaded:', currentConfig); + return currentConfig; +} + +export function getConfig(): AppConfig { + if (!currentConfig) { + // This should ideally not be hit if loadConfig is called at startup. + console.warn("Config not loaded yet. Loading now. Ensure loadConfig() is called at application start."); + return loadConfig(); + } + return currentConfig; +} + +export function updateAutoApproveSetting(newState: boolean): AppConfig { + if (!currentConfig) { + loadConfig(); // Ensure config is loaded + } + currentConfig.autoApproveWebSocketRegistrations = newState; + saveConfig(currentConfig); + return currentConfig; +} + +// Initialize config on module load. +// This ensures that `getConfig` can be called immediately after import. +loadConfig(); diff --git a/src/lib/dataManager.spec.ts b/src/lib/dataManager.spec.ts new file mode 100644 index 0000000..c15b866 --- /dev/null +++ b/src/lib/dataManager.spec.ts @@ -0,0 +1,302 @@ +import * as DataManager from './dataManager'; +import { encrypt, decrypt, deriveMasterKey, generateSalt } from './encryption'; +import fs from 'fs/promises'; +import crypto from 'crypto'; + +// Mock the dependencies +jest.mock('fs/promises'); +jest.mock('./encryption'); + +// Helper to reset DataManager internal state if needed for some tests, though typically we test its public API. +// This is a bit hacky; ideally, DataManager would be a class or have an explicit reset function for testing. +// For now, we'll rely on Jest's module cache clearing or test individual functions carefully. + +const MOCK_PASSWORD = 'testpassword'; +const MOCK_MASTER_KEY = Buffer.from('mockMasterKeyDerived'); +const MOCK_SALT = Buffer.from('mockSaltForMasterKey'); + +describe('DataManager', () => { + let mockEncryptedData: string; + + beforeEach(async () => { + // Reset mocks for each test + jest.clearAllMocks(); + + // Setup default mock implementations + (fs.readFile as jest.Mock).mockResolvedValue(JSON.stringify(MOCK_SALT.toString('hex'))); // For salt loading + (fs.writeFile as jest.Mock).mockResolvedValue(undefined); + (fs.access as jest.Mock).mockResolvedValue(undefined); // Assume data dir exists + (fs.mkdir as jest.Mock).mockResolvedValue(undefined); + + + (generateSalt as jest.Mock).mockReturnValue(MOCK_SALT); + (deriveMasterKey as jest.Mock).mockReturnValue(MOCK_MASTER_KEY); + (encrypt as jest.Mock).mockImplementation((text: string, _key: Buffer) => `encrypted:${text}`); + (decrypt as jest.Mock).mockImplementation((encText: string, _key: Buffer) => { + if (encText.startsWith('encrypted:')) { + return encText.substring('encrypted:'.length); + } + return null; // Simulate decryption failure for bad data + }); + + // Initialize dataStore to a clean state for relevant tests + // This is tricky because dataStore is a module-level variable. + // We re-initialize DataManager which resets its internal store before loading. + mockEncryptedData = `encrypted:${JSON.stringify({ secrets: {}, clients: {} })}`; + (fs.readFile as jest.Mock) + .mockResolvedValueOnce(MOCK_SALT.toString('hex')) // For salt + .mockResolvedValueOnce(mockEncryptedData); // For data file + + await DataManager.initializeDataManager(MOCK_PASSWORD); + // Clear fs.writeFile mock calls from initialization + (fs.writeFile as jest.Mock).mockClear(); + }); + + describe('Initialization', () => { + it('should initialize, create data directory and salt file if they do not exist', async () => { + (fs.access as jest.Mock).mockRejectedValueOnce(new Error('ENOENT_DIR')).mockRejectedValueOnce(new Error('ENOENT_SALT')); // Dir and salt don't exist + // Simulate fs.readFile failing for both salt and data files + const saltError: any = new Error('Salt file not found'); + saltError.code = 'ENOENT'; + const dataError: any = new Error('Data file not found'); + dataError.code = 'ENOENT'; + (fs.readFile as jest.Mock) // Override for this test + .mockRejectedValueOnce(saltError) // Salt file read fails + .mockRejectedValueOnce(dataError); // Data file read fails + + await DataManager.initializeDataManager('newpassword'); + + expect(fs.mkdir).toHaveBeenCalledWith(expect.stringContaining('data'), { recursive: true }); + expect(generateSalt).toHaveBeenCalled(); + expect(fs.writeFile).toHaveBeenCalledWith(expect.stringContaining('masterkey.salt'), expect.any(String), 'utf-8'); + expect(deriveMasterKey).toHaveBeenCalledWith('newpassword', MOCK_SALT); + // It will try to load data, fail (ENOENT), and initialize an empty store. + // A save might be triggered if we decide to save empty store on ENOENT. Current impl does not. + // So, fs.writeFile for data should not be called if data file doesn't exist and store is just initialized empty. + // Let's verify no unexpected data write + const dataWriteCall = (fs.writeFile as jest.Mock).mock.calls.find(call => call[0].endsWith('.enc')); + expect(dataWriteCall).toBeUndefined(); + }); + + it('should load existing salt and data', async () => { + const initialSecrets = { testSecret: 'value1' }; + const initialClients = { client1: { id: 'client1', name: 'Test Client', status: 'approved', associatedSecretKeys: [], dateCreated: '', dateUpdated: '' } }; + const encryptedExistingData = `encrypted:${JSON.stringify({ secrets: initialSecrets, clients: initialClients })}`; + + (fs.readFile as jest.Mock) + .mockResolvedValueOnce(MOCK_SALT.toString('hex')) // For salt + .mockResolvedValueOnce(encryptedExistingData); // For data file + + await DataManager.initializeDataManager(MOCK_PASSWORD); + + expect(generateSalt).not.toHaveBeenCalled(); // Should use existing salt + expect(deriveMasterKey).toHaveBeenCalledWith(MOCK_PASSWORD, MOCK_SALT); + expect(decrypt).toHaveBeenCalledWith(encryptedExistingData, MOCK_MASTER_KEY); + expect(DataManager.getSecretItem('testSecret')).toBe('value1'); + expect(DataManager.getClient('client1')?.name).toBe('Test Client'); + }); + + it('should handle old data format (only secrets) during load and migrate', async () => { + const oldFormatData = { myOldSecret: "oldValue" }; + const encryptedOldFormatData = `encrypted:${JSON.stringify(oldFormatData)}`; + + (fs.readFile as jest.Mock) + .mockResolvedValueOnce(MOCK_SALT.toString('hex')) + .mockResolvedValueOnce(encryptedOldFormatData); + + await DataManager.initializeDataManager(MOCK_PASSWORD); + expect(DataManager.getSecretItem('myOldSecret')).toBe('oldValue'); + expect(DataManager.getAllClients()).toEqual([]); // Clients should be empty + }); + }); + + describe('Secret Management', () => { + beforeEach(async () => { + // Ensure a clean state for secrets for each test in this block + const emptyStore = { secrets: {}, clients: {} }; + (fs.readFile as jest.Mock) + .mockResolvedValueOnce(MOCK_SALT.toString('hex')) // For salt + .mockResolvedValueOnce(`encrypted:${JSON.stringify(emptyStore)}`); // For data file + await DataManager.initializeDataManager(MOCK_PASSWORD); + (fs.writeFile as jest.Mock).mockClear(); // Clear init writes + }); + + it('should set and get a secret item', async () => { + await DataManager.setSecretItem('key1', 'value1'); + expect(DataManager.getSecretItem('key1')).toBe('value1'); + expect(fs.writeFile).toHaveBeenCalledTimes(1); // saveData called + expect(encrypt).toHaveBeenCalledWith(JSON.stringify({ secrets: { key1: 'value1' }, clients: {} }, null, 2), MOCK_MASTER_KEY); + }); + + it('should delete a secret item and update client associations', async () => { + // Setup: client associated with the secret to be deleted + const client = await DataManager.addPendingClient('Test Client For Deletion'); + await DataManager.approveClient(client.id); + await DataManager.setSecretItem('secretToDelete', 'data'); + await DataManager.associateSecretWithClient(client.id, 'secretToDelete'); + + let fetchedClient = DataManager.getClient(client.id); + expect(fetchedClient?.associatedSecretKeys).toContain('secretToDelete'); + + (fs.writeFile as jest.Mock).mockClear(); // Clear previous writes + + await DataManager.deleteSecretItem('secretToDelete'); + expect(DataManager.getSecretItem('secretToDelete')).toBeUndefined(); + + fetchedClient = DataManager.getClient(client.id); + expect(fetchedClient?.associatedSecretKeys).not.toContain('secretToDelete'); + expect(fs.writeFile).toHaveBeenCalledTimes(1); // saveData from deleteSecretItem + }); + + it('should get all secret keys', async () => { + await DataManager.setSecretItem('key1', 'val1'); + await DataManager.setSecretItem('key2', 'val2'); + expect(DataManager.getAllSecretKeys()).toEqual(expect.arrayContaining(['key1', 'key2'])); + }); + }); + + describe('Client Management', () => { + beforeEach(async () => { + // Ensure a clean state for clients for each test in this block + const emptyStore = { secrets: {}, clients: {} }; + (fs.readFile as jest.Mock) + .mockResolvedValueOnce(MOCK_SALT.toString('hex')) + .mockResolvedValueOnce(`encrypted:${JSON.stringify(emptyStore)}`); + await DataManager.initializeDataManager(MOCK_PASSWORD); + (fs.writeFile as jest.Mock).mockClear(); + }); + + it('should add a pending client', async () => { + const clientName = 'New App'; + const requestedKeys = ['secretA']; + const client = await DataManager.addPendingClient(clientName, requestedKeys); + + expect(client.name).toBe(clientName); + expect(client.status).toBe('pending'); + expect(client.id).toMatch(/^client_/); + expect(client.temporaryId).toMatch(/^temp_/); + expect(client.requestedSecretKeys).toEqual(requestedKeys); + expect(fs.writeFile).toHaveBeenCalledTimes(1); // saveData + + const fetchedClient = DataManager.getClient(client.id); + expect(fetchedClient).toEqual(client); + }); + + it('should throw error if client name is empty for addPendingClient', async () => { + await expect(DataManager.addPendingClient('')).rejects.toThrow("Client name must be a non-empty string."); + }); + + + it('should approve a pending client', async () => { + const pendingClient = await DataManager.addPendingClient('AppToApprove'); + (fs.writeFile as jest.Mock).mockClear(); // Clear write from addPendingClient + + const approvedClient = await DataManager.approveClient(pendingClient.id); + expect(approvedClient.status).toBe('approved'); + expect(approvedClient.authToken).toMatch(/^auth_/); + expect(approvedClient.temporaryId).toBeUndefined(); + expect(fs.writeFile).toHaveBeenCalledTimes(1); // saveData + + const fetchedClient = DataManager.getClient(approvedClient.id); + expect(fetchedClient?.status).toBe('approved'); + expect(fetchedClient?.authToken).toBe(approvedClient.authToken); + }); + + it('should throw error when approving non-pending client', async () => { + const pendingClient = await DataManager.addPendingClient('AppToApproveTwice'); + await DataManager.approveClient(pendingClient.id); // First approval + await expect(DataManager.approveClient(pendingClient.id)).rejects.toThrow(`Client "${pendingClient.id}" is not in 'pending' state.`); + }); + + it('should throw error when approving non-existent client', async () => { + await expect(DataManager.approveClient('nonExistentId')).rejects.toThrow('Client with ID "nonExistentId" not found.'); + }); + + it('should reject a pending client', async () => { + const pendingClient = await DataManager.addPendingClient('AppToReject'); + (fs.writeFile as jest.Mock).mockClear(); + + const rejectedClient = await DataManager.rejectClient(pendingClient.id); + expect(rejectedClient.status).toBe('rejected'); + expect(rejectedClient.authToken).toBeUndefined(); + expect(rejectedClient.temporaryId).toBeUndefined(); // Should also clear temporaryId + expect(fs.writeFile).toHaveBeenCalledTimes(1); + + const fetchedClient = DataManager.getClient(rejectedClient.id); + expect(fetchedClient?.status).toBe('rejected'); + }); + + it('should get various lists of clients', async () => { + const p1 = await DataManager.addPendingClient('Pending1'); + const p2 = await DataManager.addPendingClient('Pending2'); + const a1 = await DataManager.approveClient(p1.id); // p1 becomes a1 (approved) + + expect(DataManager.getPendingClients().map(c => c.id)).toEqual([p2.id]); + expect(DataManager.getApprovedClients().map(c => c.id)).toEqual([a1.id]); + expect(DataManager.getAllClients().length).toBe(2); + }); + + it('should associate and dissociate secrets with an approved client', async () => { + await DataManager.setSecretItem('s1', 'v1'); + await DataManager.setSecretItem('s2', 'v2'); + const client = await DataManager.addPendingClient('ClientForSecrets'); + await DataManager.approveClient(client.id); + (fs.writeFile as jest.Mock).mockClear(); + + // Associate + await DataManager.associateSecretWithClient(client.id, 's1'); + let updatedClient = DataManager.getClient(client.id); + expect(updatedClient?.associatedSecretKeys).toContain('s1'); + expect(fs.writeFile).toHaveBeenCalledTimes(1); + (fs.writeFile as jest.Mock).mockClear(); + + // Dissociate + await DataManager.dissociateSecretFromClient(client.id, 's1'); + updatedClient = DataManager.getClient(client.id); + expect(updatedClient?.associatedSecretKeys).not.toContain('s1'); + expect(fs.writeFile).toHaveBeenCalledTimes(1); + }); + + it('should throw error associating secret with non-approved client', async () => { + const pendingClient = await DataManager.addPendingClient('NonApprovedClient'); + await DataManager.setSecretItem('s3', 'v3'); + await expect(DataManager.associateSecretWithClient(pendingClient.id, 's3')) + .rejects.toThrow(`Client "${pendingClient.id}" is not approved.`); + }); + + it('should throw error associating non-existent secret', async () => { + const client = await DataManager.addPendingClient('ClientForSecrets2'); + await DataManager.approveClient(client.id); + await expect(DataManager.associateSecretWithClient(client.id, 'nonExistentSecret')) + .rejects.toThrow('Secret with key "nonExistentSecret" not found.'); + }); + + + it('should get a client by auth token', async () => { + const client = await DataManager.addPendingClient('ClientWithToken'); + const approved = await DataManager.approveClient(client.id); + + const foundClient = DataManager.getClientByAuthToken(approved.authToken!); + expect(foundClient?.id).toBe(client.id); + expect(foundClient?.name).toBe(client.name); + + expect(DataManager.getClientByAuthToken('invalidToken')).toBeUndefined(); + }); + + it('should delete a client', async () => { + const client = await DataManager.addPendingClient('ClientToDelete'); + (fs.writeFile as jest.Mock).mockClear(); + + await DataManager.deleteClient(client.id); + expect(DataManager.getClient(client.id)).toBeUndefined(); + expect(fs.writeFile).toHaveBeenCalledTimes(1); + }); + }); +}); + +// Helper to simulate dataStore reset for testing purposes if DataManager was a class with instances +// Or if it had an explicit reset function. For module-level state, this is more complex. +// This mock test suite relies on Jest's behavior with module mocks and careful sequencing. +// If DataManager.ts was refactored to be instantiable, testing state would be cleaner. +// e.g., let dataManagerInstance; beforeEach(() => { dataManagerInstance = new DataManager(); ... }); +// For now, initializeDataManager is our main point of "resetting" the loaded data. diff --git a/src/lib/dataManager.ts b/src/lib/dataManager.ts new file mode 100644 index 0000000..9f439d2 --- /dev/null +++ b/src/lib/dataManager.ts @@ -0,0 +1,786 @@ +// Data loading, decryption, encryption, and saving logic +import fs from 'fs/promises'; +import path from 'path'; +import crypto from 'crypto'; // For generating client IDs and tokens +import { encrypt, decrypt, deriveMasterKey, generateSalt } from './encryption'; + +const DATA_DIR = path.join(__dirname, '../../data'); +const DATA_FILE_NAME = 'secrets.json.enc'; +const DATA_FILE_PATH = path.join(DATA_DIR, DATA_FILE_NAME); +const SALT_FILE_NAME = 'masterkey.salt'; +const SALT_FILE_PATH = path.join(DATA_DIR, SALT_FILE_NAME); + +export type ClientStatus = 'pending' | 'approved' | 'rejected'; + +export interface ClientInfo { + id: string; // Unique client identifier (e.g., a UUID) + name: string; // User-friendly name provided by the client or admin + status: ClientStatus; + associatedGroupIds: number[]; // IDs of secret groups this client can access + requestedSecretKeys?: string[]; // Optional: Keys initially requested by the client (legacy, consider removing or adapting for group requests) + registrationTimestamp?: number; // Timestamp (Date.now()) when client entered pending state, for expiry + dateCreated: string; // ISO 8601 date string + dateUpdated: string; // ISO 8601 date string +} + +interface SecureDataStore { + secrets: { [key: string]: { value: any, groupId: number } }; + clients: Record; // Keyed by ClientInfo.id + secretGroups: { [groupId: number]: { name: string, keys: string[] } }; + nextGroupId: number; +} + +// In-memory store for the decrypted data +let dataStore: SecureDataStore = { + secrets: {}, + clients: {}, + secretGroups: {}, + nextGroupId: 1, +}; +let masterEncryptionKey: Buffer | null = null; + +/** + * Initializes the DataManager with the server's master password. + * Derives the master encryption key and loads data. + */ +export async function initializeDataManager(password: string): Promise { + let salt: Buffer; + try { + await fs.access(DATA_DIR); + } catch { + await fs.mkdir(DATA_DIR, { recursive: true }); + console.log(`Data directory created at: ${DATA_DIR}`); + } + + try { + const saltHex = await fs.readFile(SALT_FILE_PATH, 'utf-8'); + salt = Buffer.from(saltHex, 'hex'); + console.log('Master key salt loaded from file.'); + } catch (error) { + console.log('Master key salt file not found. Generating a new salt...'); + salt = generateSalt(); + await fs.writeFile(SALT_FILE_PATH, salt.toString('hex'), 'utf-8'); + console.log(`New master key salt generated and saved to: ${SALT_FILE_PATH}`); + } + + masterEncryptionKey = deriveMasterKey(password, salt); + console.log('Master encryption key derived.'); + + await loadData(); + + // Start periodic check for expiring pending clients + // The interval can be configured as needed. e.g., every 30 seconds. + const expiryCheckInterval = 30 * 1000; // 30 seconds + setInterval(checkAndExpirePendingClients, expiryCheckInterval); + console.log(`Started periodic check for pending client expiry every ${expiryCheckInterval / 1000} seconds.`); +} + +const PENDING_CLIENT_EXPIRY_DURATION_MS = 60 * 1000; // 1 minute + +/** + * Checks for pending clients that have exceeded their registration expiry time + * and updates their status to 'rejected'. + */ +export async function checkAndExpirePendingClients(): Promise { + let updated = false; + const now = Date.now(); + + for (const clientId in dataStore.clients) { + const client = dataStore.clients[clientId]; + if (client.status === 'pending' && client.registrationTimestamp) { + if (now - client.registrationTimestamp > PENDING_CLIENT_EXPIRY_DURATION_MS) { + console.log(`Pending client "${client.name}" (ID: ${client.id}) has expired. Setting status to rejected.`); + client.status = 'rejected'; + client.dateUpdated = new Date().toISOString(); + // client.registrationTimestamp = undefined; // Optionally clear it, or keep for audit + updated = true; + } + } + } + + if (updated) { + try { + await saveData(); + console.log('Saved data after expiring pending clients.'); + } catch (error) { + console.error('Failed to save data after expiring clients:', error); + } + } +} + + +/** + * Loads data from the encrypted file and decrypts it. + * If the file doesn't exist, initializes with an empty store. + */ +async function loadData(): Promise { + if (!masterEncryptionKey) { + throw new Error('DataManager not initialized. Master key is missing.'); + } + try { + const encryptedData = await fs.readFile(DATA_FILE_PATH, 'utf-8'); + if (encryptedData.trim() === '') { + console.log('Data file is empty. Initializing with an empty store.'); + // Initialize with the full new structure + dataStore = { secrets: {}, clients: {}, secretGroups: {}, nextGroupId: 1 }; + return; + } + const decryptedJson = decrypt(encryptedData, masterEncryptionKey); + if (decryptedJson) { + const loadedStore = JSON.parse(decryptedJson) as Partial; + + // Initialize with defaults and then override with loaded data + dataStore = { + secrets: loadedStore.secrets || {}, + clients: loadedStore.clients || {}, // Will be further processed below + secretGroups: loadedStore.secretGroups || {}, + nextGroupId: loadedStore.nextGroupId || 1, + }; + + // Ensure all loaded clients have associatedGroupIds initialized + for (const clientId in dataStore.clients) { + if (dataStore.clients.hasOwnProperty(clientId)) { + const client = dataStore.clients[clientId] as any; // Use 'as any' for transitional period + if (client.associatedSecretKeys && !client.associatedGroupIds) { + console.log(`Client ${clientId} has legacy 'associatedSecretKeys'. Initializing 'associatedGroupIds' to empty. Manual group association needed.`); + client.associatedGroupIds = []; + // Delete the old key to prevent confusion, or leave for manual inspection + // delete client.associatedSecretKeys; + } else if (!client.associatedGroupIds) { + client.associatedGroupIds = []; + } + } + } + + // Basic migration/check for old secrets structure + // If secrets are not in the new { value, groupId } format, they will be problematic. + // For Phase 1, we'll log if an old format secret is detected. + // A more robust migration would be needed for existing data. + let oldFormatSecretsDetected = false; + for (const key in dataStore.secrets) { + if (typeof dataStore.secrets[key] !== 'object' || + dataStore.secrets[key] === null || + !dataStore.secrets[key].hasOwnProperty('value') || + !dataStore.secrets[key].hasOwnProperty('groupId')) { + console.warn(`Secret "${key}" has an outdated format and will be ignored or may cause errors. Please re-create it in a group.`); + // Optionally delete it: delete dataStore.secrets[key]; + oldFormatSecretsDetected = true; + } + } + if (oldFormatSecretsDetected) { + console.warn("Old format secrets detected. These should be migrated or re-created within groups."); + // Consider if a saveData() call is needed here if old secrets were deleted. + } + + console.log('Data loaded and decrypted successfully.'); + } else { + // This case could mean the file is corrupt or the password was wrong. + console.error('Failed to decrypt data. The file might be corrupted or the password was incorrect.'); + throw new Error('Failed to decrypt data file. Check password or file integrity.'); + } + } catch (error: any) { + if (error.code === 'ENOENT') { + console.log(`Data file not found at ${DATA_FILE_PATH}. Initializing with an empty store.`); + // Initialize with the full new structure + dataStore = { secrets: {}, clients: {}, secretGroups: {}, nextGroupId: 1 }; + // Optionally save the empty store immediately to create the file: await saveData(); + } else { + console.error('Error loading data:', error); + throw error; // Re-throw other errors + } + } +} + +/** + * Saves the current in-memory data store to the encrypted file. + */ +export async function saveData(): Promise { + if (!masterEncryptionKey) { + throw new Error('DataManager not initialized. Master key is missing.'); + } + try { + const jsonData = JSON.stringify(dataStore, null, 2); // Pretty print JSON + const encryptedData = encrypt(jsonData, masterEncryptionKey); + await fs.writeFile(DATA_FILE_PATH, encryptedData, 'utf-8'); + console.log(`Data saved and encrypted successfully to: ${DATA_FILE_PATH}`); + } catch (error) { + console.error('Error saving data:', error); + throw error; + } +} + +/** + * Retrieves a secret's value and its group ID. + */ +export function getSecretWithValue(key: string): { value: any, groupId: number } | undefined { + return dataStore.secrets[key] ? { ...dataStore.secrets[key] } : undefined; // Return a copy +} + +/** + * Retrieves only the secret value from the data store by key. + * Note: For new development, prefer getSecretWithValue if groupId is also needed. + */ +export function getSecretItem(key: string): T | undefined { + const secret = dataStore.secrets[key]; + return secret ? secret.value as T : undefined; +} + +/** + * Creates a new secret within a specified group. + * Throws an error if the group doesn't exist or the secret key already exists. + */ +export async function createSecretInGroup(groupId: number, key: string, value: any): Promise { + if (!dataStore.secretGroups[groupId]) { + throw new Error(`Group with ID "${groupId}" not found.`); + } + if (dataStore.secrets.hasOwnProperty(key)) { + throw new Error(`Secret with key "${key}" already exists.`); + } + if (!key || typeof key !== 'string' || key.trim() === "") { + throw new Error("Secret key must be a non-empty string."); + } + + dataStore.secrets[key] = { value, groupId }; + if (!dataStore.secretGroups[groupId].keys.includes(key)) { // Should not be there, but good check + dataStore.secretGroups[groupId].keys.push(key); + } + await saveData(); + console.log(`Secret "${key}" created in group ID ${groupId}.`); +} + +/** + * Updates the value of an existing secret. The group association does not change. + */ +export async function updateSecretValue(key: string, newValue: any): Promise { + if (!dataStore.secrets.hasOwnProperty(key)) { + throw new Error(`Secret with key "${key}" not found.`); + } + dataStore.secrets[key].value = newValue; + await saveData(); + console.log(`Secret "${key}" value updated.`); +} + +/** + * Deletes a secret. + * It's removed from its group and from the main secrets store. + */ +export async function deleteSecret(key: string): Promise { + if (!dataStore.secrets.hasOwnProperty(key)) { + console.warn(`Secret with key "${key}" not found for deletion.`); + return; // Or throw error if preferred + } + + const { groupId } = dataStore.secrets[key]; + delete dataStore.secrets[key]; + + if (dataStore.secretGroups[groupId]) { + const keyIndex = dataStore.secretGroups[groupId].keys.indexOf(key); + if (keyIndex > -1) { + dataStore.secretGroups[groupId].keys.splice(keyIndex, 1); + } else { + console.warn(`Secret key "${key}" was not found in its associated group ID ${groupId}'s key list during deletion.`); + } + } else { + console.warn(`Group ID ${groupId} associated with secret "${key}" was not found during secret deletion.`); + } + + // Client associations are group-based, so deleting a secret does not directly affect client records here. + // The secret is simply removed from its group's key list (already done) and from the global secrets list. + // Any client associated with that group will no longer see this secret via getSecretsForClient. + // The old logic for removing from client.associatedSecretKeys is confirmed removed. + + await saveData(); + console.log(`Secret "${key}" deleted.`); +} + + +/** + * (DEPRECATED - use createSecretInGroup or updateSecretValue) + * Sets a secret value in the data store by key. + * Automatically triggers a save after setting the item. + */ +export async function setSecretItem(key: string, value: T): Promise { + // This function is problematic with the new structure as it doesn't know the group. + // For now, it will log a warning. Ideally, all callers should be updated. + console.warn(`DEPRECATED: setSecretItem called for key "${key}". This function does not handle group associations. Use createSecretInGroup or updateSecretValue.`); + // To avoid breaking existing functionality entirely before full migration, + // we could try to find its group or assign to a default/placeholder if that existed. + // But the requirement is "secret must belong to exactly one group". + // If the secret already exists, we can update its value. If not, we can't create it without a group. + if (dataStore.secrets.hasOwnProperty(key)) { + dataStore.secrets[key].value = value; + } else { + // Cannot create a new secret without a groupId. + // Option 1: Throw error. Option 2: Log and do nothing for new keys. + throw new Error(`setSecretItem cannot create new secret "${key}" without a groupId. Use createSecretInGroup.`); + } + await saveData(); +} + +/** + * (DEPRECATED - use deleteSecret) + * Deletes a secret item from the data store by key. + * Also removes this secret key from any client's associatedSecretKeys list. + * Automatically triggers a save after deleting the item. + */ +export async function deleteSecretItem(key: string): Promise { + console.warn(`DEPRECATED: deleteSecretItem called for key "${key}". Use deleteSecret instead.`); + await deleteSecret(key); // Delegate to the new function +} + +/** + * Retrieves all secret keys from the data store. + */ +export function getAllSecretKeys(): string[] { + return Object.keys(dataStore.secrets); +} + +/** + * Retrieves the entire data store (secrets and clients). + * Use with caution, especially if the data is large. Consider specific getters instead. + */ +export function getEntireStore(): SecureDataStore { + return JSON.parse(JSON.stringify(dataStore)); // Return a deep copy +} + +// --- Secret Group Management Functions --- + +function _getNextGroupId(): number { + // This function assumes dataStore is already initialized. + // It modifies dataStore directly. The caller that uses this should ensure saveData is called. + if (dataStore.nextGroupId === undefined) { + dataStore.nextGroupId = 1; // Should have been initialized by loadData or initial declaration + } + const id = dataStore.nextGroupId; + dataStore.nextGroupId += 1; + return id; +} + +export function getGroupByName(name: string): { id: number, name: string, keys: string[] } | undefined { + for (const idStr in dataStore.secretGroups) { + const id = parseInt(idStr, 10); + if (dataStore.secretGroups[id].name === name) { + return { id, ...dataStore.secretGroups[id] }; + } + } + return undefined; +} + +export async function createSecretGroup(name: string): Promise<{ id: number, name: string }> { + if (!name || typeof name !== 'string' || name.trim() === "") { + throw new Error("Group name must be a non-empty string."); + } + if (getGroupByName(name)) { + throw new Error(`A secret group with the name "${name}" already exists.`); + } + + const newGroupId = _getNextGroupId(); // Increments nextGroupId but doesn't save yet + dataStore.secretGroups[newGroupId] = { name: name.trim(), keys: [] }; + await saveData(); // Now save explicitly + console.log(`Secret group "${name}" created with ID ${newGroupId}.`); + return { id: newGroupId, name: dataStore.secretGroups[newGroupId].name }; +} + +export function getSecretGroupById(groupId: number): { id: number, name: string, keys: string[] } | undefined { + if (dataStore.secretGroups[groupId]) { + return { id: groupId, ...dataStore.secretGroups[groupId] }; + } + return undefined; +} + +export function getAllSecretGroups(): { id: number, name: string, keys: string[] }[] { + return Object.entries(dataStore.secretGroups).map(([idStr, groupData]) => { + const id = parseInt(idStr, 10); + return { + id, + name: groupData.name, + keys: [...groupData.keys] // Return a copy of the keys array + }; + }); +} + +export async function renameSecretGroup(groupId: number, newName: string): Promise { + if (!newName || typeof newName !== 'string' || newName.trim() === "") { + throw new Error("New group name must be a non-empty string."); + } + const group = dataStore.secretGroups[groupId]; + if (!group) { + throw new Error(`Secret group with ID "${groupId}" not found.`); + } + const existingGroupWithNewName = getGroupByName(newName.trim()); + if (existingGroupWithNewName && existingGroupWithNewName.id !== groupId) { + throw new Error(`Another secret group with the name "${newName.trim()}" already exists.`); + } + + group.name = newName.trim(); + await saveData(); + console.log(`Secret group ID ${groupId} renamed to "${group.name}".`); +} + +export async function deleteSecretGroup(groupId: number): Promise { + const group = dataStore.secretGroups[groupId]; + if (!group) { + throw new Error(`Secret group with ID "${groupId}" not found.`); + } + + const keysToDelete = [...group.keys]; // Create a copy as we'll be modifying the secrets store + + console.log(`Deleting group "${group.name}" (ID: ${groupId}) and its ${keysToDelete.length} secret(s)...`); + + for (const key of keysToDelete) { + if (dataStore.secrets.hasOwnProperty(key)) { + // Ensure the secret actually belongs to this group before deleting, as a sanity check + if (dataStore.secrets[key].groupId === groupId) { + delete dataStore.secrets[key]; + console.log(` - Deleted secret "${key}" from group ${groupId}.`); + } else { + // This case should ideally not happen if data integrity is maintained + console.warn(` - Secret "${key}" was listed in group ${groupId} but its record indicates it belongs to group ${dataStore.secrets[key].groupId}. Not deleting from secrets map based on this group's list.`); + // However, we should remove it from the current group's key list if it's there due to some inconsistency + const keyIndexInGroup = group.keys.indexOf(key); + if (keyIndexInGroup > -1) { + group.keys.splice(keyIndexInGroup, 1); + } + } + } else { + console.warn(` - Secret key "${key}" listed in group ${groupId} not found in main secrets store.`); + // Remove from group's key list if present, to clean up inconsistency + const keyIndexInGroup = group.keys.indexOf(key); + if (keyIndexInGroup > -1) { + group.keys.splice(keyIndexInGroup, 1); + } + } + } + + delete dataStore.secretGroups[groupId]; + console.log(`Group ID ${groupId} ("${group.name}") itself deleted.`); + + // Update clients that were associated with this deleted group + let clientsUpdated = false; + for (const clientId in dataStore.clients) { + const client = dataStore.clients[clientId]; + if (client.associatedGroupIds && client.associatedGroupIds.includes(groupId)) { + client.associatedGroupIds = client.associatedGroupIds.filter(id => id !== groupId); + client.dateUpdated = new Date().toISOString(); + clientsUpdated = true; + console.log(`Removed deleted group ID ${groupId} from client ${clientId}.`); + } + } + + await saveData(); // This will save group deletion and any client updates. + if (clientsUpdated) { + console.log("Client associations updated due to group deletion."); + } +} + + +// --- Client Management Functions --- + +function generateRandomToken(length: number = 32): string { + return crypto.randomBytes(length).toString('hex'); +} + +/** + * Adds a new client in a 'pending' state. + * @param clientName User-friendly name for the client. + * @param requestedSecretKeys Optional array of secret keys the client is requesting access to. + * @returns The newly created ClientInfo object. + */ +export async function addPendingClient( + clientName: string, + requestedSecretKeys?: string[] +): Promise { + if (!clientName || typeof clientName !== 'string' || clientName.trim() === "") { + throw new Error("Client name must be a non-empty string."); + } + + const clientId = `client_${generateRandomToken(8)}`; // Shorter, more manageable ID + // temporaryId removed + const now = new Date().toISOString(); + + const newClient: ClientInfo = { + id: clientId, + name: clientName.trim(), + status: 'pending', + associatedGroupIds: [], // Initialize with empty group IDs + // associatedSecretKeys: [], // Removed + requestedSecretKeys: requestedSecretKeys || [], // Keep for now, may adapt later + registrationTimestamp: Date.now(), + dateCreated: now, + dateUpdated: now, + }; + + if (dataStore.clients[clientId]) { + // Extremely unlikely with random generation, but good practice + throw new Error("Client ID collision. Please try again."); + } + + dataStore.clients[clientId] = newClient; + await saveData(); + return JSON.parse(JSON.stringify(newClient)); // Return a copy +} + +/** + * Approves a pending client. + * Generates a permanent authToken for the client. + * @param clientId The ID of the client to approve. + * @returns The updated ClientInfo object with the new authToken. + */ +export async function approveClient(clientId: string): Promise { + // Removed duplicated validation and client declaration block + if (!clientId || typeof clientId !== 'string' || clientId.trim() === "") { + throw new Error("Client ID must be a non-empty string."); + } + + const client = dataStore.clients[clientId]; + if (!client) { + throw new Error(`Client with ID "${clientId}" not found.`); + } + if (client.status !== 'pending') { + // Allow re-approving an already approved client to regenerate token? Or error? + // For now, let's say it must be pending. + throw new Error(`Client "${clientId}" is not in 'pending' state. Current state: ${client.status}.`); + } + + client.status = 'approved'; + // client.authToken = `auth_${generateRandomToken(24)}`; // authToken removed + // client.temporaryId = undefined; // temporaryId removed + client.dateUpdated = new Date().toISOString(); + + await saveData(); + return JSON.parse(JSON.stringify(client)); +} + +/** + * Rejects a pending client. + * @param clientId The ID of the client to reject. + * @returns The updated ClientInfo object. + */ +export async function rejectClient(clientId: string): Promise { + const client = dataStore.clients[clientId]; + if (!client) { + throw new Error(`Client with ID "${clientId}" not found.`); + } + if (client.status !== 'pending') { + console.warn(`Client "${clientId}" is not in 'pending' state. Current state: ${client.status}. Still marking as rejected.`); + } + + client.status = 'rejected'; + // client.authToken = undefined; // authToken removed + // client.temporaryId = undefined; // temporaryId removed + client.dateUpdated = new Date().toISOString(); + // Consider if associatedSecretKeys or requestedSecretKeys should be cleared. + // For now, keeping them for audit/history. + + await saveData(); + return JSON.parse(JSON.stringify(client)); +} + +/** + * Retrieves a client by their ID. + * @param clientId The ID of the client. + * @returns ClientInfo object or undefined if not found. + */ +export function getClient(clientId: string): ClientInfo | undefined { + const client = dataStore.clients[clientId]; + return client ? JSON.parse(JSON.stringify(client)) : undefined; +} + +/** + * Retrieves all clients. + * @returns An array of ClientInfo objects. + */ +export function getAllClients(): ClientInfo[] { + return Object.values(dataStore.clients).map(client => JSON.parse(JSON.stringify(client))); +} + +/** + * Retrieves all clients with 'pending' status. + */ +export function getPendingClients(): ClientInfo[] { + return Object.values(dataStore.clients) + .filter(client => client.status === 'pending') + .map(client => JSON.parse(JSON.stringify(client))); +} + +/** + * Retrieves all clients with 'approved' status. + */ +export function getApprovedClients(): ClientInfo[] { + return Object.values(dataStore.clients) + .filter(client => client.status === 'approved') + .map(client => JSON.parse(JSON.stringify(client))); +} + +// +// OLD FUNCTIONS - TO BE REMOVED +// +// /** +// * (REMOVED - Clients are now associated with groups, not individual keys) +// * Associates a secret key with an approved client. +// */ +// export async function associateSecretWithClient(clientId: string, secretKey: string): Promise { ... } + +// /** +// * (REMOVED - Clients are now associated with groups, not individual keys) +// * Dissociates a secret key from a client. +// */ +// export async function dissociateSecretFromClient(clientId: string, secretKey: string): Promise { ... } +// + +/** + * Associates a secret group with an approved client. + * @param clientId The ID of the client. + * @param groupId The ID of the group to associate. + */ +export async function associateGroupWithClient(clientId: string, groupId: number): Promise { + const client = dataStore.clients[clientId]; + if (!client) { + throw new Error(`Client with ID "${clientId}" not found.`); + } + if (client.status !== 'approved') { + throw new Error(`Client "${clientId}" is not approved. Cannot associate groups.`); + } + if (!dataStore.secretGroups[groupId]) { + throw new Error(`Secret group with ID "${groupId}" not found.`); + } + + if (!client.associatedGroupIds) { // Should be initialized by now, but as a safeguard + client.associatedGroupIds = []; + } + if (!client.associatedGroupIds.includes(groupId)) { + client.associatedGroupIds.push(groupId); + client.dateUpdated = new Date().toISOString(); + await saveData(); + } + return JSON.parse(JSON.stringify(client)); +} + +/** + * Dissociates a secret group from a client. + * @param clientId The ID of the client. + * @param groupId The ID of the group to dissociate. + */ +export async function dissociateGroupFromClient(clientId: string, groupId: number): Promise { + const client = dataStore.clients[clientId]; + if (!client) { + throw new Error(`Client with ID "${clientId}" not found.`); + } + if (!client.associatedGroupIds) { // Safeguard + client.associatedGroupIds = []; + return JSON.parse(JSON.stringify(client)); // Nothing to dissociate + } + + const index = client.associatedGroupIds.indexOf(groupId); + if (index > -1) { + client.associatedGroupIds.splice(index, 1); + client.dateUpdated = new Date().toISOString(); + await saveData(); + } + return JSON.parse(JSON.stringify(client)); +} + +/** + * Sets the complete list of associated group IDs for a client. + * @param clientId The ID of the client. + * @param groupIds An array of group IDs to associate. Old associations are replaced. + */ +export async function setClientAssociatedGroups(clientId: string, groupIds: number[]): Promise { + const client = dataStore.clients[clientId]; + if (!client) { + throw new Error(`Client with ID "${clientId}" not found.`); + } + if (client.status !== 'approved') { + throw new Error(`Client "${clientId}" is not approved. Cannot set group associations.`); + } + + // Validate all group IDs exist before setting + for (const groupId of groupIds) { + if (!dataStore.secretGroups[groupId]) { + throw new Error(`Secret group with ID "${groupId}" not found.`); + } + } + + client.associatedGroupIds = [...new Set(groupIds)]; // Ensure unique IDs and copy array + client.dateUpdated = new Date().toISOString(); + await saveData(); + console.log(`Client ${clientId} associated groups updated to: ${client.associatedGroupIds.join(', ')}`); +} + +/** + * Retrieves all unique secret keys a client has access to through their associated groups. + * @param clientId The ID of the client. + * @returns An array of secret keys. + */ +export function getSecretsForClient(clientId: string): string[] { + const client = dataStore.clients[clientId]; + if (!client || !client.associatedGroupIds || client.associatedGroupIds.length === 0) { + return []; + } + + const accessibleKeys = new Set(); + for (const groupId of client.associatedGroupIds) { + const group = dataStore.secretGroups[groupId]; + if (group && group.keys) { + group.keys.forEach(key => accessibleKeys.add(key)); + } + } + return Array.from(accessibleKeys); +} + + +/** + * Retrieves an approved client by their authToken. + * @param authToken The authentication token of the client. + * @returns ClientInfo object or undefined if not found or not approved. + */ +// export function getClientByAuthToken(authToken: string): ClientInfo | undefined { +// const client = Object.values(dataStore.clients).find( +// c => c.status === 'approved' && c.authToken === authToken +// ); +// return client ? JSON.parse(JSON.stringify(client)) : undefined; +// } +// This function is now obsolete as authToken is removed. + +/** + * Deletes a client and their associations. + * @param clientId The ID of the client to delete. + */ +export async function deleteClient(clientId: string): Promise { + if (dataStore.clients.hasOwnProperty(clientId)) { + delete dataStore.clients[clientId]; + // No need to iterate secrets, as associations are on the client record. + await saveData(); + console.log(`Client "${clientId}" deleted.`); + } else { + console.warn(`Client "${clientId}" not found for deletion.`); + } +} + +/** + * Handles a client disconnect. If the client was 'approved', + * its status is set to 'rejected'. + * @param clientId The ID of the disconnected client. + */ +export async function handleClientDisconnect(clientId: string): Promise { + const client = dataStore.clients[clientId]; + if (client) { // Check if client exists, to prevent errors if called with an already deleted/unknown ID + if (client.status === 'approved') { + console.log(`Approved client "${client.name}" (ID: ${client.id}) disconnected. Setting status to rejected.`); + client.status = 'rejected'; + client.dateUpdated = new Date().toISOString(); + // No need to clear associatedSecretKeys, they might be useful if client is re-approved quickly. + // Or, business logic might dictate clearing them. For now, keep them. + try { + await saveData(); + console.log(`Saved data after client ${clientId} disconnect.`); + } catch (error) { + console.error(`Failed to save data after client ${clientId} disconnect:`, error); + } + } else { + console.log(`Client "${client.name}" (ID: ${client.id}) disconnected with status: ${client.status}. No status change needed from 'approved'.`); + } + } else { + console.warn(`Attempted to handle disconnect for unknown client ID: ${clientId}`); + } +} \ No newline at end of file diff --git a/src/lib/encryption.ts b/src/lib/encryption.ts new file mode 100644 index 0000000..e861d11 --- /dev/null +++ b/src/lib/encryption.ts @@ -0,0 +1,143 @@ +// Encryption and decryption utilities +import crypto from 'crypto'; + +const ALGORITHM = 'aes-256-gcm'; +const SALT_LENGTH = 16; // For master key derivation +const IV_LENGTH = 12; // AES-GCM standard IV length +const AUTH_TAG_LENGTH = 16; // AES-GCM standard auth tag length +const PBKDF2_ITERATIONS = 310000; // OWASP recommendation (as of 2023) +const KEY_LENGTH = 32; // 256 bits for AES-256 + +/** + * Derives a master encryption key from a password and salt. + * This should be done once when the server starts. + */ +export function deriveMasterKey(password: string, salt: Buffer): Buffer { + return crypto.pbkdf2Sync(password, salt, PBKDF2_ITERATIONS, KEY_LENGTH, 'sha512'); +} + +/** + * Generates a new random salt. + */ +export function generateSalt(): Buffer { + return crypto.randomBytes(SALT_LENGTH); +} + +/** + * Encrypts plaintext using the master key. + * Prepends a random IV to the ciphertext. Stores IV + AuthTag + Ciphertext. + * @param text The plaintext string to encrypt. + * @param masterKey The master encryption key (derived via deriveMasterKey). + * @returns A string in the format: iv_hex:authTag_hex:ciphertext_hex + */ +export function encrypt(text: string, masterKey: Buffer): string { + const iv = crypto.randomBytes(IV_LENGTH); + const cipher = crypto.createCipheriv(ALGORITHM, masterKey, iv); + + let encrypted = cipher.update(text, 'utf8', 'hex'); + encrypted += cipher.final('hex'); + const authTag = cipher.getAuthTag(); + + // Store IV, authTag, and encrypted data together, all hex encoded + return `${iv.toString('hex')}:${authTag.toString('hex')}:${encrypted}`; +} + +/** + * Decrypts ciphertext using the master key. + * Expects the input string to be in the format: iv_hex:authTag_hex:ciphertext_hex + * @param encryptedTextWithIvAndAuthTag The encrypted string. + * @param masterKey The master encryption key. + * @returns The decrypted plaintext string, or null if decryption fails. + */ +export function decrypt(encryptedTextWithIvAndAuthTag: string, masterKey: Buffer): string | null { + try { + const parts = encryptedTextWithIvAndAuthTag.split(':'); + if (parts.length !== 3) { + console.error('Invalid encrypted text format. Expected iv:authTag:ciphertext.'); + return null; + } + + const iv = Buffer.from(parts[0], 'hex'); + const authTag = Buffer.from(parts[1], 'hex'); + const encryptedData = parts[2]; + + if (iv.length !== IV_LENGTH) { + console.error(`Invalid IV length. Expected ${IV_LENGTH}, got ${iv.length}`); + return null; + } + if (authTag.length !== AUTH_TAG_LENGTH) { + console.error(`Invalid AuthTag length. Expected ${AUTH_TAG_LENGTH}, got ${authTag.length}`); + return null; + } + + const decipher = crypto.createDecipheriv(ALGORITHM, masterKey, iv); + decipher.setAuthTag(authTag); + + let decrypted = decipher.update(encryptedData, 'hex', 'utf8'); + decrypted += decipher.final('utf8'); + return decrypted; + } catch (error) { + // Type guard for error + if (error instanceof Error) { + console.error('Decryption failed:', error.message); + } else { + console.error('Decryption failed with an unknown error:', error); + } + return null; + } +} + +// Example usage (for testing, can be removed or moved to a test file): +/* +if (require.main === module) { + const examplePassword = 'mySuperSecretPassword123!'; + const salt = generateSalt(); // In a real app, this salt for the master key would be stored (e.g., in a config file or alongside the encrypted data if not sensitive) + // Or, if the data file itself is the only thing, the salt might need to be hardcoded or configured. + // For data at rest where the password is input each time, a fixed salt (or a salt stored with the encrypted blob) is common. + // Let's assume a fixed salt for the master key for now for simplicity of this example. + const fixedSaltForMasterKey = Buffer.from('someFixedSalt12345', 'utf-8').slice(0, SALT_LENGTH); // Ensure it's correct length + + const masterKey = deriveMasterKey(examplePassword, fixedSaltForMasterKey); + console.log('Master Key (hex):', masterKey.toString('hex')); + + const originalText = "Hello, world! This is a secret message."; + console.log('\nOriginal Text:', originalText); + + const encryptedText = encrypt(originalText, masterKey); + console.log('Encrypted Text:', encryptedText); + + if (encryptedText) { + const decryptedText = decrypt(encryptedText, masterKey); + console.log('Decrypted Text:', decryptedText); + + if (decryptedText !== originalText) { + console.error('Decryption Mismatch!'); + } + + // Test with wrong key + const wrongSalt = generateSalt(); + const wrongMasterKey = deriveMasterKey("wrongPassword!", wrongSalt); + const decryptedWithWrongKey = decrypt(encryptedText, wrongMasterKey); + console.log('\nDecrypted with WRONG key:', decryptedWithWrongKey); // Should be null + + // Test tampering (modify ciphertext) + const parts = encryptedText.split(':'); + const tamperedCiphertext = parts[2].slice(0, -4) + "0000"; // Modify some bytes + const tamperedEncryptedText = `${parts[0]}:${parts[1]}:${tamperedCiphertext}`; + const decryptedTampered = decrypt(tamperedEncryptedText, masterKey); + console.log('Decrypted Tampered Ciphertext:', decryptedTampered); // Should be null due to authTag mismatch + + // Test tampering (modify IV) + const tamperedIv = crypto.randomBytes(IV_LENGTH).toString('hex'); + const tamperedEncryptedTextIv = `${tamperedIv}:${parts[1]}:${parts[2]}`; + const decryptedTamperedIv = decrypt(tamperedEncryptedTextIv, masterKey); + console.log('Decrypted Tampered IV:', decryptedTamperedIv); // Should be null + + // Test tampering (modify authTag) + const tamperedAuthTag = crypto.randomBytes(AUTH_TAG_LENGTH).toString('hex'); + const tamperedEncryptedTextAuthTag = `${parts[0]}:${tamperedAuthTag}:${parts[2]}`; + const decryptedTamperedAuthTag = decrypt(tamperedEncryptedTextAuthTag, masterKey); + console.log('Decrypted Tampered AuthTag:', decryptedTamperedAuthTag); // Should be null + } +} +*/ diff --git a/src/main.ts b/src/main.ts new file mode 100644 index 0000000..16e3807 --- /dev/null +++ b/src/main.ts @@ -0,0 +1,146 @@ +// Main application entry point +import readline from 'readline'; +import { initializeDataManager } from './lib/dataManager'; +import { startHttpServer } from './http/httpServer'; +import { startWebSocketServer } from './websocket/wsServer'; +import dotenv from 'dotenv'; +import { getConfig } from './lib/configManager'; + +// Load environment variables from .env file (e.g., for MASTER_PASSWORD) +dotenv.config(); + +// Configuration will be loaded by configManager and accessed via getConfig() +// const HTTP_PORT = parseInt(process.env.HTTP_PORT || '3000', 10); // Now from config +// const WS_PORT = parseInt(process.env.WS_PORT || '3001', 10); // Now from config + +// Store servers for graceful shutdown +let httpServerInstance: ReturnType | null = null; +let wsServerInstance: ReturnType | null = null; + + +async function getPassword(): Promise { + return new Promise((resolve, reject) => { + if (process.env.MASTER_PASSWORD) { + console.log("Using MASTER_PASSWORD from environment variable."); + resolve(process.env.MASTER_PASSWORD); + return; + } + + const rl = readline.createInterface({ + input: process.stdin, + output: process.stdout, + }); + + // Handle Ctrl+C during password prompt gracefully + rl.on('SIGINT', () => { + console.log('\nPassword input cancelled. Exiting.'); + rl.close(); + process.exit(0); + }); + + rl.question('Enter the master password for the server: ', (password) => { + rl.close(); + if (!password) { + // If running in a non-interactive environment and password is required but not provided via env. + // This specific check might be more relevant if stdin is not a TTY. + // For now, an empty password here would just proceed. + // A more robust check for actual empty input vs. just pressing enter might be needed. + console.warn("Warning: Empty password entered."); + } + resolve(password); + }); + }); +} + +async function startServer() { + console.log('Starting Key/Info Manager Server...'); + const password = await getPassword(); + + if (!password && !process.env.MASTER_PASSWORD) { + console.error('ERROR: Master password is required to start the server.'); + console.error('Please provide it when prompted or set the MASTER_PASSWORD environment variable.'); + process.exit(1); + return; // Ensure function exits if process.exit doesn't immediately terminate in all contexts + } + + console.log('Initializing data manager...'); + try { + await initializeDataManager(password); + console.log('Data manager initialized successfully.'); + } catch (error) { + console.error('Failed to initialize data manager:', error); + console.error('This could be due to an incorrect password or corrupted data file.'); + process.exit(1); + return; + } + + const config = getConfig(); // Load configuration + + console.log(`Attempting to start HTTP server on port ${config.httpPort}...`); + httpServerInstance = startHttpServer(config.httpPort, password); + + console.log(`Attempting to start WebSocket server on port ${config.wsPort}...`); + wsServerInstance = startWebSocketServer(config.wsPort); + + console.log('Server started successfully.'); + console.log(`Admin UI accessible via HTTP server (e.g., http://localhost:${config.httpPort}/admin)`); + console.log(`WebSocket connections on ws://localhost:${config.wsPort}`); +} + +function gracefulShutdown(signal: string) { + console.log(`\nReceived ${signal}. Shutting down gracefully...`); + + // Close WebSocket server connections + if (wsServerInstance) { + console.log('Closing WebSocket server...'); + wsServerInstance.clients.forEach(client => client.close()); + wsServerInstance.close((err) => { + if (err) { + console.error('Error closing WebSocket server:', err); + } else { + console.log('WebSocket server closed.'); + } + }); + } + + // Close HTTP server + // Note: Express app itself doesn't have a direct 'close' method. + // The app.listen() returns a Node.js http.Server instance, which does. + // We need to ensure startHttpServer returns the actual server instance if we want to close it. + // For now, the current startHttpServer returns `app`, not the server instance. + // This will be improved if startHttpServer is modified to return the http.Server. + // As a simple measure, just logging. For true graceful HTTP shutdown, more work is needed. + if (httpServerInstance && typeof httpServerInstance.close === 'function') { + console.log('Closing HTTP server...'); + httpServerInstance.close((err?: Error) => { + if (err) { + console.error('Error closing HTTP server:', err); + } else { + console.log('HTTP server closed.'); + } + // Consider waiting for all servers to close before exiting + // This might require more complex promise handling if multiple async closes + // For now, exiting after attempting to close WebSocket server. + }); + } else if (httpServerInstance) { + console.log('HTTP server instance does not have a close method or is not the expected type.'); + } + + + // Perform any other cleanup tasks here (e.g., saving data if not done automatically) + // For DataManager, saves are typically per-operation, but a final save could be added. + + console.log('Exiting now.'); + process.exit(0); +} + +// Listen for termination signals +process.on('SIGINT', () => gracefulShutdown('SIGINT')); // Ctrl+C +process.on('SIGTERM', () => gracefulShutdown('SIGTERM')); // kill command + +if (require.main === module) { + startServer().catch(error => { + console.error('FATAL: Failed to start server:', error); + process.exit(1); + }); +} diff --git a/src/websocket/wsServer.ts b/src/websocket/wsServer.ts new file mode 100644 index 0000000..e072559 --- /dev/null +++ b/src/websocket/wsServer.ts @@ -0,0 +1,333 @@ +// WebSocket server logic +import WebSocket from 'ws'; +import * as DataManager from '../lib/dataManager'; +import { getConfig } from '../lib/configManager'; // Import getConfig + +// Extend WebSocket instance type to hold authentication state and rate limit data +interface AuthenticatedWebSocket extends WebSocket { + clientRegisteredName?: string; // Store the name given during REGISTER_CLIENT + clientServerId?: string; // Store the server-assigned ID (from DataManager) + // Rate limiting properties + lastMessageTime?: number; + messageCount?: number; + // For IP based limiting before registration + ip?: string; +} + +// Define response codes +const WsResponseCodes = { + // Success + OK: 2000, + REGISTRATION_SUBMITTED: 2001, + // CLIENT_APPROVED: 2002, // Not used directly in responses yet + // NO_CONTENT: 2004, // Not used directly in responses yet + + // Client Errors + BAD_REQUEST: 4000, + UNAUTHORIZED: 4001, // For when client status is not 'approved' for an action + // FORBIDDEN: 4003, // Not used yet + NOT_FOUND: 4004, + CLIENT_NOT_REGISTERED: 4005, // Client hasn't sent REGISTER_CLIENT yet + CLIENT_REGISTRATION_EXPIRED: 4006, // Client's pending registration expired + RATE_LIMIT_EXCEEDED: 4029, // Standard "Too Many Requests" + // CONFLICT: 4009, // Not used yet + + // Server Errors + INTERNAL_SERVER_ERROR: 5000, +}; + +// Rate Limiting Configuration +const WS_RATE_LIMIT_WINDOW_MS = parseInt(process.env.WS_RATE_LIMIT_WINDOW_MS || (60 * 1000).toString(), 10); // 1 minute +const WS_MAX_MESSAGES_PER_WINDOW = parseInt(process.env.WS_MAX_MESSAGES_PER_WINDOW || '100', 10); // 100 messages per minute +const WS_REGISTER_RATE_LIMIT_WINDOW_MS = parseInt(process.env.WS_REGISTER_RATE_LIMIT_WINDOW_MS || (60 * 60 * 1000).toString(), 10); // 1 hour +const WS_MAX_REGISTRATIONS_PER_WINDOW = parseInt(process.env.WS_MAX_REGISTRATIONS_PER_WINDOW || '10', 10); // 10 registration attempts per hour (per IP) + +// Store for IP-based rate limiting for registration attempts +const registrationRateLimiter = new Map(); + + +// Helper function to send structured responses +function sendWsResponse(ws: AuthenticatedWebSocket, type: string, code: number, payload: object, requestId?: string) { + const response = { type, code, payload, requestId }; + ws.send(JSON.stringify(response)); +} + +// Map to store active WebSocket connections by their server-assigned client ID +const activeConnections: Map = new Map(); + +// Function to be exported for HTTP server to call +export function notifyClientStatusUpdate(clientId: string, newStatus: DataManager.ClientStatus, detail?: string) { + const ws = activeConnections.get(clientId); + if (ws && ws.readyState === WebSocket.OPEN) { + let responseCode = WsResponseCodes.OK; // Generic OK for status update + let messageType = "STATUS_UPDATE"; + + if (newStatus === 'approved') { + // Optionally use a more specific code or rely on payload. + // For now, client will get 'approved' in payload. + // responseCode = WsResponseCodes.CLIENT_APPROVED; // If we had this code used for responses + console.log(`Notifying client ${clientId} of approval.`); + } else if (newStatus === 'rejected') { + responseCode = WsResponseCodes.UNAUTHORIZED; // Or a specific "CLIENT_REJECTED" code if defined + console.log(`Notifying client ${clientId} of rejection.`); + } + // Add more cases if other statuses are pushed (e.g., 'expired' if distinct from 'rejected') + + sendWsResponse(ws, messageType, responseCode, { + newStatus: newStatus, + detail: detail || `Your registration status is now: ${newStatus}` + }); + } else { + console.log(`Client ${clientId} not actively connected or WebSocket not open. Cannot send status update.`); + } +} + + +export function startWebSocketServer(port: number) { + // Removed initialConnectionMode and acceptAllWebSocketConnections global toggle + console.log(`WebSocket server starting. All connections require registration and approval.`); + console.log(`WS Rate Limiting: General: ${WS_MAX_MESSAGES_PER_WINDOW} msgs / ${WS_RATE_LIMIT_WINDOW_MS / 1000}s. Register: ${WS_MAX_REGISTRATIONS_PER_WINDOW} attempts / ${WS_REGISTER_RATE_LIMIT_WINDOW_MS / 1000 / 60}m.`); + + + const wss = new WebSocket.Server({ port }); + + wss.on('connection', (ws: AuthenticatedWebSocket, req) => { + // Get client IP - req.socket.remoteAddress might be undefined if connection is already closed or proxied without proper headers. + // For proxies, ensure 'x-forwarded-for' is trusted and used if available. + // Simplified: use remoteAddress directly. + ws.ip = req.socket.remoteAddress || 'unknown'; + console.log(`Client connected from IP: ${ws.ip}. Awaiting registration.`); + + // Initialize rate limiting properties for general messages + ws.messageCount = 0; + ws.lastMessageTime = Date.now(); + + + ws.on('message', async (messageData) => { + let parsedMessage; + let clientRequestId: string | undefined; + + // --- General Per-Client Rate Limiting (for registered clients) --- + if (ws.clientServerId) { // Only apply this to registered clients + const now = Date.now(); + if (now - (ws.lastMessageTime || now) > WS_RATE_LIMIT_WINDOW_MS) { + ws.messageCount = 1; + ws.lastMessageTime = now; + } else { + ws.messageCount = (ws.messageCount || 0) + 1; + if (ws.messageCount > WS_MAX_MESSAGES_PER_WINDOW) { + console.warn(`Client ${ws.clientServerId} (${ws.clientRegisteredName}) exceeded general message rate limit from IP ${ws.ip}.`); + sendWsResponse(ws, "ERROR", WsResponseCodes.RATE_LIMIT_EXCEEDED, { detail: `Too many messages. Please slow down. Limit: ${WS_MAX_MESSAGES_PER_WINDOW} per ${WS_RATE_LIMIT_WINDOW_MS / 1000}s.` }); + // Optionally, could implement a short cooldown or temporary ignore here. + // For now, just sending error and processing no further for this message. + return; + } + } + } + // --- End General Per-Client Rate Limiting --- + + + try { + const messageString = messageData.toString(); + parsedMessage = JSON.parse(messageString); + clientRequestId = parsedMessage.requestId; // Capture client's requestId if provided + console.log('Received from client:', parsedMessage); + } catch (error) { + console.error('Failed to parse message or message not JSON:', messageData.toString()); + sendWsResponse(ws, "ERROR", WsResponseCodes.BAD_REQUEST, { detail: "Invalid message format. Expected JSON." }); + return; + } + + const { type, payload } = parsedMessage; + + if (type !== 'REGISTER_CLIENT' && !ws.clientServerId) { + console.log("Client sent command before registration."); + sendWsResponse(ws, "ERROR", WsResponseCodes.CLIENT_NOT_REGISTERED, { detail: "Client must register first using REGISTER_CLIENT." }, clientRequestId); + return; + } + + + switch (type) { + case 'REGISTER_CLIENT': + // --- IP-based Rate Limiting for Registration --- + const ip = ws.ip!; // Should be set on connection + const now = Date.now(); + let ipInfo = registrationRateLimiter.get(ip); + + if (ipInfo && (now - ipInfo.windowStart < WS_REGISTER_RATE_LIMIT_WINDOW_MS)) { + ipInfo.count++; + } else { // New window or first attempt for this IP + ipInfo = { count: 1, windowStart: now }; + registrationRateLimiter.set(ip, ipInfo); + } + // Clean up old entries from the registrationRateLimiter map periodically (not shown here for brevity, but important for long-running servers) + + if (ipInfo.count > WS_MAX_REGISTRATIONS_PER_WINDOW) { + console.warn(`IP ${ip} exceeded registration rate limit.`); + sendWsResponse(ws, "ERROR", WsResponseCodes.RATE_LIMIT_EXCEEDED, { detail: `Too many registration attempts from this IP. Please try again later. Limit: ${WS_MAX_REGISTRATIONS_PER_WINDOW} per ${WS_REGISTER_RATE_LIMIT_WINDOW_MS / 1000 / 60} minutes.` }, clientRequestId); + return; // Stop processing this registration request + } + // --- End IP-based Rate Limiting for Registration --- + + try { + if (ws.clientServerId) { + sendWsResponse(ws, "ERROR", WsResponseCodes.BAD_REQUEST, { detail: "Client already registered for this connection." }, clientRequestId); + return; + } + if (!payload || !payload.clientName) { + sendWsResponse(ws, "ERROR", WsResponseCodes.BAD_REQUEST, { detail: "clientName is required for registration." }, clientRequestId); + return; + } + // Add to DataManager as pending + const newClient = await DataManager.addPendingClient(payload.clientName, payload.requestedSecretKeys); + + ws.clientRegisteredName = newClient.name; + ws.clientRegisteredName = newClient.name; + ws.clientServerId = newClient.id; + + // Store active connection + activeConnections.set(newClient.id, ws); + console.log(`Active connections: ${activeConnections.size}`); + + + sendWsResponse(ws, "REGISTRATION_ACK", WsResponseCodes.REGISTRATION_SUBMITTED, { + clientId: newClient.id, + detail: `Registration for "${newClient.name}" submitted. Awaiting admin approval. Your Client ID is ${newClient.id}.` + }, clientRequestId); + console.log(`Client "${newClient.name}" (ID: ${newClient.id}) registration submitted.`); + + // Auto-approve if flag is set + if (getConfig().autoApproveWebSocketRegistrations) { + console.log(`Auto-approving client ${newClient.id} (debug mode).`); + try { + await DataManager.approveClient(newClient.id); + notifyClientStatusUpdate(newClient.id, 'approved', 'Client registration automatically approved (debug mode).'); + } catch (approvalError) { + console.error(`Error auto-approving client ${newClient.id}:`, approvalError); + // Optionally notify client of auto-approval failure, though they'll remain pending + } + } + + } catch (error: any) { + console.error("Registration error:", error); + sendWsResponse(ws, "ERROR", WsResponseCodes.INTERNAL_SERVER_ERROR, { detail: "An internal error occurred during registration. Please try again later or contact support if the issue persists." }, clientRequestId); + } + break; + + // Placeholder for other message types (e.g., REQUEST_SECRET) - will be handled in next step + // For now, if not authenticated, reject other types. + default: + // At this point, ws.clientServerId should be set if type is not REGISTER_CLIENT. + // Now, we check the client's status from DataManager. + const clientInfo = ws.clientServerId ? DataManager.getClient(ws.clientServerId) : undefined; + + if (!clientInfo) { + console.log(`Client data not found for ID: ${ws.clientServerId}. Terminating connection.`); + sendWsResponse(ws, "ERROR", WsResponseCodes.UNAUTHORIZED, { detail: "Client not recognized or registration incomplete. Please re-register." }, clientRequestId); + ws.terminate(); // Or close, terminate is more abrupt + return; + } + + if (clientInfo.status === 'pending') { + // Check if registration might have expired + if (clientInfo.registrationTimestamp && (Date.now() - clientInfo.registrationTimestamp > (60 * 1000 + 5000))) { // Add 5s buffer to expiry check + sendWsResponse(ws, "ERROR", WsResponseCodes.CLIENT_REGISTRATION_EXPIRED, { detail: "Your registration request has expired. Please register again." }, clientRequestId); + } else { + sendWsResponse(ws, "ERROR", WsResponseCodes.UNAUTHORIZED, { detail: "Client registration is pending admin approval." }, clientRequestId); + } + return; + } + + if (clientInfo.status === 'rejected') { + sendWsResponse(ws, "ERROR", WsResponseCodes.UNAUTHORIZED, { detail: "Client registration was rejected by admin." }, clientRequestId); + return; + } + + if (clientInfo.status !== 'approved') { + sendWsResponse(ws, "ERROR", WsResponseCodes.UNAUTHORIZED, { detail: `Client not approved. Current status: ${clientInfo.status}.` }, clientRequestId); + return; + } + + // If we reach here, client is approved. + console.log(`Processing message type "${type}" for approved client: ${clientInfo.name} (${clientInfo.id})`); + + // Handle messages for authenticated clients + switch(type) { + case 'REQUEST_SECRET': + try { + if (!payload || !payload.secretKey) { + sendWsResponse(ws, "ERROR", WsResponseCodes.BAD_REQUEST, { detail: "secretKey is required for REQUEST_SECRET." }, clientRequestId); + return; + } + const secretKeyToRequest = payload.secretKey; + // Use new DataManager function to get all keys client is authorized for + const authorizedKeys = DataManager.getSecretsForClient(clientInfo.id); + + if (authorizedKeys.includes(secretKeyToRequest)) { + const secretData = DataManager.getSecretWithValue(secretKeyToRequest); // Fetch {value, groupId} + if (secretData && secretData.value !== undefined) { + sendWsResponse(ws, "SECRET_DATA", WsResponseCodes.OK, { secretKey: secretKeyToRequest, value: secretData.value }, clientRequestId); + } else { + // This case implies an inconsistency: client is authorized for a key that doesn't exist in secrets store. + console.error(`Client ${clientInfo.name} (ID: ${clientInfo.id}) authorized for non-existent secret key "${secretKeyToRequest}". Data inconsistency.`); + sendWsResponse(ws, "ERROR", WsResponseCodes.NOT_FOUND, { detail: `Secret key "${secretKeyToRequest}" not found on server, though client is authorized. Please contact admin.` }, clientRequestId); + } + } else { + sendWsResponse(ws, "ERROR", WsResponseCodes.UNAUTHORIZED, { detail: `You are not authorized to access the secret key "${secretKeyToRequest}".` }, clientRequestId); + } + } catch (error: any) { + console.error("Error processing REQUEST_SECRET:", error); + sendWsResponse(ws, "ERROR", WsResponseCodes.INTERNAL_SERVER_ERROR, { detail: "An internal error occurred while requesting the secret. Please try again later." }, clientRequestId); + } + break; + + case 'LIST_AUTHORIZED_SECRETS': + try { + const authorizedKeys = DataManager.getSecretsForClient(clientInfo.id); + sendWsResponse(ws, "AUTHORIZED_SECRETS_LIST", WsResponseCodes.OK, { authorizedSecretKeys: authorizedKeys }, clientRequestId); + } catch (error: any) { + console.error("Error processing LIST_AUTHORIZED_SECRETS:", error); + sendWsResponse(ws, "ERROR", WsResponseCodes.INTERNAL_SERVER_ERROR, { detail: "An internal error occurred while listing authorized secrets. Please try again later." }, clientRequestId); + } + break; + + default: + console.log(`Approved client ${clientInfo.name} sent unhandled message type: ${type}`); + sendWsResponse(ws, "ERROR", WsResponseCodes.BAD_REQUEST, { detail: `Unknown message type: ${type}` }, clientRequestId); + break; + } + break; + } + }); + + ws.on('close', async () => { // Made async to await DataManager call + const clientName = ws.clientRegisteredName || 'Unknown'; + const clientId = ws.clientServerId; + console.log(`Client ${clientName} (${clientId || 'N/A'}) disconnected from WebSocket server`); + + if (clientId) { + activeConnections.delete(clientId); + console.log(`Removed client ${clientId} from active connections. Remaining: ${activeConnections.size}`); + + // Check client status before calling handleClientDisconnect + const clientInfo = DataManager.getClient(clientId); + if (clientInfo && clientInfo.status === 'approved') { + try { + await DataManager.handleClientDisconnect(clientId); + } catch (dbError) { + console.error(`Error updating DataManager on disconnect for client ${clientId}:`, dbError); + } + } + } + }); + + ws.on('error', (error) => { + console.error(`WebSocket error for client ${ws.clientRegisteredName || 'Unknown'}:`, error); + }); + + sendWsResponse(ws, "WELCOME", WsResponseCodes.OK, { detail: "Welcome! Please register your client using REGISTER_CLIENT message." }); + }); + + console.log(`WebSocket server started on ws://localhost:${port}`); + return wss; +} diff --git a/tsconfig.json b/tsconfig.json new file mode 100644 index 0000000..36f3935 --- /dev/null +++ b/tsconfig.json @@ -0,0 +1,15 @@ +{ + "compilerOptions": { + "target": "ES2020", + "module": "commonjs", + "rootDir": "./src", + "outDir": "./dist", + "esModuleInterop": true, + "strict": true, + "skipLibCheck": true, // Good for avoiding issues with @types packages if they have minor inconsistencies + "forceConsistentCasingInFileNames": true, + "resolveJsonModule": true // Allows importing JSON files + }, + "include": ["src/**/*"], + "exclude": ["node_modules", "**/*.spec.ts", "**/*.test.ts"] +} diff --git a/views/admin.ejs b/views/admin.ejs new file mode 100644 index 0000000..5428b4b --- /dev/null +++ b/views/admin.ejs @@ -0,0 +1,181 @@ + + + + + Admin - Key/Info Management + + + +
+

Secret Management

+ + + <% if (message && message.text) { %> +
+ <%= message.text %> +
+ <% } %> + +

Manage Secrets

+ + <% if (editingItemKey !== null && itemToEdit !== undefined && typeof itemToEdit.value !== 'undefined') { %> +

Edit Secret Value: <%= editingItemKey %>

+
+ + + <%# Key is not changeable here %> + +
+ +

<%= editingItemKey %>

+
+
+ +

+ <%= itemToEdit.groupName %> (ID: <%= itemToEdit.groupId %>) + <% if (!itemToEdit.groupId) { %> (Warning: No group assigned or group missing!) <% } %> +

+
+
+ + +
+ + Cancel Edit +
+ <% } else { %> +

Add New Secret

+
+ +
+ + +
+
+ + disabled<% } %>> +
+
+ + +
+ +
+ <% } %> + + <% if (typeof editingGroup !== 'undefined' && editingGroup) { %> +
+

Rename Secret Group: <%= editingGroup.name %> (ID: <%= editingGroup.id %>)

+
+ +
+ + +
+ + Cancel +
+ <% } %> + +
+ +

Secret Groups

+ +

Create New Secret Group

+
+ +
+ + +
+ +
+ + <% if (secretGroups && secretGroups.length > 0) { %> +

Existing Secret Groups

+ + + + + + + + + + + <% secretGroups.forEach(group => { %> + + + + + + + <% }); %> + +
IDNameKeys in GroupActions
<%= group.id %><%= group.name %><%= group.keys.length %> + View/Manage Secrets + Rename +
\" (ID: <%= group.id %>)? All secrets within this group will also be permanently deleted.');"> + + +
+
+ <% } else { %> +

No secret groups found. Create one above or via API.

+ <% } %> + + +
+ +

Existing Secrets

+ <% if (secrets && secrets.length > 0) { %> + + + + + + + + + + <% secrets.forEach(secret => { %> + + + + + + <% }); %> + +
KeyValue (Preview)Actions
<%= secret.key %> + <% + let preview = typeof secret.value === 'string' ? secret.value : JSON.stringify(secret.value); + if (preview.length > 50) preview = preview.substring(0, 50) + '...'; + %> + <%= preview %> + + Edit +
+ + +
+
+ <% } else { %> +

No secrets stored yet.

+ <% } %> +
+ <%# Password param and client-side script for it are no longer needed %> + + diff --git a/views/clients.ejs b/views/clients.ejs new file mode 100644 index 0000000..86a0ef9 --- /dev/null +++ b/views/clients.ejs @@ -0,0 +1,140 @@ + + + + + Admin - Client Management + + + +
+

Client Application Management

+ + + <% if (message && message.text) { %> +
+ <%= message.text %> +
+ <% } %> + + <% if (!managingClientGroups) { %> +
+

WebSocket Settings (Debug)

+
+ + + +
+
+ <% } %> + + <% if (managingClientGroups) { %> +

Manage Associated Groups for Client: <%= managingClientGroups.client.name %> (<%= managingClientGroups.client.id %>)

+
+ +
+ + <% if (managingClientGroups.allGroups && managingClientGroups.allGroups.length > 0) { %> + <% managingClientGroups.allGroups.forEach(group => { %> +
+ > + +
+ <% }); %> + <% } else { %> +

No groups available to associate. Create groups in the main admin panel first.

+ <% } %> +
+ + Back to Client List +
+ <% } else { %> +

Pending Client Registrations

+ <% if (pendingClients && pendingClients.length > 0) { %> + + + + + + + + + + + + <% pendingClients.forEach(client => { %> + + + + + + + + <% }); %> + +
NameClient ID / Temp IDRequested Secrets (Legacy)Date RegisteredActions
<%= client.name %><%= client.id %><%= client.requestedSecretKeys && client.requestedSecretKeys.length > 0 ? client.requestedSecretKeys.join(', ') : 'None' %><%= new Date(client.dateCreated).toLocaleString() %> +
+ + +
+
+ + +
+
+ <% } else { %> +

No pending client registrations.

+ <% } %> + +

Approved Clients

+ <% if (approvedClients && approvedClients.length > 0) { %> + + + + + + + + + + + + <% approvedClients.forEach(client => { %> + + + + <%# Now using associatedGroupNames from server %> + + + + <% }); %> + +
NameClient IDAssociated GroupsDate Approved/UpdatedActions
<%= client.name %><%= client.id %><%= client.associatedGroupNames %><%= new Date(client.dateUpdated).toLocaleString() %> + Manage Groups +
+ + +
+
+ <% } else { %> +

No approved clients.

+ <% } %> + <% } %> +
+ + <%# The script for auto-approve toggle has been removed as it's now a form submission %> + <%# The csrfToken is still available globally in the template if other scripts need it, %> + <%# passed directly from the route handler. %> + + + diff --git a/views/group_secrets.ejs b/views/group_secrets.ejs new file mode 100644 index 0000000..4038560 --- /dev/null +++ b/views/group_secrets.ejs @@ -0,0 +1,97 @@ + + + + + Admin - Manage Secrets in Group: <%= group.name %> + + + +
+ + +

Manage Secrets in Group: <%= group.name %> (ID: <%= group.id %>)

+ + <% if (message && message.text) { %> +
+ <%= message.text %> +
+ <% } %> + + <%# Placeholder for "Add New Secret to This Group" form - Step 5c %> +

Add New Secret to Group "<%= group.name %>"

+
+ +
+ + +
+
+ + +
+ +
+
+ + <% if (typeof editingSecretKey !== 'undefined' && editingSecretKey && typeof secretToEdit !== 'undefined') { %> +

Edit Secret Value: <%= editingSecretKey %> in Group <%= group.name %>

+
+ +
+ + +
+
+ + +
+ + Cancel Edit +
+
+ <% } %> + + +

Secrets in this Group

+ <% if (secretsInGroup && secretsInGroup.length > 0) { %> + + + + + + + + + + <% secretsInGroup.forEach(secret => { %> + + + + + + <% }); %> + +
KeyValue (Preview)Actions
<%= secret.key %> + <% + let preview = typeof secret.value === 'string' ? secret.value : JSON.stringify(secret.value); + if (preview.length > 50) preview = preview.substring(0, 50) + '...'; + %> + <%= preview %> + + Edit Value +
\"? This action cannot be undone.');"> + + +
+
+ <% } else { %> +

No secrets currently in this group. You can add one above.

+ <% } %> + +
+ +