openvidu/backend/src/middlewares/auth.middleware.ts

195 lines
5.3 KiB
TypeScript

import { User, UserRole } from '@typings-ce';
import { NextFunction, Request, RequestHandler, Response } from 'express';
import rateLimit from 'express-rate-limit';
import { ClaimGrants } from 'livekit-server-sdk';
import ms from 'ms';
import { container } from '../config/index.js';
import INTERNAL_CONFIG from '../config/internal-config.js';
import { MEET_API_KEY } from '../environment.js';
import {
errorInsufficientPermissions,
errorInvalidApiKey,
errorInvalidToken,
errorInvalidTokenSubject,
errorUnauthorized,
OpenViduMeetError
} from '../models/index.js';
import { LoggerService, TokenService, UserService } from '../services/index.js';
/**
* This middleware allows to chain multiple validators to check if the request is authorized.
* If any of the validators grants access, the request is allowed to continue, skipping the rest of the validators.
* If none of the validators grants access, the request is rejected with an unauthorized error.
*
* @param validators List of validators to check if the request is authorized
* @returns RequestHandler middleware
*/
export const withAuth = (...validators: ((req: Request) => Promise<void>)[]): RequestHandler => {
return async (req: Request, res: Response, next: NextFunction) => {
let lastError: OpenViduMeetError | null = null;
for (const validator of validators) {
try {
await validator(req);
// If any middleware granted access, it is not necessary to continue checking the rest
return next();
} catch (error) {
// If no middleware granted access, return unauthorized
if (error instanceof OpenViduMeetError) {
lastError = error;
}
}
}
if (lastError) {
return res.status(lastError.statusCode).json({ message: lastError.message });
}
return res.status(500).json({ message: 'Internal server error' });
};
};
// Configure token validatior for role-based access
export const tokenAndRoleValidator = (role: UserRole) => {
return async (req: Request) => {
const token = req.cookies[INTERNAL_CONFIG.ACCESS_TOKEN_COOKIE_NAME];
if (!token) {
throw errorUnauthorized();
}
const tokenService = container.get(TokenService);
let payload: ClaimGrants;
try {
payload = await tokenService.verifyToken(token);
} catch (error) {
throw errorInvalidToken();
}
const username = payload.sub;
const userService = container.get(UserService);
const user = username ? await userService.getUser(username) : null;
if (!user) {
throw errorInvalidTokenSubject();
}
if (user.role !== role) {
throw errorInsufficientPermissions();
}
req.session = req.session || {};
req.session.user = user;
};
};
// Configure token validator for participant access
export const participantTokenValidator = async (req: Request) => {
await validateTokenAndSetSession(req, INTERNAL_CONFIG.PARTICIPANT_TOKEN_COOKIE_NAME);
};
// Configure token validator for recording access
export const recordingTokenValidator = async (req: Request) => {
await validateTokenAndSetSession(req, INTERNAL_CONFIG.RECORDING_TOKEN_COOKIE_NAME);
};
const validateTokenAndSetSession = async (
req: Request,
cookieName: string
) => {
const token = req.cookies[cookieName];
if (!token) {
throw errorUnauthorized();
}
const tokenService = container.get(TokenService);
try {
const payload = await tokenService.verifyToken(token);
const user = await getAuthenticatedUserOrAnonymous(req);
req.session = req.session || {};
req.session.tokenClaims = payload;
req.session.user = user;
} catch (error) {
throw errorInvalidToken();
}
};
// Configure API key validatior
export const apiKeyValidator = async (req: Request) => {
const apiKey = req.headers[INTERNAL_CONFIG.API_KEY_HEADER];
if (!apiKey) {
throw errorUnauthorized();
}
if (apiKey !== MEET_API_KEY) {
throw errorInvalidApiKey();
}
const apiUser = {
username: INTERNAL_CONFIG.API_USER,
role: UserRole.APP
};
req.session = req.session || {};
req.session.user = apiUser;
};
// Allow anonymous access
export const allowAnonymous = async (req: Request) => {
const user = await getAuthenticatedUserOrAnonymous(req);
req.session = req.session || {};
req.session.user = user;
};
// Return the authenticated user if available, otherwise return an anonymous user
const getAuthenticatedUserOrAnonymous = async (req: Request) => {
let user: User | null = null;
// Check if there is a user already authenticated
const token = req.cookies[INTERNAL_CONFIG.ACCESS_TOKEN_COOKIE_NAME];
if (token) {
try {
const tokenService = container.get(TokenService);
const payload = await tokenService.verifyToken(token);
const username = payload.sub;
const userService = container.get(UserService);
user = username ? await userService.getUser(username) : null;
} catch (error) {
const logger = container.get(LoggerService);
logger.debug('Token found but invalid:' + error);
}
}
if (!user) {
user = {
username: INTERNAL_CONFIG.ANONYMOUS_USER,
role: UserRole.USER
};
}
return user;
};
// Limit login attempts to avoid brute force attacks
const loginLimiter = rateLimit({
windowMs: ms('15m'),
limit: 5,
message: 'Too many login attempts, please try again later'
});
export const withLoginLimiter = (req: Request, res: Response, next: NextFunction) => {
// Bypass rate limiting in test environment
if (process.env.NODE_ENV === 'test') {
return next();
}
return loginLimiter(req, res, next);
};