fosrl.pangolin/server/routers/resource/listResources.ts

194 lines
5.8 KiB
TypeScript
Raw Normal View History

import { Request, Response, NextFunction } from "express";
import { z } from "zod";
import { db } from "@server/db";
import {
resources,
sites,
userResources,
roleResources,
} from "@server/db/schema";
2024-10-02 21:17:38 -04:00
import response from "@server/utils/response";
import HttpCode from "@server/types/HttpCode";
import createHttpError from "http-errors";
import { sql, eq, or, inArray, and, count } from "drizzle-orm";
import { ActionsEnum, checkUserActionPermission } from "@server/auth/actions";
import logger from "@server/logger";
2024-10-02 21:17:38 -04:00
const listResourcesParamsSchema = z
.object({
siteId: z.number().int().positive().optional(),
orgId: z.string().optional(),
})
.refine((data) => !!data.siteId !== !!data.orgId, {
message: "Either siteId or orgId must be provided, but not both",
});
2024-10-02 22:05:21 -04:00
2024-10-02 21:17:38 -04:00
const listResourcesSchema = z.object({
limit: z
.string()
.optional()
.default("0")
.transform(Number)
.pipe(z.number().int().nonnegative()),
offset: z
.string()
.optional()
.default("0")
.transform(Number)
.pipe(z.number().int().nonnegative()),
2024-10-02 21:17:38 -04:00
});
function queryResources(
accessibleResourceIds: string[],
siteId?: number,
orgId?: string,
) {
if (siteId) {
return db
.select({
resourceId: resources.resourceId,
name: resources.name,
subdomain: resources.subdomain,
siteName: sites.name,
})
.from(resources)
.leftJoin(sites, eq(resources.siteId, sites.siteId))
.where(
and(
inArray(resources.resourceId, accessibleResourceIds),
eq(resources.siteId, siteId),
),
);
} else if (orgId) {
return db
.select({
resourceId: resources.resourceId,
name: resources.name,
subdomain: resources.subdomain,
siteName: sites.name,
})
.from(resources)
.leftJoin(sites, eq(resources.siteId, sites.siteId))
.where(
and(
inArray(resources.resourceId, accessibleResourceIds),
eq(resources.orgId, orgId),
),
);
}
}
export type ListSitesResponse = {
resources: NonNullable<Awaited<ReturnType<typeof queryResources>>>;
pagination: { total: number; limit: number; offset: number };
};
export async function listResources(
req: Request,
res: Response,
next: NextFunction,
): Promise<any> {
2024-10-06 18:05:20 -04:00
try {
const parsedQuery = listResourcesSchema.safeParse(req.query);
if (!parsedQuery.success) {
return next(
createHttpError(
HttpCode.BAD_REQUEST,
parsedQuery.error.errors.map((e) => e.message).join(", "),
),
);
2024-10-06 18:05:20 -04:00
}
const { limit, offset } = parsedQuery.data;
2024-10-02 21:17:38 -04:00
2024-10-06 18:05:20 -04:00
const parsedParams = listResourcesParamsSchema.safeParse(req.params);
if (!parsedParams.success) {
return next(
createHttpError(
HttpCode.BAD_REQUEST,
parsedParams.error.errors.map((e) => e.message).join(", "),
),
);
2024-10-06 18:05:20 -04:00
}
const { siteId, orgId } = parsedParams.data;
2024-10-02 21:17:38 -04:00
2024-10-06 18:05:20 -04:00
// Check if the user has permission to list sites
const hasPermission = await checkUserActionPermission(
ActionsEnum.listResources,
req,
);
2024-10-06 18:05:20 -04:00
if (!hasPermission) {
return next(
createHttpError(
HttpCode.FORBIDDEN,
"User does not have permission to perform this action",
),
);
2024-10-06 18:05:20 -04:00
}
2024-10-06 18:05:20 -04:00
if (orgId && orgId !== req.orgId) {
return next(
createHttpError(
HttpCode.FORBIDDEN,
"User does not have access to this organization",
),
);
2024-10-06 18:05:20 -04:00
}
2024-10-06 18:05:20 -04:00
// Get the list of resources the user has access to
const accessibleResources = await db
.select({
resourceId: sql<string>`COALESCE(${userResources.resourceId}, ${roleResources.resourceId})`,
})
2024-10-06 18:05:20 -04:00
.from(userResources)
.fullJoin(
roleResources,
eq(userResources.resourceId, roleResources.resourceId),
)
2024-10-06 18:05:20 -04:00
.where(
or(
2024-10-13 17:13:47 -04:00
eq(userResources.userId, req.user!.userId),
eq(roleResources.roleId, req.userOrgRoleId!),
),
2024-10-06 18:05:20 -04:00
);
const accessibleResourceIds = accessibleResources.map(
(resource) => resource.resourceId,
);
2024-10-02 21:17:38 -04:00
2024-10-06 18:05:20 -04:00
let countQuery: any = db
.select({ count: count() })
2024-10-06 18:05:20 -04:00
.from(resources)
.where(inArray(resources.resourceId, accessibleResourceIds));
const baseQuery = queryResources(accessibleResourceIds, siteId, orgId);
2024-10-02 21:17:38 -04:00
const resourcesList = await baseQuery!.limit(limit).offset(offset);
2024-10-06 18:05:20 -04:00
const totalCountResult = await countQuery;
const totalCount = totalCountResult[0].count;
2024-10-02 21:17:38 -04:00
return response<ListSitesResponse>(res, {
2024-10-06 18:05:20 -04:00
data: {
resources: resourcesList,
pagination: {
total: totalCount,
limit,
offset,
},
},
success: true,
error: false,
message: "Resources retrieved successfully",
status: HttpCode.OK,
});
} catch (error) {
logger.error(error);
return next(
createHttpError(
HttpCode.INTERNAL_SERVER_ERROR,
"An error occurred...",
),
);
2024-10-06 18:05:20 -04:00
}
2024-10-13 17:13:47 -04:00
}