File size: 20,023 Bytes
f0743f4 | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 | import { Types } from 'mongoose';
import { PrincipalType } from 'librechat-data-provider';
import type { TUser, TPrincipalSearchResult } from 'librechat-data-provider';
import type { Model, ClientSession } from 'mongoose';
import type { IGroup, IRole, IUser } from '~/types';
export function createUserGroupMethods(mongoose: typeof import('mongoose')) {
/**
* Find a group by its ID
* @param groupId - The group ID
* @param projection - Optional projection of fields to return
* @param session - Optional MongoDB session for transactions
* @returns The group document or null if not found
*/
async function findGroupById(
groupId: string | Types.ObjectId,
projection: Record<string, unknown> = {},
session?: ClientSession,
): Promise<IGroup | null> {
const Group = mongoose.models.Group as Model<IGroup>;
const query = Group.findOne({ _id: groupId }, projection);
if (session) {
query.session(session);
}
return await query.lean();
}
/**
* Find a group by its external ID (e.g., Entra ID)
* @param idOnTheSource - The external ID
* @param source - The source ('entra' or 'local')
* @param projection - Optional projection of fields to return
* @param session - Optional MongoDB session for transactions
* @returns The group document or null if not found
*/
async function findGroupByExternalId(
idOnTheSource: string,
source: 'entra' | 'local' = 'entra',
projection: Record<string, unknown> = {},
session?: ClientSession,
): Promise<IGroup | null> {
const Group = mongoose.models.Group as Model<IGroup>;
const query = Group.findOne({ idOnTheSource, source }, projection);
if (session) {
query.session(session);
}
return await query.lean();
}
/**
* Find groups by name pattern (case-insensitive partial match)
* @param namePattern - The name pattern to search for
* @param source - Optional source filter ('entra', 'local', or null for all)
* @param limit - Maximum number of results to return
* @param session - Optional MongoDB session for transactions
* @returns Array of matching groups
*/
async function findGroupsByNamePattern(
namePattern: string,
source: 'entra' | 'local' | null = null,
limit: number = 20,
session?: ClientSession,
): Promise<IGroup[]> {
const Group = mongoose.models.Group as Model<IGroup>;
const regex = new RegExp(namePattern, 'i');
const query: Record<string, unknown> = {
$or: [{ name: regex }, { email: regex }, { description: regex }],
};
if (source) {
query.source = source;
}
const dbQuery = Group.find(query).limit(limit);
if (session) {
dbQuery.session(session);
}
return await dbQuery.lean();
}
/**
* Find all groups a user is a member of by their ID or idOnTheSource
* @param userId - The user ID
* @param session - Optional MongoDB session for transactions
* @returns Array of groups the user is a member of
*/
async function findGroupsByMemberId(
userId: string | Types.ObjectId,
session?: ClientSession,
): Promise<IGroup[]> {
const User = mongoose.models.User as Model<IUser>;
const Group = mongoose.models.Group as Model<IGroup>;
const userQuery = User.findById(userId, 'idOnTheSource');
if (session) {
userQuery.session(session);
}
const user = (await userQuery.lean()) as { idOnTheSource?: string } | null;
if (!user) {
return [];
}
const userIdOnTheSource = user.idOnTheSource || userId.toString();
const query = Group.find({ memberIds: userIdOnTheSource });
if (session) {
query.session(session);
}
return await query.lean();
}
/**
* Create a new group
* @param groupData - Group data including name, source, and optional idOnTheSource
* @param session - Optional MongoDB session for transactions
* @returns The created group
*/
async function createGroup(groupData: Partial<IGroup>, session?: ClientSession): Promise<IGroup> {
const Group = mongoose.models.Group as Model<IGroup>;
const options = session ? { session } : {};
return await Group.create([groupData], options).then((groups) => groups[0]);
}
/**
* Update or create a group by external ID
* @param idOnTheSource - The external ID
* @param source - The source ('entra' or 'local')
* @param updateData - Data to update or set if creating
* @param session - Optional MongoDB session for transactions
* @returns The updated or created group
*/
async function upsertGroupByExternalId(
idOnTheSource: string,
source: 'entra' | 'local',
updateData: Partial<IGroup>,
session?: ClientSession,
): Promise<IGroup | null> {
const Group = mongoose.models.Group as Model<IGroup>;
const options = {
new: true,
upsert: true,
...(session ? { session } : {}),
};
return await Group.findOneAndUpdate({ idOnTheSource, source }, { $set: updateData }, options);
}
/**
* Add a user to a group
* Only updates Group.memberIds (one-way relationship)
* Note: memberIds stores idOnTheSource values, not ObjectIds
*
* @param userId - The user ID
* @param groupId - The group ID to add
* @param session - Optional MongoDB session for transactions
* @returns The user and updated group documents
*/
async function addUserToGroup(
userId: string | Types.ObjectId,
groupId: string | Types.ObjectId,
session?: ClientSession,
): Promise<{ user: IUser; group: IGroup | null }> {
const User = mongoose.models.User as Model<IUser>;
const Group = mongoose.models.Group as Model<IGroup>;
const options = { new: true, ...(session ? { session } : {}) };
const user = (await User.findById(userId, 'idOnTheSource', options).lean()) as {
idOnTheSource?: string;
_id: Types.ObjectId;
} | null;
if (!user) {
throw new Error(`User not found: ${userId}`);
}
const userIdOnTheSource = user.idOnTheSource || userId.toString();
const updatedGroup = await Group.findByIdAndUpdate(
groupId,
{ $addToSet: { memberIds: userIdOnTheSource } },
options,
).lean();
return { user: user as IUser, group: updatedGroup };
}
/**
* Remove a user from a group
* Only updates Group.memberIds (one-way relationship)
* Note: memberIds stores idOnTheSource values, not ObjectIds
*
* @param userId - The user ID
* @param groupId - The group ID to remove
* @param session - Optional MongoDB session for transactions
* @returns The user and updated group documents
*/
async function removeUserFromGroup(
userId: string | Types.ObjectId,
groupId: string | Types.ObjectId,
session?: ClientSession,
): Promise<{ user: IUser; group: IGroup | null }> {
const User = mongoose.models.User as Model<IUser>;
const Group = mongoose.models.Group as Model<IGroup>;
const options = { new: true, ...(session ? { session } : {}) };
const user = (await User.findById(userId, 'idOnTheSource', options).lean()) as {
idOnTheSource?: string;
_id: Types.ObjectId;
} | null;
if (!user) {
throw new Error(`User not found: ${userId}`);
}
const userIdOnTheSource = user.idOnTheSource || userId.toString();
const updatedGroup = await Group.findByIdAndUpdate(
groupId,
{ $pull: { memberIds: userIdOnTheSource } },
options,
).lean();
return { user: user as IUser, group: updatedGroup };
}
/**
* Get all groups a user is a member of
* @param userId - The user ID
* @param session - Optional MongoDB session for transactions
* @returns Array of group documents
*/
async function getUserGroups(
userId: string | Types.ObjectId,
session?: ClientSession,
): Promise<IGroup[]> {
return await findGroupsByMemberId(userId, session);
}
/**
* Get a list of all principal identifiers for a user (user ID + group IDs + public)
* For use in permission checks
* @param params - Parameters object
* @param params.userId - The user ID
* @param params.role - Optional user role (if not provided, will query from DB)
* @param session - Optional MongoDB session for transactions
* @returns Array of principal objects with type and id
*/
async function getUserPrincipals(
params: {
userId: string | Types.ObjectId;
role?: string | null;
},
session?: ClientSession,
): Promise<Array<{ principalType: string; principalId?: string | Types.ObjectId }>> {
const { userId, role } = params;
/** `userId` must be an `ObjectId` for USER principal since ACL entries store `ObjectId`s */
const userObjectId = typeof userId === 'string' ? new Types.ObjectId(userId) : userId;
const principals: Array<{ principalType: string; principalId?: string | Types.ObjectId }> = [
{ principalType: PrincipalType.USER, principalId: userObjectId },
];
// If role is not provided, query user to get it
let userRole = role;
if (userRole === undefined) {
const User = mongoose.models.User as Model<IUser>;
const query = User.findById(userId).select('role');
if (session) {
query.session(session);
}
const user = await query.lean();
userRole = user?.role;
}
// Add role as a principal if user has one
if (userRole && userRole.trim()) {
principals.push({ principalType: PrincipalType.ROLE, principalId: userRole });
}
const userGroups = await getUserGroups(userId, session);
if (userGroups && userGroups.length > 0) {
userGroups.forEach((group) => {
principals.push({ principalType: PrincipalType.GROUP, principalId: group._id });
});
}
principals.push({ principalType: PrincipalType.PUBLIC });
return principals;
}
/**
* Sync a user's Entra ID group memberships
* @param userId - The user ID
* @param entraGroups - Array of Entra groups with id and name
* @param session - Optional MongoDB session for transactions
* @returns The updated user with new group memberships
*/
async function syncUserEntraGroups(
userId: string | Types.ObjectId,
entraGroups: Array<{ id: string; name: string; description?: string; email?: string }>,
session?: ClientSession,
): Promise<{
user: IUser;
addedGroups: IGroup[];
removedGroups: IGroup[];
}> {
const User = mongoose.models.User as Model<IUser>;
const Group = mongoose.models.Group as Model<IGroup>;
const query = User.findById(userId, { idOnTheSource: 1 });
if (session) {
query.session(session);
}
const user = (await query.lean()) as { idOnTheSource?: string; _id: Types.ObjectId } | null;
if (!user) {
throw new Error(`User not found: ${userId}`);
}
/** Get user's idOnTheSource for storing in group.memberIds */
const userIdOnTheSource = user.idOnTheSource || userId.toString();
const entraIdMap = new Map<string, boolean>();
const addedGroups: IGroup[] = [];
const removedGroups: IGroup[] = [];
for (const entraGroup of entraGroups) {
entraIdMap.set(entraGroup.id, true);
let group = await findGroupByExternalId(entraGroup.id, 'entra', {}, session);
if (!group) {
group = await createGroup(
{
name: entraGroup.name,
description: entraGroup.description,
email: entraGroup.email,
idOnTheSource: entraGroup.id,
source: 'entra',
memberIds: [userIdOnTheSource],
},
session,
);
addedGroups.push(group);
} else if (!group.memberIds?.includes(userIdOnTheSource)) {
const { group: updatedGroup } = await addUserToGroup(userId, group._id, session);
if (updatedGroup) {
addedGroups.push(updatedGroup);
}
}
}
const groupsQuery = Group.find(
{ source: 'entra', memberIds: userIdOnTheSource },
{ _id: 1, idOnTheSource: 1 },
);
if (session) {
groupsQuery.session(session);
}
const existingGroups = (await groupsQuery.lean()) as Array<{
_id: Types.ObjectId;
idOnTheSource?: string;
}>;
for (const group of existingGroups) {
if (group.idOnTheSource && !entraIdMap.has(group.idOnTheSource)) {
const { group: removedGroup } = await removeUserFromGroup(userId, group._id, session);
if (removedGroup) {
removedGroups.push(removedGroup);
}
}
}
const userQuery = User.findById(userId);
if (session) {
userQuery.session(session);
}
const updatedUser = await userQuery.lean();
if (!updatedUser) {
throw new Error(`User not found after update: ${userId}`);
}
return {
user: updatedUser,
addedGroups,
removedGroups,
};
}
/**
* Calculate relevance score for a search result
* @param item - The search result item
* @param searchPattern - The search pattern
* @returns Relevance score (0-100)
*/
function calculateRelevanceScore(item: TPrincipalSearchResult, searchPattern: string): number {
const exactRegex = new RegExp(`^${searchPattern}$`, 'i');
const startsWithPattern = searchPattern.toLowerCase();
/** Get searchable text based on type */
const searchableFields =
item.type === PrincipalType.USER
? [item.name, item.email, item.username].filter(Boolean)
: [item.name, item.email, item.description].filter(Boolean);
let maxScore = 0;
for (const field of searchableFields) {
if (!field) continue;
const fieldLower = field.toLowerCase();
let score = 0;
/** Exact match gets highest score */
if (exactRegex.test(field)) {
score = 100;
} else if (fieldLower.startsWith(startsWithPattern)) {
/** Starts with query gets high score */
score = 80;
} else if (fieldLower.includes(startsWithPattern)) {
/** Contains query gets medium score */
score = 50;
} else {
/** Default score for regex match */
score = 10;
}
maxScore = Math.max(maxScore, score);
}
return maxScore;
}
/**
* Sort principals by relevance score and type priority
* @param results - Array of results with _searchScore property
* @returns Sorted array
*/
function sortPrincipalsByRelevance<
T extends { _searchScore?: number; type: string; name?: string; email?: string },
>(results: T[]): T[] {
return results.sort((a, b) => {
if (b._searchScore !== a._searchScore) {
return (b._searchScore || 0) - (a._searchScore || 0);
}
if (a.type !== b.type) {
return a.type === PrincipalType.USER ? -1 : 1;
}
const aName = a.name || a.email || '';
const bName = b.name || b.email || '';
return aName.localeCompare(bName);
});
}
/**
* Transform user object to TPrincipalSearchResult format
* @param user - User object from database
* @returns Transformed user result
*/
function transformUserToTPrincipalSearchResult(user: TUser): TPrincipalSearchResult {
return {
id: user.id,
type: PrincipalType.USER,
name: user.name || user.email,
email: user.email,
username: user.username,
avatar: user.avatar,
provider: user.provider,
source: 'local',
idOnTheSource: (user as TUser & { idOnTheSource?: string }).idOnTheSource || user.id,
};
}
/**
* Transform group object to TPrincipalSearchResult format
* @param group - Group object from database
* @returns Transformed group result
*/
function transformGroupToTPrincipalSearchResult(group: IGroup): TPrincipalSearchResult {
return {
id: group._id?.toString(),
type: PrincipalType.GROUP,
name: group.name,
email: group.email,
avatar: group.avatar,
description: group.description,
source: group.source || 'local',
memberCount: group.memberIds ? group.memberIds.length : 0,
idOnTheSource: group.idOnTheSource || group._id?.toString(),
};
}
/**
* Search for principals (users and groups) by pattern matching on name/email
* Returns combined results in TPrincipalSearchResult format without sorting
* @param searchPattern - The pattern to search for
* @param limitPerType - Maximum number of results to return
* @param typeFilter - Optional array of types to filter by, or null for all types
* @param session - Optional MongoDB session for transactions
* @returns Array of principals in TPrincipalSearchResult format
*/
async function searchPrincipals(
searchPattern: string,
limitPerType: number = 10,
typeFilter: Array<PrincipalType.USER | PrincipalType.GROUP | PrincipalType.ROLE> | null = null,
session?: ClientSession,
): Promise<TPrincipalSearchResult[]> {
if (!searchPattern || searchPattern.trim().length === 0) {
return [];
}
const trimmedPattern = searchPattern.trim();
const promises: Promise<TPrincipalSearchResult[]>[] = [];
if (!typeFilter || typeFilter.includes(PrincipalType.USER)) {
/** Note: searchUsers is imported from ~/models and needs to be passed in or implemented */
const userFields = 'name email username avatar provider idOnTheSource';
/** For now, we'll use a direct query instead of searchUsers */
const User = mongoose.models.User as Model<IUser>;
const regex = new RegExp(trimmedPattern, 'i');
const userQuery = User.find({
$or: [{ name: regex }, { email: regex }, { username: regex }],
})
.select(userFields)
.limit(limitPerType);
if (session) {
userQuery.session(session);
}
promises.push(
userQuery.lean().then((users) =>
users.map((user) => {
const userWithId = user as IUser & { idOnTheSource?: string };
return transformUserToTPrincipalSearchResult({
id: userWithId._id?.toString() || '',
name: userWithId.name,
email: userWithId.email,
username: userWithId.username,
avatar: userWithId.avatar,
provider: userWithId.provider,
} as TUser);
}),
),
);
} else {
promises.push(Promise.resolve([]));
}
if (!typeFilter || typeFilter.includes(PrincipalType.GROUP)) {
promises.push(
findGroupsByNamePattern(trimmedPattern, null, limitPerType, session).then((groups) =>
groups.map(transformGroupToTPrincipalSearchResult),
),
);
} else {
promises.push(Promise.resolve([]));
}
if (!typeFilter || typeFilter.includes(PrincipalType.ROLE)) {
const Role = mongoose.models.Role as Model<IRole>;
if (Role) {
const regex = new RegExp(trimmedPattern, 'i');
const roleQuery = Role.find({ name: regex }).select('name').limit(limitPerType);
if (session) {
roleQuery.session(session);
}
promises.push(
roleQuery.lean().then((roles) =>
roles.map((role) => ({
/** Role name as ID */
id: role.name,
type: PrincipalType.ROLE,
name: role.name,
source: 'local' as const,
idOnTheSource: role.name,
})),
),
);
}
} else {
promises.push(Promise.resolve([]));
}
const results = await Promise.all(promises);
const combined = results.flat();
return combined;
}
return {
findGroupById,
findGroupByExternalId,
findGroupsByNamePattern,
findGroupsByMemberId,
createGroup,
upsertGroupByExternalId,
addUserToGroup,
removeUserFromGroup,
getUserGroups,
getUserPrincipals,
syncUserEntraGroups,
searchPrincipals,
calculateRelevanceScore,
sortPrincipalsByRelevance,
};
}
export type UserGroupMethods = ReturnType<typeof createUserGroupMethods>;
|