🧵 refactor: Migrate Endpoint Initialization to TypeScript (#10794)
* refactor: move endpoint initialization methods to typescript
* refactor: move agent init to packages/api
- Introduced `initialize.ts` for agent initialization, including file processing and tool loading.
- Updated `resources.ts` to allow optional appConfig parameter.
- Enhanced endpoint configuration handling in various initialization files to support model parameters.
- Added new artifacts and prompts for React component generation.
- Refactored existing code to improve type safety and maintainability.
* refactor: streamline endpoint initialization and enhance type safety
- Updated initialization functions across various endpoints to use a consistent request structure, replacing `unknown` types with `ServerResponse`.
- Simplified request handling by directly extracting keys from the request body.
- Improved type safety by ensuring user IDs are safely accessed with optional chaining.
- Removed unnecessary parameters and streamlined model options handling for better clarity and maintainability.
* refactor: moved ModelService and extractBaseURL to packages/api
- Added comprehensive tests for the models fetching functionality, covering scenarios for OpenAI, Anthropic, Google, and Ollama models.
- Updated existing endpoint index to include the new models module.
- Enhanced utility functions for URL extraction and model data processing.
- Improved type safety and error handling across the models fetching logic.
* refactor: consolidate utility functions and remove unused files
- Merged `deriveBaseURL` and `extractBaseURL` into the `@librechat/api` module for better organization.
- Removed redundant utility files and their associated tests to streamline the codebase.
- Updated imports across various client files to utilize the new consolidated functions.
- Enhanced overall maintainability by reducing the number of utility modules.
* refactor: replace ModelService references with direct imports from @librechat/api and remove ModelService file
* refactor: move encrypt/decrypt methods and key db methods to data-schemas, use `getProviderConfig` from `@librechat/api`
* chore: remove unused 'res' from options in AgentClient
* refactor: file model imports and methods
- Updated imports in various controllers and services to use the unified file model from '~/models' instead of '~/models/File'.
- Consolidated file-related methods into a new file methods module in the data-schemas package.
- Added comprehensive tests for file methods including creation, retrieval, updating, and deletion.
- Enhanced the initializeAgent function to accept dependency injection for file-related methods.
- Improved error handling and logging in file methods.
* refactor: streamline database method references in agent initialization
* refactor: enhance file method tests and update type references to IMongoFile
* refactor: consolidate database method imports in agent client and initialization
* chore: remove redundant import of initializeAgent from @librechat/api
* refactor: move checkUserKeyExpiry utility to @librechat/api and update references across endpoints
* refactor: move updateUserPlugins logic to user.ts and simplify UserController
* refactor: update imports for user key management and remove UserService
* refactor: remove unused Anthropics and Bedrock endpoint files and clean up imports
* refactor: consolidate and update encryption imports across various files to use @librechat/data-schemas
* chore: update file model mock to use unified import from '~/models'
* chore: import order
* refactor: remove migrated to TS agent.js file and its associated logic from the endpoints
* chore: add reusable function to extract imports from source code in unused-packages workflow
* chore: enhance unused-packages workflow to include @librechat/api dependencies and improve dependency extraction
* chore: improve dependency extraction in unused-packages workflow with enhanced error handling and debugging output
* chore: add detailed debugging output to unused-packages workflow for better visibility into unused dependencies and exclusion lists
* chore: refine subpath handling in unused-packages workflow to correctly process scoped and non-scoped package imports
* chore: clean up unused debug output in unused-packages workflow and reorganize type imports in initialize.ts
2025-12-03 17:21:41 -05:00
|
|
|
import mongoose from 'mongoose';
|
|
|
|
|
import { v4 as uuidv4 } from 'uuid';
|
|
|
|
|
import { MongoMemoryServer } from 'mongodb-memory-server';
|
|
|
|
|
import { EToolResources, FileContext } from 'librechat-data-provider';
|
|
|
|
|
import { createFileMethods } from './file';
|
|
|
|
|
import { createModels } from '~/models';
|
|
|
|
|
|
|
|
|
|
let File: mongoose.Model<unknown>;
|
|
|
|
|
let fileMethods: ReturnType<typeof createFileMethods>;
|
|
|
|
|
let mongoServer: MongoMemoryServer;
|
|
|
|
|
let modelsToCleanup: string[] = [];
|
|
|
|
|
|
|
|
|
|
describe('File Methods', () => {
|
|
|
|
|
beforeAll(async () => {
|
|
|
|
|
mongoServer = await MongoMemoryServer.create();
|
|
|
|
|
const mongoUri = mongoServer.getUri();
|
|
|
|
|
await mongoose.connect(mongoUri);
|
|
|
|
|
|
|
|
|
|
const models = createModels(mongoose);
|
|
|
|
|
modelsToCleanup = Object.keys(models);
|
|
|
|
|
Object.assign(mongoose.models, models);
|
|
|
|
|
|
|
|
|
|
File = mongoose.models.File as mongoose.Model<unknown>;
|
|
|
|
|
fileMethods = createFileMethods(mongoose);
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
afterAll(async () => {
|
|
|
|
|
const collections = mongoose.connection.collections;
|
|
|
|
|
for (const key in collections) {
|
|
|
|
|
await collections[key].deleteMany({});
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
for (const modelName of modelsToCleanup) {
|
|
|
|
|
if (mongoose.models[modelName]) {
|
|
|
|
|
delete mongoose.models[modelName];
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
await mongoose.disconnect();
|
|
|
|
|
await mongoServer.stop();
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
beforeEach(async () => {
|
|
|
|
|
await File.deleteMany({});
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
describe('createFile', () => {
|
|
|
|
|
it('should create a new file with TTL', async () => {
|
|
|
|
|
const fileId = uuidv4();
|
|
|
|
|
const userId = new mongoose.Types.ObjectId();
|
|
|
|
|
|
|
|
|
|
const file = await fileMethods.createFile({
|
|
|
|
|
file_id: fileId,
|
|
|
|
|
user: userId,
|
|
|
|
|
filename: 'test.txt',
|
|
|
|
|
filepath: '/uploads/test.txt',
|
|
|
|
|
type: 'text/plain',
|
|
|
|
|
bytes: 100,
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
expect(file).not.toBeNull();
|
|
|
|
|
expect(file?.file_id).toBe(fileId);
|
|
|
|
|
expect(file?.filename).toBe('test.txt');
|
|
|
|
|
expect(file?.expiresAt).toBeDefined();
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
it('should create a file without TTL when disableTTL is true', async () => {
|
|
|
|
|
const fileId = uuidv4();
|
|
|
|
|
const userId = new mongoose.Types.ObjectId();
|
|
|
|
|
|
|
|
|
|
const file = await fileMethods.createFile(
|
|
|
|
|
{
|
|
|
|
|
file_id: fileId,
|
|
|
|
|
user: userId,
|
|
|
|
|
filename: 'permanent.txt',
|
|
|
|
|
filepath: '/uploads/permanent.txt',
|
|
|
|
|
type: 'text/plain',
|
|
|
|
|
bytes: 200,
|
|
|
|
|
},
|
|
|
|
|
true,
|
|
|
|
|
);
|
|
|
|
|
|
|
|
|
|
expect(file).not.toBeNull();
|
|
|
|
|
expect(file?.file_id).toBe(fileId);
|
|
|
|
|
expect(file?.expiresAt).toBeUndefined();
|
|
|
|
|
});
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
describe('findFileById', () => {
|
|
|
|
|
it('should find a file by file_id', async () => {
|
|
|
|
|
const fileId = uuidv4();
|
|
|
|
|
const userId = new mongoose.Types.ObjectId();
|
|
|
|
|
|
|
|
|
|
await fileMethods.createFile({
|
|
|
|
|
file_id: fileId,
|
|
|
|
|
user: userId,
|
|
|
|
|
filename: 'find-me.txt',
|
|
|
|
|
filepath: '/uploads/find-me.txt',
|
|
|
|
|
type: 'text/plain',
|
|
|
|
|
bytes: 150,
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
const found = await fileMethods.findFileById(fileId);
|
|
|
|
|
expect(found).not.toBeNull();
|
|
|
|
|
expect(found?.file_id).toBe(fileId);
|
|
|
|
|
expect(found?.filename).toBe('find-me.txt');
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
it('should return null for non-existent file', async () => {
|
|
|
|
|
const found = await fileMethods.findFileById('non-existent');
|
|
|
|
|
expect(found).toBeNull();
|
|
|
|
|
});
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
describe('getFiles', () => {
|
|
|
|
|
it('should retrieve multiple files matching filter', async () => {
|
|
|
|
|
const userId = new mongoose.Types.ObjectId();
|
|
|
|
|
const fileIds = [uuidv4(), uuidv4(), uuidv4()];
|
|
|
|
|
|
|
|
|
|
for (const fileId of fileIds) {
|
|
|
|
|
await fileMethods.createFile({
|
|
|
|
|
file_id: fileId,
|
|
|
|
|
user: userId,
|
|
|
|
|
filename: `file-${fileId}.txt`,
|
|
|
|
|
filepath: `/uploads/${fileId}.txt`,
|
|
|
|
|
type: 'text/plain',
|
|
|
|
|
bytes: 100,
|
|
|
|
|
});
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
const files = await fileMethods.getFiles({ user: userId });
|
|
|
|
|
expect(files).toHaveLength(3);
|
🗂️ feat: Better Persistence for Code Execution Files Between Sessions (#11362)
* refactor: process code output files for re-use (WIP)
* feat: file attachment handling with additional metadata for downloads
* refactor: Update directory path logic for local file saving based on basePath
* refactor: file attachment handling to support TFile type and improve data merging logic
* feat: thread filtering of code-generated files
- Introduced parentMessageId parameter in addedConvo and initialize functions to enhance thread management.
- Updated related methods to utilize parentMessageId for retrieving messages and filtering code-generated files by conversation threads.
- Enhanced type definitions to include parentMessageId in relevant interfaces for better clarity and usage.
* chore: imports/params ordering
* feat: update file model to use messageId for filtering and processing
- Changed references from 'message' to 'messageId' in file-related methods for consistency.
- Added messageId field to the file schema and updated related types.
- Enhanced file processing logic to accommodate the new messageId structure.
* feat: enhance file retrieval methods to support user-uploaded execute_code files
- Added a new method `getUserCodeFiles` to retrieve user-uploaded execute_code files, excluding code-generated files.
- Updated existing file retrieval methods to improve filtering logic and handle edge cases.
- Enhanced thread data extraction to collect both message IDs and file IDs efficiently.
- Integrated `getUserCodeFiles` into relevant endpoints for better file management in conversations.
* chore: update @librechat/agents package version to 3.0.78 in package-lock.json and related package.json files
* refactor: file processing and retrieval logic
- Added a fallback mechanism for download URLs when files exceed size limits or cannot be processed locally.
- Implemented a deduplication strategy for code-generated files based on conversationId and filename to optimize storage.
- Updated file retrieval methods to ensure proper filtering by messageIds, preventing orphaned files from being included.
- Introduced comprehensive tests for new thread data extraction functionality, covering edge cases and performance considerations.
* fix: improve file retrieval tests and handling of optional properties
- Updated tests to safely access optional properties using non-null assertions.
- Modified test descriptions for clarity regarding the exclusion of execute_code files.
- Ensured that the retrieval logic correctly reflects the expected outcomes for file queries.
* test: add comprehensive unit tests for processCodeOutput functionality
- Introduced a new test suite for the processCodeOutput function, covering various scenarios including file retrieval, creation, and processing for both image and non-image files.
- Implemented mocks for dependencies such as axios, logger, and file models to isolate tests and ensure reliable outcomes.
- Validated behavior for existing files, new file creation, and error handling, including size limits and fallback mechanisms.
- Enhanced test coverage for metadata handling and usage increment logic, ensuring robust verification of file processing outcomes.
* test: enhance file size limit enforcement in processCodeOutput tests
- Introduced a configurable file size limit for tests to improve flexibility and coverage.
- Mocked the `librechat-data-provider` to allow dynamic adjustment of file size limits during tests.
- Updated the file size limit enforcement test to validate behavior when files exceed specified limits, ensuring proper fallback to download URLs.
- Reset file size limit after tests to maintain isolation for subsequent test cases.
2026-01-16 10:06:24 -05:00
|
|
|
expect(files!.map((f) => f.file_id)).toEqual(expect.arrayContaining(fileIds));
|
🧵 refactor: Migrate Endpoint Initialization to TypeScript (#10794)
* refactor: move endpoint initialization methods to typescript
* refactor: move agent init to packages/api
- Introduced `initialize.ts` for agent initialization, including file processing and tool loading.
- Updated `resources.ts` to allow optional appConfig parameter.
- Enhanced endpoint configuration handling in various initialization files to support model parameters.
- Added new artifacts and prompts for React component generation.
- Refactored existing code to improve type safety and maintainability.
* refactor: streamline endpoint initialization and enhance type safety
- Updated initialization functions across various endpoints to use a consistent request structure, replacing `unknown` types with `ServerResponse`.
- Simplified request handling by directly extracting keys from the request body.
- Improved type safety by ensuring user IDs are safely accessed with optional chaining.
- Removed unnecessary parameters and streamlined model options handling for better clarity and maintainability.
* refactor: moved ModelService and extractBaseURL to packages/api
- Added comprehensive tests for the models fetching functionality, covering scenarios for OpenAI, Anthropic, Google, and Ollama models.
- Updated existing endpoint index to include the new models module.
- Enhanced utility functions for URL extraction and model data processing.
- Improved type safety and error handling across the models fetching logic.
* refactor: consolidate utility functions and remove unused files
- Merged `deriveBaseURL` and `extractBaseURL` into the `@librechat/api` module for better organization.
- Removed redundant utility files and their associated tests to streamline the codebase.
- Updated imports across various client files to utilize the new consolidated functions.
- Enhanced overall maintainability by reducing the number of utility modules.
* refactor: replace ModelService references with direct imports from @librechat/api and remove ModelService file
* refactor: move encrypt/decrypt methods and key db methods to data-schemas, use `getProviderConfig` from `@librechat/api`
* chore: remove unused 'res' from options in AgentClient
* refactor: file model imports and methods
- Updated imports in various controllers and services to use the unified file model from '~/models' instead of '~/models/File'.
- Consolidated file-related methods into a new file methods module in the data-schemas package.
- Added comprehensive tests for file methods including creation, retrieval, updating, and deletion.
- Enhanced the initializeAgent function to accept dependency injection for file-related methods.
- Improved error handling and logging in file methods.
* refactor: streamline database method references in agent initialization
* refactor: enhance file method tests and update type references to IMongoFile
* refactor: consolidate database method imports in agent client and initialization
* chore: remove redundant import of initializeAgent from @librechat/api
* refactor: move checkUserKeyExpiry utility to @librechat/api and update references across endpoints
* refactor: move updateUserPlugins logic to user.ts and simplify UserController
* refactor: update imports for user key management and remove UserService
* refactor: remove unused Anthropics and Bedrock endpoint files and clean up imports
* refactor: consolidate and update encryption imports across various files to use @librechat/data-schemas
* chore: update file model mock to use unified import from '~/models'
* chore: import order
* refactor: remove migrated to TS agent.js file and its associated logic from the endpoints
* chore: add reusable function to extract imports from source code in unused-packages workflow
* chore: enhance unused-packages workflow to include @librechat/api dependencies and improve dependency extraction
* chore: improve dependency extraction in unused-packages workflow with enhanced error handling and debugging output
* chore: add detailed debugging output to unused-packages workflow for better visibility into unused dependencies and exclusion lists
* chore: refine subpath handling in unused-packages workflow to correctly process scoped and non-scoped package imports
* chore: clean up unused debug output in unused-packages workflow and reorganize type imports in initialize.ts
2025-12-03 17:21:41 -05:00
|
|
|
});
|
|
|
|
|
|
|
|
|
|
it('should exclude text field by default', async () => {
|
|
|
|
|
const fileId = uuidv4();
|
|
|
|
|
const userId = new mongoose.Types.ObjectId();
|
|
|
|
|
|
|
|
|
|
await fileMethods.createFile({
|
|
|
|
|
file_id: fileId,
|
|
|
|
|
user: userId,
|
|
|
|
|
filename: 'with-text.txt',
|
|
|
|
|
filepath: '/uploads/with-text.txt',
|
|
|
|
|
type: 'text/plain',
|
|
|
|
|
bytes: 100,
|
|
|
|
|
text: 'Some content here',
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
const files = await fileMethods.getFiles({ file_id: fileId });
|
|
|
|
|
expect(files).toHaveLength(1);
|
🗂️ feat: Better Persistence for Code Execution Files Between Sessions (#11362)
* refactor: process code output files for re-use (WIP)
* feat: file attachment handling with additional metadata for downloads
* refactor: Update directory path logic for local file saving based on basePath
* refactor: file attachment handling to support TFile type and improve data merging logic
* feat: thread filtering of code-generated files
- Introduced parentMessageId parameter in addedConvo and initialize functions to enhance thread management.
- Updated related methods to utilize parentMessageId for retrieving messages and filtering code-generated files by conversation threads.
- Enhanced type definitions to include parentMessageId in relevant interfaces for better clarity and usage.
* chore: imports/params ordering
* feat: update file model to use messageId for filtering and processing
- Changed references from 'message' to 'messageId' in file-related methods for consistency.
- Added messageId field to the file schema and updated related types.
- Enhanced file processing logic to accommodate the new messageId structure.
* feat: enhance file retrieval methods to support user-uploaded execute_code files
- Added a new method `getUserCodeFiles` to retrieve user-uploaded execute_code files, excluding code-generated files.
- Updated existing file retrieval methods to improve filtering logic and handle edge cases.
- Enhanced thread data extraction to collect both message IDs and file IDs efficiently.
- Integrated `getUserCodeFiles` into relevant endpoints for better file management in conversations.
* chore: update @librechat/agents package version to 3.0.78 in package-lock.json and related package.json files
* refactor: file processing and retrieval logic
- Added a fallback mechanism for download URLs when files exceed size limits or cannot be processed locally.
- Implemented a deduplication strategy for code-generated files based on conversationId and filename to optimize storage.
- Updated file retrieval methods to ensure proper filtering by messageIds, preventing orphaned files from being included.
- Introduced comprehensive tests for new thread data extraction functionality, covering edge cases and performance considerations.
* fix: improve file retrieval tests and handling of optional properties
- Updated tests to safely access optional properties using non-null assertions.
- Modified test descriptions for clarity regarding the exclusion of execute_code files.
- Ensured that the retrieval logic correctly reflects the expected outcomes for file queries.
* test: add comprehensive unit tests for processCodeOutput functionality
- Introduced a new test suite for the processCodeOutput function, covering various scenarios including file retrieval, creation, and processing for both image and non-image files.
- Implemented mocks for dependencies such as axios, logger, and file models to isolate tests and ensure reliable outcomes.
- Validated behavior for existing files, new file creation, and error handling, including size limits and fallback mechanisms.
- Enhanced test coverage for metadata handling and usage increment logic, ensuring robust verification of file processing outcomes.
* test: enhance file size limit enforcement in processCodeOutput tests
- Introduced a configurable file size limit for tests to improve flexibility and coverage.
- Mocked the `librechat-data-provider` to allow dynamic adjustment of file size limits during tests.
- Updated the file size limit enforcement test to validate behavior when files exceed specified limits, ensuring proper fallback to download URLs.
- Reset file size limit after tests to maintain isolation for subsequent test cases.
2026-01-16 10:06:24 -05:00
|
|
|
expect(files![0].text).toBeUndefined();
|
🧵 refactor: Migrate Endpoint Initialization to TypeScript (#10794)
* refactor: move endpoint initialization methods to typescript
* refactor: move agent init to packages/api
- Introduced `initialize.ts` for agent initialization, including file processing and tool loading.
- Updated `resources.ts` to allow optional appConfig parameter.
- Enhanced endpoint configuration handling in various initialization files to support model parameters.
- Added new artifacts and prompts for React component generation.
- Refactored existing code to improve type safety and maintainability.
* refactor: streamline endpoint initialization and enhance type safety
- Updated initialization functions across various endpoints to use a consistent request structure, replacing `unknown` types with `ServerResponse`.
- Simplified request handling by directly extracting keys from the request body.
- Improved type safety by ensuring user IDs are safely accessed with optional chaining.
- Removed unnecessary parameters and streamlined model options handling for better clarity and maintainability.
* refactor: moved ModelService and extractBaseURL to packages/api
- Added comprehensive tests for the models fetching functionality, covering scenarios for OpenAI, Anthropic, Google, and Ollama models.
- Updated existing endpoint index to include the new models module.
- Enhanced utility functions for URL extraction and model data processing.
- Improved type safety and error handling across the models fetching logic.
* refactor: consolidate utility functions and remove unused files
- Merged `deriveBaseURL` and `extractBaseURL` into the `@librechat/api` module for better organization.
- Removed redundant utility files and their associated tests to streamline the codebase.
- Updated imports across various client files to utilize the new consolidated functions.
- Enhanced overall maintainability by reducing the number of utility modules.
* refactor: replace ModelService references with direct imports from @librechat/api and remove ModelService file
* refactor: move encrypt/decrypt methods and key db methods to data-schemas, use `getProviderConfig` from `@librechat/api`
* chore: remove unused 'res' from options in AgentClient
* refactor: file model imports and methods
- Updated imports in various controllers and services to use the unified file model from '~/models' instead of '~/models/File'.
- Consolidated file-related methods into a new file methods module in the data-schemas package.
- Added comprehensive tests for file methods including creation, retrieval, updating, and deletion.
- Enhanced the initializeAgent function to accept dependency injection for file-related methods.
- Improved error handling and logging in file methods.
* refactor: streamline database method references in agent initialization
* refactor: enhance file method tests and update type references to IMongoFile
* refactor: consolidate database method imports in agent client and initialization
* chore: remove redundant import of initializeAgent from @librechat/api
* refactor: move checkUserKeyExpiry utility to @librechat/api and update references across endpoints
* refactor: move updateUserPlugins logic to user.ts and simplify UserController
* refactor: update imports for user key management and remove UserService
* refactor: remove unused Anthropics and Bedrock endpoint files and clean up imports
* refactor: consolidate and update encryption imports across various files to use @librechat/data-schemas
* chore: update file model mock to use unified import from '~/models'
* chore: import order
* refactor: remove migrated to TS agent.js file and its associated logic from the endpoints
* chore: add reusable function to extract imports from source code in unused-packages workflow
* chore: enhance unused-packages workflow to include @librechat/api dependencies and improve dependency extraction
* chore: improve dependency extraction in unused-packages workflow with enhanced error handling and debugging output
* chore: add detailed debugging output to unused-packages workflow for better visibility into unused dependencies and exclusion lists
* chore: refine subpath handling in unused-packages workflow to correctly process scoped and non-scoped package imports
* chore: clean up unused debug output in unused-packages workflow and reorganize type imports in initialize.ts
2025-12-03 17:21:41 -05:00
|
|
|
});
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
describe('getToolFilesByIds', () => {
|
|
|
|
|
it('should retrieve files for file_search tool (embedded files)', async () => {
|
|
|
|
|
const userId = new mongoose.Types.ObjectId();
|
|
|
|
|
const embeddedFileId = uuidv4();
|
|
|
|
|
const regularFileId = uuidv4();
|
|
|
|
|
|
|
|
|
|
await fileMethods.createFile({
|
|
|
|
|
file_id: embeddedFileId,
|
|
|
|
|
user: userId,
|
|
|
|
|
filename: 'embedded.txt',
|
|
|
|
|
filepath: '/uploads/embedded.txt',
|
|
|
|
|
type: 'text/plain',
|
|
|
|
|
bytes: 100,
|
|
|
|
|
embedded: true,
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
await fileMethods.createFile({
|
|
|
|
|
file_id: regularFileId,
|
|
|
|
|
user: userId,
|
|
|
|
|
filename: 'regular.txt',
|
|
|
|
|
filepath: '/uploads/regular.txt',
|
|
|
|
|
type: 'text/plain',
|
|
|
|
|
bytes: 100,
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
const toolSet = new Set([EToolResources.file_search]);
|
|
|
|
|
const files = await fileMethods.getToolFilesByIds([embeddedFileId, regularFileId], toolSet);
|
|
|
|
|
|
|
|
|
|
expect(files).toHaveLength(1);
|
|
|
|
|
expect(files[0].file_id).toBe(embeddedFileId);
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
it('should retrieve files for context tool', async () => {
|
|
|
|
|
const userId = new mongoose.Types.ObjectId();
|
|
|
|
|
const contextFileId = uuidv4();
|
|
|
|
|
|
|
|
|
|
await fileMethods.createFile({
|
|
|
|
|
file_id: contextFileId,
|
|
|
|
|
user: userId,
|
|
|
|
|
filename: 'context.txt',
|
|
|
|
|
filepath: '/uploads/context.txt',
|
|
|
|
|
type: 'text/plain',
|
|
|
|
|
bytes: 100,
|
|
|
|
|
text: 'Context content',
|
|
|
|
|
context: FileContext.agents,
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
const toolSet = new Set([EToolResources.context]);
|
|
|
|
|
const files = await fileMethods.getToolFilesByIds([contextFileId], toolSet);
|
|
|
|
|
|
|
|
|
|
expect(files).toHaveLength(1);
|
|
|
|
|
expect(files[0].file_id).toBe(contextFileId);
|
|
|
|
|
});
|
|
|
|
|
|
🗂️ feat: Better Persistence for Code Execution Files Between Sessions (#11362)
* refactor: process code output files for re-use (WIP)
* feat: file attachment handling with additional metadata for downloads
* refactor: Update directory path logic for local file saving based on basePath
* refactor: file attachment handling to support TFile type and improve data merging logic
* feat: thread filtering of code-generated files
- Introduced parentMessageId parameter in addedConvo and initialize functions to enhance thread management.
- Updated related methods to utilize parentMessageId for retrieving messages and filtering code-generated files by conversation threads.
- Enhanced type definitions to include parentMessageId in relevant interfaces for better clarity and usage.
* chore: imports/params ordering
* feat: update file model to use messageId for filtering and processing
- Changed references from 'message' to 'messageId' in file-related methods for consistency.
- Added messageId field to the file schema and updated related types.
- Enhanced file processing logic to accommodate the new messageId structure.
* feat: enhance file retrieval methods to support user-uploaded execute_code files
- Added a new method `getUserCodeFiles` to retrieve user-uploaded execute_code files, excluding code-generated files.
- Updated existing file retrieval methods to improve filtering logic and handle edge cases.
- Enhanced thread data extraction to collect both message IDs and file IDs efficiently.
- Integrated `getUserCodeFiles` into relevant endpoints for better file management in conversations.
* chore: update @librechat/agents package version to 3.0.78 in package-lock.json and related package.json files
* refactor: file processing and retrieval logic
- Added a fallback mechanism for download URLs when files exceed size limits or cannot be processed locally.
- Implemented a deduplication strategy for code-generated files based on conversationId and filename to optimize storage.
- Updated file retrieval methods to ensure proper filtering by messageIds, preventing orphaned files from being included.
- Introduced comprehensive tests for new thread data extraction functionality, covering edge cases and performance considerations.
* fix: improve file retrieval tests and handling of optional properties
- Updated tests to safely access optional properties using non-null assertions.
- Modified test descriptions for clarity regarding the exclusion of execute_code files.
- Ensured that the retrieval logic correctly reflects the expected outcomes for file queries.
* test: add comprehensive unit tests for processCodeOutput functionality
- Introduced a new test suite for the processCodeOutput function, covering various scenarios including file retrieval, creation, and processing for both image and non-image files.
- Implemented mocks for dependencies such as axios, logger, and file models to isolate tests and ensure reliable outcomes.
- Validated behavior for existing files, new file creation, and error handling, including size limits and fallback mechanisms.
- Enhanced test coverage for metadata handling and usage increment logic, ensuring robust verification of file processing outcomes.
* test: enhance file size limit enforcement in processCodeOutput tests
- Introduced a configurable file size limit for tests to improve flexibility and coverage.
- Mocked the `librechat-data-provider` to allow dynamic adjustment of file size limits during tests.
- Updated the file size limit enforcement test to validate behavior when files exceed specified limits, ensuring proper fallback to download URLs.
- Reset file size limit after tests to maintain isolation for subsequent test cases.
2026-01-16 10:06:24 -05:00
|
|
|
it('should not retrieve execute_code files (handled by getCodeGeneratedFiles)', async () => {
|
🧵 refactor: Migrate Endpoint Initialization to TypeScript (#10794)
* refactor: move endpoint initialization methods to typescript
* refactor: move agent init to packages/api
- Introduced `initialize.ts` for agent initialization, including file processing and tool loading.
- Updated `resources.ts` to allow optional appConfig parameter.
- Enhanced endpoint configuration handling in various initialization files to support model parameters.
- Added new artifacts and prompts for React component generation.
- Refactored existing code to improve type safety and maintainability.
* refactor: streamline endpoint initialization and enhance type safety
- Updated initialization functions across various endpoints to use a consistent request structure, replacing `unknown` types with `ServerResponse`.
- Simplified request handling by directly extracting keys from the request body.
- Improved type safety by ensuring user IDs are safely accessed with optional chaining.
- Removed unnecessary parameters and streamlined model options handling for better clarity and maintainability.
* refactor: moved ModelService and extractBaseURL to packages/api
- Added comprehensive tests for the models fetching functionality, covering scenarios for OpenAI, Anthropic, Google, and Ollama models.
- Updated existing endpoint index to include the new models module.
- Enhanced utility functions for URL extraction and model data processing.
- Improved type safety and error handling across the models fetching logic.
* refactor: consolidate utility functions and remove unused files
- Merged `deriveBaseURL` and `extractBaseURL` into the `@librechat/api` module for better organization.
- Removed redundant utility files and their associated tests to streamline the codebase.
- Updated imports across various client files to utilize the new consolidated functions.
- Enhanced overall maintainability by reducing the number of utility modules.
* refactor: replace ModelService references with direct imports from @librechat/api and remove ModelService file
* refactor: move encrypt/decrypt methods and key db methods to data-schemas, use `getProviderConfig` from `@librechat/api`
* chore: remove unused 'res' from options in AgentClient
* refactor: file model imports and methods
- Updated imports in various controllers and services to use the unified file model from '~/models' instead of '~/models/File'.
- Consolidated file-related methods into a new file methods module in the data-schemas package.
- Added comprehensive tests for file methods including creation, retrieval, updating, and deletion.
- Enhanced the initializeAgent function to accept dependency injection for file-related methods.
- Improved error handling and logging in file methods.
* refactor: streamline database method references in agent initialization
* refactor: enhance file method tests and update type references to IMongoFile
* refactor: consolidate database method imports in agent client and initialization
* chore: remove redundant import of initializeAgent from @librechat/api
* refactor: move checkUserKeyExpiry utility to @librechat/api and update references across endpoints
* refactor: move updateUserPlugins logic to user.ts and simplify UserController
* refactor: update imports for user key management and remove UserService
* refactor: remove unused Anthropics and Bedrock endpoint files and clean up imports
* refactor: consolidate and update encryption imports across various files to use @librechat/data-schemas
* chore: update file model mock to use unified import from '~/models'
* chore: import order
* refactor: remove migrated to TS agent.js file and its associated logic from the endpoints
* chore: add reusable function to extract imports from source code in unused-packages workflow
* chore: enhance unused-packages workflow to include @librechat/api dependencies and improve dependency extraction
* chore: improve dependency extraction in unused-packages workflow with enhanced error handling and debugging output
* chore: add detailed debugging output to unused-packages workflow for better visibility into unused dependencies and exclusion lists
* chore: refine subpath handling in unused-packages workflow to correctly process scoped and non-scoped package imports
* chore: clean up unused debug output in unused-packages workflow and reorganize type imports in initialize.ts
2025-12-03 17:21:41 -05:00
|
|
|
const userId = new mongoose.Types.ObjectId();
|
|
|
|
|
const codeFileId = uuidv4();
|
|
|
|
|
|
|
|
|
|
await fileMethods.createFile({
|
|
|
|
|
file_id: codeFileId,
|
|
|
|
|
user: userId,
|
|
|
|
|
filename: 'code.py',
|
|
|
|
|
filepath: '/uploads/code.py',
|
|
|
|
|
type: 'text/x-python',
|
|
|
|
|
bytes: 100,
|
🗂️ feat: Better Persistence for Code Execution Files Between Sessions (#11362)
* refactor: process code output files for re-use (WIP)
* feat: file attachment handling with additional metadata for downloads
* refactor: Update directory path logic for local file saving based on basePath
* refactor: file attachment handling to support TFile type and improve data merging logic
* feat: thread filtering of code-generated files
- Introduced parentMessageId parameter in addedConvo and initialize functions to enhance thread management.
- Updated related methods to utilize parentMessageId for retrieving messages and filtering code-generated files by conversation threads.
- Enhanced type definitions to include parentMessageId in relevant interfaces for better clarity and usage.
* chore: imports/params ordering
* feat: update file model to use messageId for filtering and processing
- Changed references from 'message' to 'messageId' in file-related methods for consistency.
- Added messageId field to the file schema and updated related types.
- Enhanced file processing logic to accommodate the new messageId structure.
* feat: enhance file retrieval methods to support user-uploaded execute_code files
- Added a new method `getUserCodeFiles` to retrieve user-uploaded execute_code files, excluding code-generated files.
- Updated existing file retrieval methods to improve filtering logic and handle edge cases.
- Enhanced thread data extraction to collect both message IDs and file IDs efficiently.
- Integrated `getUserCodeFiles` into relevant endpoints for better file management in conversations.
* chore: update @librechat/agents package version to 3.0.78 in package-lock.json and related package.json files
* refactor: file processing and retrieval logic
- Added a fallback mechanism for download URLs when files exceed size limits or cannot be processed locally.
- Implemented a deduplication strategy for code-generated files based on conversationId and filename to optimize storage.
- Updated file retrieval methods to ensure proper filtering by messageIds, preventing orphaned files from being included.
- Introduced comprehensive tests for new thread data extraction functionality, covering edge cases and performance considerations.
* fix: improve file retrieval tests and handling of optional properties
- Updated tests to safely access optional properties using non-null assertions.
- Modified test descriptions for clarity regarding the exclusion of execute_code files.
- Ensured that the retrieval logic correctly reflects the expected outcomes for file queries.
* test: add comprehensive unit tests for processCodeOutput functionality
- Introduced a new test suite for the processCodeOutput function, covering various scenarios including file retrieval, creation, and processing for both image and non-image files.
- Implemented mocks for dependencies such as axios, logger, and file models to isolate tests and ensure reliable outcomes.
- Validated behavior for existing files, new file creation, and error handling, including size limits and fallback mechanisms.
- Enhanced test coverage for metadata handling and usage increment logic, ensuring robust verification of file processing outcomes.
* test: enhance file size limit enforcement in processCodeOutput tests
- Introduced a configurable file size limit for tests to improve flexibility and coverage.
- Mocked the `librechat-data-provider` to allow dynamic adjustment of file size limits during tests.
- Updated the file size limit enforcement test to validate behavior when files exceed specified limits, ensuring proper fallback to download URLs.
- Reset file size limit after tests to maintain isolation for subsequent test cases.
2026-01-16 10:06:24 -05:00
|
|
|
context: FileContext.execute_code,
|
🧵 refactor: Migrate Endpoint Initialization to TypeScript (#10794)
* refactor: move endpoint initialization methods to typescript
* refactor: move agent init to packages/api
- Introduced `initialize.ts` for agent initialization, including file processing and tool loading.
- Updated `resources.ts` to allow optional appConfig parameter.
- Enhanced endpoint configuration handling in various initialization files to support model parameters.
- Added new artifacts and prompts for React component generation.
- Refactored existing code to improve type safety and maintainability.
* refactor: streamline endpoint initialization and enhance type safety
- Updated initialization functions across various endpoints to use a consistent request structure, replacing `unknown` types with `ServerResponse`.
- Simplified request handling by directly extracting keys from the request body.
- Improved type safety by ensuring user IDs are safely accessed with optional chaining.
- Removed unnecessary parameters and streamlined model options handling for better clarity and maintainability.
* refactor: moved ModelService and extractBaseURL to packages/api
- Added comprehensive tests for the models fetching functionality, covering scenarios for OpenAI, Anthropic, Google, and Ollama models.
- Updated existing endpoint index to include the new models module.
- Enhanced utility functions for URL extraction and model data processing.
- Improved type safety and error handling across the models fetching logic.
* refactor: consolidate utility functions and remove unused files
- Merged `deriveBaseURL` and `extractBaseURL` into the `@librechat/api` module for better organization.
- Removed redundant utility files and their associated tests to streamline the codebase.
- Updated imports across various client files to utilize the new consolidated functions.
- Enhanced overall maintainability by reducing the number of utility modules.
* refactor: replace ModelService references with direct imports from @librechat/api and remove ModelService file
* refactor: move encrypt/decrypt methods and key db methods to data-schemas, use `getProviderConfig` from `@librechat/api`
* chore: remove unused 'res' from options in AgentClient
* refactor: file model imports and methods
- Updated imports in various controllers and services to use the unified file model from '~/models' instead of '~/models/File'.
- Consolidated file-related methods into a new file methods module in the data-schemas package.
- Added comprehensive tests for file methods including creation, retrieval, updating, and deletion.
- Enhanced the initializeAgent function to accept dependency injection for file-related methods.
- Improved error handling and logging in file methods.
* refactor: streamline database method references in agent initialization
* refactor: enhance file method tests and update type references to IMongoFile
* refactor: consolidate database method imports in agent client and initialization
* chore: remove redundant import of initializeAgent from @librechat/api
* refactor: move checkUserKeyExpiry utility to @librechat/api and update references across endpoints
* refactor: move updateUserPlugins logic to user.ts and simplify UserController
* refactor: update imports for user key management and remove UserService
* refactor: remove unused Anthropics and Bedrock endpoint files and clean up imports
* refactor: consolidate and update encryption imports across various files to use @librechat/data-schemas
* chore: update file model mock to use unified import from '~/models'
* chore: import order
* refactor: remove migrated to TS agent.js file and its associated logic from the endpoints
* chore: add reusable function to extract imports from source code in unused-packages workflow
* chore: enhance unused-packages workflow to include @librechat/api dependencies and improve dependency extraction
* chore: improve dependency extraction in unused-packages workflow with enhanced error handling and debugging output
* chore: add detailed debugging output to unused-packages workflow for better visibility into unused dependencies and exclusion lists
* chore: refine subpath handling in unused-packages workflow to correctly process scoped and non-scoped package imports
* chore: clean up unused debug output in unused-packages workflow and reorganize type imports in initialize.ts
2025-12-03 17:21:41 -05:00
|
|
|
metadata: { fileIdentifier: 'some-identifier' },
|
|
|
|
|
});
|
|
|
|
|
|
🗂️ feat: Better Persistence for Code Execution Files Between Sessions (#11362)
* refactor: process code output files for re-use (WIP)
* feat: file attachment handling with additional metadata for downloads
* refactor: Update directory path logic for local file saving based on basePath
* refactor: file attachment handling to support TFile type and improve data merging logic
* feat: thread filtering of code-generated files
- Introduced parentMessageId parameter in addedConvo and initialize functions to enhance thread management.
- Updated related methods to utilize parentMessageId for retrieving messages and filtering code-generated files by conversation threads.
- Enhanced type definitions to include parentMessageId in relevant interfaces for better clarity and usage.
* chore: imports/params ordering
* feat: update file model to use messageId for filtering and processing
- Changed references from 'message' to 'messageId' in file-related methods for consistency.
- Added messageId field to the file schema and updated related types.
- Enhanced file processing logic to accommodate the new messageId structure.
* feat: enhance file retrieval methods to support user-uploaded execute_code files
- Added a new method `getUserCodeFiles` to retrieve user-uploaded execute_code files, excluding code-generated files.
- Updated existing file retrieval methods to improve filtering logic and handle edge cases.
- Enhanced thread data extraction to collect both message IDs and file IDs efficiently.
- Integrated `getUserCodeFiles` into relevant endpoints for better file management in conversations.
* chore: update @librechat/agents package version to 3.0.78 in package-lock.json and related package.json files
* refactor: file processing and retrieval logic
- Added a fallback mechanism for download URLs when files exceed size limits or cannot be processed locally.
- Implemented a deduplication strategy for code-generated files based on conversationId and filename to optimize storage.
- Updated file retrieval methods to ensure proper filtering by messageIds, preventing orphaned files from being included.
- Introduced comprehensive tests for new thread data extraction functionality, covering edge cases and performance considerations.
* fix: improve file retrieval tests and handling of optional properties
- Updated tests to safely access optional properties using non-null assertions.
- Modified test descriptions for clarity regarding the exclusion of execute_code files.
- Ensured that the retrieval logic correctly reflects the expected outcomes for file queries.
* test: add comprehensive unit tests for processCodeOutput functionality
- Introduced a new test suite for the processCodeOutput function, covering various scenarios including file retrieval, creation, and processing for both image and non-image files.
- Implemented mocks for dependencies such as axios, logger, and file models to isolate tests and ensure reliable outcomes.
- Validated behavior for existing files, new file creation, and error handling, including size limits and fallback mechanisms.
- Enhanced test coverage for metadata handling and usage increment logic, ensuring robust verification of file processing outcomes.
* test: enhance file size limit enforcement in processCodeOutput tests
- Introduced a configurable file size limit for tests to improve flexibility and coverage.
- Mocked the `librechat-data-provider` to allow dynamic adjustment of file size limits during tests.
- Updated the file size limit enforcement test to validate behavior when files exceed specified limits, ensuring proper fallback to download URLs.
- Reset file size limit after tests to maintain isolation for subsequent test cases.
2026-01-16 10:06:24 -05:00
|
|
|
// execute_code files are explicitly excluded from getToolFilesByIds
|
|
|
|
|
// They are retrieved via getCodeGeneratedFiles and getUserCodeFiles instead
|
🧵 refactor: Migrate Endpoint Initialization to TypeScript (#10794)
* refactor: move endpoint initialization methods to typescript
* refactor: move agent init to packages/api
- Introduced `initialize.ts` for agent initialization, including file processing and tool loading.
- Updated `resources.ts` to allow optional appConfig parameter.
- Enhanced endpoint configuration handling in various initialization files to support model parameters.
- Added new artifacts and prompts for React component generation.
- Refactored existing code to improve type safety and maintainability.
* refactor: streamline endpoint initialization and enhance type safety
- Updated initialization functions across various endpoints to use a consistent request structure, replacing `unknown` types with `ServerResponse`.
- Simplified request handling by directly extracting keys from the request body.
- Improved type safety by ensuring user IDs are safely accessed with optional chaining.
- Removed unnecessary parameters and streamlined model options handling for better clarity and maintainability.
* refactor: moved ModelService and extractBaseURL to packages/api
- Added comprehensive tests for the models fetching functionality, covering scenarios for OpenAI, Anthropic, Google, and Ollama models.
- Updated existing endpoint index to include the new models module.
- Enhanced utility functions for URL extraction and model data processing.
- Improved type safety and error handling across the models fetching logic.
* refactor: consolidate utility functions and remove unused files
- Merged `deriveBaseURL` and `extractBaseURL` into the `@librechat/api` module for better organization.
- Removed redundant utility files and their associated tests to streamline the codebase.
- Updated imports across various client files to utilize the new consolidated functions.
- Enhanced overall maintainability by reducing the number of utility modules.
* refactor: replace ModelService references with direct imports from @librechat/api and remove ModelService file
* refactor: move encrypt/decrypt methods and key db methods to data-schemas, use `getProviderConfig` from `@librechat/api`
* chore: remove unused 'res' from options in AgentClient
* refactor: file model imports and methods
- Updated imports in various controllers and services to use the unified file model from '~/models' instead of '~/models/File'.
- Consolidated file-related methods into a new file methods module in the data-schemas package.
- Added comprehensive tests for file methods including creation, retrieval, updating, and deletion.
- Enhanced the initializeAgent function to accept dependency injection for file-related methods.
- Improved error handling and logging in file methods.
* refactor: streamline database method references in agent initialization
* refactor: enhance file method tests and update type references to IMongoFile
* refactor: consolidate database method imports in agent client and initialization
* chore: remove redundant import of initializeAgent from @librechat/api
* refactor: move checkUserKeyExpiry utility to @librechat/api and update references across endpoints
* refactor: move updateUserPlugins logic to user.ts and simplify UserController
* refactor: update imports for user key management and remove UserService
* refactor: remove unused Anthropics and Bedrock endpoint files and clean up imports
* refactor: consolidate and update encryption imports across various files to use @librechat/data-schemas
* chore: update file model mock to use unified import from '~/models'
* chore: import order
* refactor: remove migrated to TS agent.js file and its associated logic from the endpoints
* chore: add reusable function to extract imports from source code in unused-packages workflow
* chore: enhance unused-packages workflow to include @librechat/api dependencies and improve dependency extraction
* chore: improve dependency extraction in unused-packages workflow with enhanced error handling and debugging output
* chore: add detailed debugging output to unused-packages workflow for better visibility into unused dependencies and exclusion lists
* chore: refine subpath handling in unused-packages workflow to correctly process scoped and non-scoped package imports
* chore: clean up unused debug output in unused-packages workflow and reorganize type imports in initialize.ts
2025-12-03 17:21:41 -05:00
|
|
|
const toolSet = new Set([EToolResources.execute_code]);
|
|
|
|
|
const files = await fileMethods.getToolFilesByIds([codeFileId], toolSet);
|
|
|
|
|
|
🗂️ feat: Better Persistence for Code Execution Files Between Sessions (#11362)
* refactor: process code output files for re-use (WIP)
* feat: file attachment handling with additional metadata for downloads
* refactor: Update directory path logic for local file saving based on basePath
* refactor: file attachment handling to support TFile type and improve data merging logic
* feat: thread filtering of code-generated files
- Introduced parentMessageId parameter in addedConvo and initialize functions to enhance thread management.
- Updated related methods to utilize parentMessageId for retrieving messages and filtering code-generated files by conversation threads.
- Enhanced type definitions to include parentMessageId in relevant interfaces for better clarity and usage.
* chore: imports/params ordering
* feat: update file model to use messageId for filtering and processing
- Changed references from 'message' to 'messageId' in file-related methods for consistency.
- Added messageId field to the file schema and updated related types.
- Enhanced file processing logic to accommodate the new messageId structure.
* feat: enhance file retrieval methods to support user-uploaded execute_code files
- Added a new method `getUserCodeFiles` to retrieve user-uploaded execute_code files, excluding code-generated files.
- Updated existing file retrieval methods to improve filtering logic and handle edge cases.
- Enhanced thread data extraction to collect both message IDs and file IDs efficiently.
- Integrated `getUserCodeFiles` into relevant endpoints for better file management in conversations.
* chore: update @librechat/agents package version to 3.0.78 in package-lock.json and related package.json files
* refactor: file processing and retrieval logic
- Added a fallback mechanism for download URLs when files exceed size limits or cannot be processed locally.
- Implemented a deduplication strategy for code-generated files based on conversationId and filename to optimize storage.
- Updated file retrieval methods to ensure proper filtering by messageIds, preventing orphaned files from being included.
- Introduced comprehensive tests for new thread data extraction functionality, covering edge cases and performance considerations.
* fix: improve file retrieval tests and handling of optional properties
- Updated tests to safely access optional properties using non-null assertions.
- Modified test descriptions for clarity regarding the exclusion of execute_code files.
- Ensured that the retrieval logic correctly reflects the expected outcomes for file queries.
* test: add comprehensive unit tests for processCodeOutput functionality
- Introduced a new test suite for the processCodeOutput function, covering various scenarios including file retrieval, creation, and processing for both image and non-image files.
- Implemented mocks for dependencies such as axios, logger, and file models to isolate tests and ensure reliable outcomes.
- Validated behavior for existing files, new file creation, and error handling, including size limits and fallback mechanisms.
- Enhanced test coverage for metadata handling and usage increment logic, ensuring robust verification of file processing outcomes.
* test: enhance file size limit enforcement in processCodeOutput tests
- Introduced a configurable file size limit for tests to improve flexibility and coverage.
- Mocked the `librechat-data-provider` to allow dynamic adjustment of file size limits during tests.
- Updated the file size limit enforcement test to validate behavior when files exceed specified limits, ensuring proper fallback to download URLs.
- Reset file size limit after tests to maintain isolation for subsequent test cases.
2026-01-16 10:06:24 -05:00
|
|
|
expect(files).toHaveLength(0);
|
🧵 refactor: Migrate Endpoint Initialization to TypeScript (#10794)
* refactor: move endpoint initialization methods to typescript
* refactor: move agent init to packages/api
- Introduced `initialize.ts` for agent initialization, including file processing and tool loading.
- Updated `resources.ts` to allow optional appConfig parameter.
- Enhanced endpoint configuration handling in various initialization files to support model parameters.
- Added new artifacts and prompts for React component generation.
- Refactored existing code to improve type safety and maintainability.
* refactor: streamline endpoint initialization and enhance type safety
- Updated initialization functions across various endpoints to use a consistent request structure, replacing `unknown` types with `ServerResponse`.
- Simplified request handling by directly extracting keys from the request body.
- Improved type safety by ensuring user IDs are safely accessed with optional chaining.
- Removed unnecessary parameters and streamlined model options handling for better clarity and maintainability.
* refactor: moved ModelService and extractBaseURL to packages/api
- Added comprehensive tests for the models fetching functionality, covering scenarios for OpenAI, Anthropic, Google, and Ollama models.
- Updated existing endpoint index to include the new models module.
- Enhanced utility functions for URL extraction and model data processing.
- Improved type safety and error handling across the models fetching logic.
* refactor: consolidate utility functions and remove unused files
- Merged `deriveBaseURL` and `extractBaseURL` into the `@librechat/api` module for better organization.
- Removed redundant utility files and their associated tests to streamline the codebase.
- Updated imports across various client files to utilize the new consolidated functions.
- Enhanced overall maintainability by reducing the number of utility modules.
* refactor: replace ModelService references with direct imports from @librechat/api and remove ModelService file
* refactor: move encrypt/decrypt methods and key db methods to data-schemas, use `getProviderConfig` from `@librechat/api`
* chore: remove unused 'res' from options in AgentClient
* refactor: file model imports and methods
- Updated imports in various controllers and services to use the unified file model from '~/models' instead of '~/models/File'.
- Consolidated file-related methods into a new file methods module in the data-schemas package.
- Added comprehensive tests for file methods including creation, retrieval, updating, and deletion.
- Enhanced the initializeAgent function to accept dependency injection for file-related methods.
- Improved error handling and logging in file methods.
* refactor: streamline database method references in agent initialization
* refactor: enhance file method tests and update type references to IMongoFile
* refactor: consolidate database method imports in agent client and initialization
* chore: remove redundant import of initializeAgent from @librechat/api
* refactor: move checkUserKeyExpiry utility to @librechat/api and update references across endpoints
* refactor: move updateUserPlugins logic to user.ts and simplify UserController
* refactor: update imports for user key management and remove UserService
* refactor: remove unused Anthropics and Bedrock endpoint files and clean up imports
* refactor: consolidate and update encryption imports across various files to use @librechat/data-schemas
* chore: update file model mock to use unified import from '~/models'
* chore: import order
* refactor: remove migrated to TS agent.js file and its associated logic from the endpoints
* chore: add reusable function to extract imports from source code in unused-packages workflow
* chore: enhance unused-packages workflow to include @librechat/api dependencies and improve dependency extraction
* chore: improve dependency extraction in unused-packages workflow with enhanced error handling and debugging output
* chore: add detailed debugging output to unused-packages workflow for better visibility into unused dependencies and exclusion lists
* chore: refine subpath handling in unused-packages workflow to correctly process scoped and non-scoped package imports
* chore: clean up unused debug output in unused-packages workflow and reorganize type imports in initialize.ts
2025-12-03 17:21:41 -05:00
|
|
|
});
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
describe('updateFile', () => {
|
|
|
|
|
it('should update file data and remove TTL', async () => {
|
|
|
|
|
const fileId = uuidv4();
|
|
|
|
|
const userId = new mongoose.Types.ObjectId();
|
|
|
|
|
|
|
|
|
|
await fileMethods.createFile({
|
|
|
|
|
file_id: fileId,
|
|
|
|
|
user: userId,
|
|
|
|
|
filename: 'original.txt',
|
|
|
|
|
filepath: '/uploads/original.txt',
|
|
|
|
|
type: 'text/plain',
|
|
|
|
|
bytes: 100,
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
const updated = await fileMethods.updateFile({
|
|
|
|
|
file_id: fileId,
|
|
|
|
|
filename: 'updated.txt',
|
|
|
|
|
bytes: 200,
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
expect(updated).not.toBeNull();
|
|
|
|
|
expect(updated?.filename).toBe('updated.txt');
|
|
|
|
|
expect(updated?.bytes).toBe(200);
|
|
|
|
|
expect(updated?.expiresAt).toBeUndefined();
|
|
|
|
|
});
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
describe('updateFileUsage', () => {
|
|
|
|
|
it('should increment usage count', async () => {
|
|
|
|
|
const fileId = uuidv4();
|
|
|
|
|
const userId = new mongoose.Types.ObjectId();
|
|
|
|
|
|
|
|
|
|
await fileMethods.createFile({
|
|
|
|
|
file_id: fileId,
|
|
|
|
|
user: userId,
|
|
|
|
|
filename: 'usage-test.txt',
|
|
|
|
|
filepath: '/uploads/usage-test.txt',
|
|
|
|
|
type: 'text/plain',
|
|
|
|
|
bytes: 100,
|
|
|
|
|
usage: 0,
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
const updated = await fileMethods.updateFileUsage({ file_id: fileId });
|
|
|
|
|
expect(updated?.usage).toBe(1);
|
|
|
|
|
|
|
|
|
|
const updated2 = await fileMethods.updateFileUsage({ file_id: fileId, inc: 5 });
|
|
|
|
|
expect(updated2?.usage).toBe(6);
|
|
|
|
|
});
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
describe('updateFilesUsage', () => {
|
|
|
|
|
it('should update usage for multiple files', async () => {
|
|
|
|
|
const userId = new mongoose.Types.ObjectId();
|
|
|
|
|
const fileIds = [uuidv4(), uuidv4()];
|
|
|
|
|
|
|
|
|
|
for (const fileId of fileIds) {
|
|
|
|
|
await fileMethods.createFile({
|
|
|
|
|
file_id: fileId,
|
|
|
|
|
user: userId,
|
|
|
|
|
filename: `file-${fileId}.txt`,
|
|
|
|
|
filepath: `/uploads/${fileId}.txt`,
|
|
|
|
|
type: 'text/plain',
|
|
|
|
|
bytes: 100,
|
|
|
|
|
usage: 0,
|
|
|
|
|
});
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
const files = fileIds.map((file_id) => ({ file_id }));
|
|
|
|
|
const updated = await fileMethods.updateFilesUsage(files);
|
|
|
|
|
|
|
|
|
|
expect(updated).toHaveLength(2);
|
|
|
|
|
for (const file of updated) {
|
|
|
|
|
expect((file as { usage: number }).usage).toBe(1);
|
|
|
|
|
}
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
it('should deduplicate files', async () => {
|
|
|
|
|
const userId = new mongoose.Types.ObjectId();
|
|
|
|
|
const fileId = uuidv4();
|
|
|
|
|
|
|
|
|
|
await fileMethods.createFile({
|
|
|
|
|
file_id: fileId,
|
|
|
|
|
user: userId,
|
|
|
|
|
filename: 'duplicate-test.txt',
|
|
|
|
|
filepath: '/uploads/duplicate-test.txt',
|
|
|
|
|
type: 'text/plain',
|
|
|
|
|
bytes: 100,
|
|
|
|
|
usage: 0,
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
const files = [{ file_id: fileId }, { file_id: fileId }, { file_id: fileId }];
|
|
|
|
|
const updated = await fileMethods.updateFilesUsage(files);
|
|
|
|
|
|
|
|
|
|
expect(updated).toHaveLength(1);
|
|
|
|
|
expect((updated[0] as { usage: number }).usage).toBe(1);
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
it('should filter out null results when files do not exist', async () => {
|
|
|
|
|
const userId = new mongoose.Types.ObjectId();
|
|
|
|
|
const existingFileId = uuidv4();
|
|
|
|
|
|
|
|
|
|
await fileMethods.createFile({
|
|
|
|
|
file_id: existingFileId,
|
|
|
|
|
user: userId,
|
|
|
|
|
filename: 'existing.txt',
|
|
|
|
|
filepath: '/uploads/existing.txt',
|
|
|
|
|
type: 'text/plain',
|
|
|
|
|
bytes: 100,
|
|
|
|
|
usage: 0,
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
const files = [{ file_id: existingFileId }, { file_id: 'non-existent-file' }];
|
|
|
|
|
const updated = await fileMethods.updateFilesUsage(files);
|
|
|
|
|
|
|
|
|
|
expect(updated.length).toBeGreaterThan(0);
|
|
|
|
|
expect(updated).not.toContain(null);
|
|
|
|
|
expect(updated).not.toContain(undefined);
|
|
|
|
|
const existingFile = updated.find(
|
|
|
|
|
(f) => (f as { file_id: string }).file_id === existingFileId,
|
|
|
|
|
);
|
|
|
|
|
expect(existingFile).toBeDefined();
|
|
|
|
|
expect((existingFile as { usage: number }).usage).toBe(1);
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
it('should handle empty files array', async () => {
|
|
|
|
|
const result = await fileMethods.updateFilesUsage([]);
|
|
|
|
|
expect(result).toEqual([]);
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
it('should handle fileIds parameter', async () => {
|
|
|
|
|
const userId = new mongoose.Types.ObjectId();
|
|
|
|
|
const fileIds = [uuidv4(), uuidv4()];
|
|
|
|
|
|
|
|
|
|
for (const fileId of fileIds) {
|
|
|
|
|
await fileMethods.createFile({
|
|
|
|
|
file_id: fileId,
|
|
|
|
|
user: userId,
|
|
|
|
|
filename: `file-${fileId}.txt`,
|
|
|
|
|
filepath: `/uploads/${fileId}.txt`,
|
|
|
|
|
type: 'text/plain',
|
|
|
|
|
bytes: 100,
|
|
|
|
|
usage: 0,
|
|
|
|
|
});
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
const files = [{ file_id: fileIds[0] }];
|
|
|
|
|
const updated = await fileMethods.updateFilesUsage(files, [fileIds[1]]);
|
|
|
|
|
|
|
|
|
|
expect(updated).toHaveLength(2);
|
|
|
|
|
const file1 = updated.find((f) => (f as { file_id: string }).file_id === fileIds[0]);
|
|
|
|
|
const file2 = updated.find((f) => (f as { file_id: string }).file_id === fileIds[1]);
|
|
|
|
|
expect(file1).toBeDefined();
|
|
|
|
|
expect(file2).toBeDefined();
|
|
|
|
|
expect((file1 as { usage: number }).usage).toBe(1);
|
|
|
|
|
expect((file2 as { usage: number }).usage).toBe(1);
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
it('should deduplicate between files and fileIds parameters', async () => {
|
|
|
|
|
const userId = new mongoose.Types.ObjectId();
|
|
|
|
|
const fileId = uuidv4();
|
|
|
|
|
|
|
|
|
|
await fileMethods.createFile({
|
|
|
|
|
file_id: fileId,
|
|
|
|
|
user: userId,
|
|
|
|
|
filename: 'test.txt',
|
|
|
|
|
filepath: '/uploads/test.txt',
|
|
|
|
|
type: 'text/plain',
|
|
|
|
|
bytes: 100,
|
|
|
|
|
usage: 0,
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
const files = [{ file_id: fileId }];
|
|
|
|
|
const updated = await fileMethods.updateFilesUsage(files, [fileId]);
|
|
|
|
|
|
|
|
|
|
expect(updated).toHaveLength(1);
|
|
|
|
|
expect((updated[0] as { usage: number }).usage).toBe(1);
|
|
|
|
|
});
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
describe('deleteFile', () => {
|
|
|
|
|
it('should delete a file by file_id', async () => {
|
|
|
|
|
const fileId = uuidv4();
|
|
|
|
|
const userId = new mongoose.Types.ObjectId();
|
|
|
|
|
|
|
|
|
|
await fileMethods.createFile({
|
|
|
|
|
file_id: fileId,
|
|
|
|
|
user: userId,
|
|
|
|
|
filename: 'delete-me.txt',
|
|
|
|
|
filepath: '/uploads/delete-me.txt',
|
|
|
|
|
type: 'text/plain',
|
|
|
|
|
bytes: 100,
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
const deleted = await fileMethods.deleteFile(fileId);
|
|
|
|
|
expect(deleted).not.toBeNull();
|
|
|
|
|
expect(deleted?.file_id).toBe(fileId);
|
|
|
|
|
|
|
|
|
|
const found = await fileMethods.findFileById(fileId);
|
|
|
|
|
expect(found).toBeNull();
|
|
|
|
|
});
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
describe('deleteFiles', () => {
|
|
|
|
|
it('should delete multiple files by file_ids', async () => {
|
|
|
|
|
const userId = new mongoose.Types.ObjectId();
|
|
|
|
|
const fileIds = [uuidv4(), uuidv4(), uuidv4()];
|
|
|
|
|
|
|
|
|
|
for (const fileId of fileIds) {
|
|
|
|
|
await fileMethods.createFile({
|
|
|
|
|
file_id: fileId,
|
|
|
|
|
user: userId,
|
|
|
|
|
filename: `file-${fileId}.txt`,
|
|
|
|
|
filepath: `/uploads/${fileId}.txt`,
|
|
|
|
|
type: 'text/plain',
|
|
|
|
|
bytes: 100,
|
|
|
|
|
});
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
const result = await fileMethods.deleteFiles(fileIds);
|
|
|
|
|
expect(result.deletedCount).toBe(3);
|
|
|
|
|
|
|
|
|
|
const remaining = await fileMethods.getFiles({ file_id: { $in: fileIds } });
|
|
|
|
|
expect(remaining).toHaveLength(0);
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
it('should delete all files for a user', async () => {
|
|
|
|
|
const userId = new mongoose.Types.ObjectId();
|
|
|
|
|
const otherUserId = new mongoose.Types.ObjectId();
|
|
|
|
|
|
|
|
|
|
await fileMethods.createFile({
|
|
|
|
|
file_id: uuidv4(),
|
|
|
|
|
user: userId,
|
|
|
|
|
filename: 'user-file-1.txt',
|
|
|
|
|
filepath: '/uploads/user-file-1.txt',
|
|
|
|
|
type: 'text/plain',
|
|
|
|
|
bytes: 100,
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
await fileMethods.createFile({
|
|
|
|
|
file_id: uuidv4(),
|
|
|
|
|
user: userId,
|
|
|
|
|
filename: 'user-file-2.txt',
|
|
|
|
|
filepath: '/uploads/user-file-2.txt',
|
|
|
|
|
type: 'text/plain',
|
|
|
|
|
bytes: 100,
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
await fileMethods.createFile({
|
|
|
|
|
file_id: uuidv4(),
|
|
|
|
|
user: otherUserId,
|
|
|
|
|
filename: 'other-user-file.txt',
|
|
|
|
|
filepath: '/uploads/other-user-file.txt',
|
|
|
|
|
type: 'text/plain',
|
|
|
|
|
bytes: 100,
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
const result = await fileMethods.deleteFiles([], userId.toString());
|
|
|
|
|
expect(result.deletedCount).toBe(2);
|
|
|
|
|
|
|
|
|
|
const remaining = await fileMethods.getFiles({});
|
|
|
|
|
expect(remaining).toHaveLength(1);
|
🗂️ feat: Better Persistence for Code Execution Files Between Sessions (#11362)
* refactor: process code output files for re-use (WIP)
* feat: file attachment handling with additional metadata for downloads
* refactor: Update directory path logic for local file saving based on basePath
* refactor: file attachment handling to support TFile type and improve data merging logic
* feat: thread filtering of code-generated files
- Introduced parentMessageId parameter in addedConvo and initialize functions to enhance thread management.
- Updated related methods to utilize parentMessageId for retrieving messages and filtering code-generated files by conversation threads.
- Enhanced type definitions to include parentMessageId in relevant interfaces for better clarity and usage.
* chore: imports/params ordering
* feat: update file model to use messageId for filtering and processing
- Changed references from 'message' to 'messageId' in file-related methods for consistency.
- Added messageId field to the file schema and updated related types.
- Enhanced file processing logic to accommodate the new messageId structure.
* feat: enhance file retrieval methods to support user-uploaded execute_code files
- Added a new method `getUserCodeFiles` to retrieve user-uploaded execute_code files, excluding code-generated files.
- Updated existing file retrieval methods to improve filtering logic and handle edge cases.
- Enhanced thread data extraction to collect both message IDs and file IDs efficiently.
- Integrated `getUserCodeFiles` into relevant endpoints for better file management in conversations.
* chore: update @librechat/agents package version to 3.0.78 in package-lock.json and related package.json files
* refactor: file processing and retrieval logic
- Added a fallback mechanism for download URLs when files exceed size limits or cannot be processed locally.
- Implemented a deduplication strategy for code-generated files based on conversationId and filename to optimize storage.
- Updated file retrieval methods to ensure proper filtering by messageIds, preventing orphaned files from being included.
- Introduced comprehensive tests for new thread data extraction functionality, covering edge cases and performance considerations.
* fix: improve file retrieval tests and handling of optional properties
- Updated tests to safely access optional properties using non-null assertions.
- Modified test descriptions for clarity regarding the exclusion of execute_code files.
- Ensured that the retrieval logic correctly reflects the expected outcomes for file queries.
* test: add comprehensive unit tests for processCodeOutput functionality
- Introduced a new test suite for the processCodeOutput function, covering various scenarios including file retrieval, creation, and processing for both image and non-image files.
- Implemented mocks for dependencies such as axios, logger, and file models to isolate tests and ensure reliable outcomes.
- Validated behavior for existing files, new file creation, and error handling, including size limits and fallback mechanisms.
- Enhanced test coverage for metadata handling and usage increment logic, ensuring robust verification of file processing outcomes.
* test: enhance file size limit enforcement in processCodeOutput tests
- Introduced a configurable file size limit for tests to improve flexibility and coverage.
- Mocked the `librechat-data-provider` to allow dynamic adjustment of file size limits during tests.
- Updated the file size limit enforcement test to validate behavior when files exceed specified limits, ensuring proper fallback to download URLs.
- Reset file size limit after tests to maintain isolation for subsequent test cases.
2026-01-16 10:06:24 -05:00
|
|
|
expect(remaining![0].user?.toString()).toBe(otherUserId.toString());
|
🧵 refactor: Migrate Endpoint Initialization to TypeScript (#10794)
* refactor: move endpoint initialization methods to typescript
* refactor: move agent init to packages/api
- Introduced `initialize.ts` for agent initialization, including file processing and tool loading.
- Updated `resources.ts` to allow optional appConfig parameter.
- Enhanced endpoint configuration handling in various initialization files to support model parameters.
- Added new artifacts and prompts for React component generation.
- Refactored existing code to improve type safety and maintainability.
* refactor: streamline endpoint initialization and enhance type safety
- Updated initialization functions across various endpoints to use a consistent request structure, replacing `unknown` types with `ServerResponse`.
- Simplified request handling by directly extracting keys from the request body.
- Improved type safety by ensuring user IDs are safely accessed with optional chaining.
- Removed unnecessary parameters and streamlined model options handling for better clarity and maintainability.
* refactor: moved ModelService and extractBaseURL to packages/api
- Added comprehensive tests for the models fetching functionality, covering scenarios for OpenAI, Anthropic, Google, and Ollama models.
- Updated existing endpoint index to include the new models module.
- Enhanced utility functions for URL extraction and model data processing.
- Improved type safety and error handling across the models fetching logic.
* refactor: consolidate utility functions and remove unused files
- Merged `deriveBaseURL` and `extractBaseURL` into the `@librechat/api` module for better organization.
- Removed redundant utility files and their associated tests to streamline the codebase.
- Updated imports across various client files to utilize the new consolidated functions.
- Enhanced overall maintainability by reducing the number of utility modules.
* refactor: replace ModelService references with direct imports from @librechat/api and remove ModelService file
* refactor: move encrypt/decrypt methods and key db methods to data-schemas, use `getProviderConfig` from `@librechat/api`
* chore: remove unused 'res' from options in AgentClient
* refactor: file model imports and methods
- Updated imports in various controllers and services to use the unified file model from '~/models' instead of '~/models/File'.
- Consolidated file-related methods into a new file methods module in the data-schemas package.
- Added comprehensive tests for file methods including creation, retrieval, updating, and deletion.
- Enhanced the initializeAgent function to accept dependency injection for file-related methods.
- Improved error handling and logging in file methods.
* refactor: streamline database method references in agent initialization
* refactor: enhance file method tests and update type references to IMongoFile
* refactor: consolidate database method imports in agent client and initialization
* chore: remove redundant import of initializeAgent from @librechat/api
* refactor: move checkUserKeyExpiry utility to @librechat/api and update references across endpoints
* refactor: move updateUserPlugins logic to user.ts and simplify UserController
* refactor: update imports for user key management and remove UserService
* refactor: remove unused Anthropics and Bedrock endpoint files and clean up imports
* refactor: consolidate and update encryption imports across various files to use @librechat/data-schemas
* chore: update file model mock to use unified import from '~/models'
* chore: import order
* refactor: remove migrated to TS agent.js file and its associated logic from the endpoints
* chore: add reusable function to extract imports from source code in unused-packages workflow
* chore: enhance unused-packages workflow to include @librechat/api dependencies and improve dependency extraction
* chore: improve dependency extraction in unused-packages workflow with enhanced error handling and debugging output
* chore: add detailed debugging output to unused-packages workflow for better visibility into unused dependencies and exclusion lists
* chore: refine subpath handling in unused-packages workflow to correctly process scoped and non-scoped package imports
* chore: clean up unused debug output in unused-packages workflow and reorganize type imports in initialize.ts
2025-12-03 17:21:41 -05:00
|
|
|
});
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
describe('batchUpdateFiles', () => {
|
|
|
|
|
it('should update multiple file paths', async () => {
|
|
|
|
|
const userId = new mongoose.Types.ObjectId();
|
|
|
|
|
const fileIds = [uuidv4(), uuidv4()];
|
|
|
|
|
|
|
|
|
|
for (const fileId of fileIds) {
|
|
|
|
|
await fileMethods.createFile({
|
|
|
|
|
file_id: fileId,
|
|
|
|
|
user: userId,
|
|
|
|
|
filename: `file-${fileId}.txt`,
|
|
|
|
|
filepath: `/old-path/${fileId}.txt`,
|
|
|
|
|
type: 'text/plain',
|
|
|
|
|
bytes: 100,
|
|
|
|
|
});
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
const updates = fileIds.map((file_id) => ({
|
|
|
|
|
file_id,
|
|
|
|
|
filepath: `/new-path/${file_id}.txt`,
|
|
|
|
|
}));
|
|
|
|
|
|
|
|
|
|
await fileMethods.batchUpdateFiles(updates);
|
|
|
|
|
|
|
|
|
|
for (const fileId of fileIds) {
|
|
|
|
|
const file = await fileMethods.findFileById(fileId);
|
|
|
|
|
expect(file?.filepath).toBe(`/new-path/${fileId}.txt`);
|
|
|
|
|
}
|
|
|
|
|
});
|
|
|
|
|
|
|
|
|
|
it('should handle empty updates array gracefully', async () => {
|
|
|
|
|
await expect(fileMethods.batchUpdateFiles([])).resolves.toBeUndefined();
|
|
|
|
|
});
|
|
|
|
|
});
|
|
|
|
|
});
|