mirror of
https://github.com/nicotsx/zerobyte.git
synced 2026-02-13 06:52:28 -05:00
80 lines
2.1 KiB
TypeScript
80 lines
2.1 KiB
TypeScript
import { createMiddleware } from "hono/factory";
|
|
import { auth } from "~/lib/auth";
|
|
import { db } from "~/server/db/db";
|
|
import { member } from "~/server/db/schema";
|
|
import { eq, and } from "drizzle-orm";
|
|
import { withContext } from "~/server/core/request-context";
|
|
|
|
declare module "hono" {
|
|
interface ContextVariableMap {
|
|
user: {
|
|
id: string;
|
|
username: string;
|
|
hasDownloadedResticPassword: boolean;
|
|
role?: string | null | undefined;
|
|
};
|
|
organizationId: string;
|
|
}
|
|
}
|
|
|
|
/**
|
|
* Middleware to require authentication
|
|
* Verifies the session cookie and attaches user to context
|
|
*/
|
|
export const requireAuth = createMiddleware(async (c, next) => {
|
|
const sess = await auth.api.getSession({
|
|
headers: c.req.raw.headers,
|
|
});
|
|
|
|
const { user, session } = sess ?? {};
|
|
const { activeOrganizationId } = session ?? {};
|
|
|
|
if (!user || !session || !activeOrganizationId) {
|
|
return c.json<unknown>({ message: "Invalid or expired session" }, 401);
|
|
}
|
|
|
|
const membership = await db.query.member.findFirst({
|
|
where: and(eq(member.userId, user.id), eq(member.organizationId, activeOrganizationId)),
|
|
});
|
|
|
|
if (!membership) {
|
|
return c.json({ message: "Invalid organization context" }, 403);
|
|
}
|
|
|
|
c.set("user", user);
|
|
c.set("organizationId", activeOrganizationId);
|
|
|
|
await withContext({ organizationId: activeOrganizationId, userId: user.id }, async () => {
|
|
await next();
|
|
});
|
|
});
|
|
|
|
/**
|
|
* Middleware to require organization owner or admin role
|
|
* Verifies the user has the required role in the current organization
|
|
*/
|
|
export const requireOrgAdmin = createMiddleware(async (c, next) => {
|
|
const user = c.get("user");
|
|
const organizationId = c.get("organizationId");
|
|
|
|
const membership = await db.query.member.findFirst({
|
|
where: and(eq(member.userId, user.id), eq(member.organizationId, organizationId)),
|
|
});
|
|
|
|
if (!membership || (membership.role !== "owner" && membership.role !== "admin")) {
|
|
return c.json({ message: "Forbidden" }, 403);
|
|
}
|
|
|
|
await next();
|
|
});
|
|
|
|
export const requireAdmin = createMiddleware(async (c, next) => {
|
|
const user = c.get("user");
|
|
|
|
if (!user || user.role !== "admin") {
|
|
return c.json({ message: "Forbidden" }, 403);
|
|
}
|
|
|
|
await next();
|
|
});
|