Files
documenso/packages/lib/server-only/user/reset-password.ts
2025-10-19 20:23:10 +00:00

93 lines
2.3 KiB
TypeScript

import { compare, hash } from '@node-rs/bcrypt';
import { UserSecurityAuditLogType } from '@prisma/client';
import { prisma } from '@documenso/prisma';
import { SALT_ROUNDS } from '../../constants/auth';
import { AppError, AppErrorCode } from '../../errors/app-error';
import { jobsClient } from '../../jobs/client';
import type { RequestMetadata } from '../../universal/extract-request-metadata';
export type ResetPasswordOptions = {
token: string;
password: string;
requestMetadata?: RequestMetadata;
};
export const resetPassword = async ({ token, password, requestMetadata }: ResetPasswordOptions) => {
if (!token) {
throw new AppError('INVALID_TOKEN');
}
const foundToken = await prisma.passwordResetToken.findFirst({
where: {
token,
},
include: {
user: {
select: {
id: true,
email: true,
name: true,
password: true,
emailVerified: true,
},
},
},
});
if (!foundToken) {
throw new AppError('INVALID_TOKEN');
}
const now = new Date();
if (now > foundToken.expiry) {
throw new AppError(AppErrorCode.EXPIRED_CODE);
}
const isSamePassword = await compare(password, foundToken.user.password || '');
if (isSamePassword) {
throw new AppError('SAME_PASSWORD');
}
const hashedPassword = await hash(password, SALT_ROUNDS);
await prisma.$transaction(async (tx) => {
// Update password and verify email if not already verified
// This allows admin-created users to verify email and set password in one step
await tx.user.update({
where: {
id: foundToken.userId,
},
data: {
password: hashedPassword,
emailVerified: foundToken.user.emailVerified || new Date(),
},
});
await tx.passwordResetToken.deleteMany({
where: {
userId: foundToken.userId,
},
});
await tx.userSecurityAuditLog.create({
data: {
userId: foundToken.userId,
type: UserSecurityAuditLogType.PASSWORD_RESET,
userAgent: requestMetadata?.userAgent,
ipAddress: requestMetadata?.ipAddress,
},
});
await jobsClient.triggerJob({
name: 'send.password.reset.success.email',
payload: {
userId: foundToken.userId,
},
});
});
};