driver to user id

This commit is contained in:
2026-01-07 13:26:31 +01:00
parent 0db80fa98d
commit 94d60527f4
27 changed files with 856 additions and 1170 deletions

View File

@@ -0,0 +1,218 @@
import { describe, it, expect, vi, type Mock } from 'vitest';
import { SignupSponsorUseCase } from './SignupSponsorUseCase';
import { EmailAddress } from '../../domain/value-objects/EmailAddress';
import { UserId } from '../../domain/value-objects/UserId';
import { User } from '../../domain/entities/User';
import type { IAuthRepository } from '../../domain/repositories/IAuthRepository';
import type { ICompanyRepository } from '../../domain/repositories/ICompanyRepository';
import type { IPasswordHashingService } from '../../domain/services/PasswordHashingService';
import type { Logger, UseCaseOutputPort } from '@core/shared/application';
vi.mock('../../domain/value-objects/PasswordHash', () => ({
PasswordHash: {
fromHash: (hash: string) => ({ value: hash }),
},
}));
type SignupSponsorOutput = unknown;
describe('SignupSponsorUseCase', () => {
let authRepo: {
findByEmail: Mock;
save: Mock;
};
let companyRepo: {
create: Mock;
save: Mock;
delete: Mock;
};
let passwordService: {
hash: Mock;
};
let logger: Logger;
let output: UseCaseOutputPort<SignupSponsorOutput> & { present: Mock };
let useCase: SignupSponsorUseCase;
beforeEach(() => {
authRepo = {
findByEmail: vi.fn(),
save: vi.fn(),
};
companyRepo = {
create: vi.fn(),
save: vi.fn(),
delete: vi.fn(),
};
passwordService = {
hash: vi.fn(),
};
logger = {
debug: vi.fn(),
info: vi.fn(),
warn: vi.fn(),
error: vi.fn(),
} as unknown as Logger;
output = {
present: vi.fn(),
};
useCase = new SignupSponsorUseCase(
authRepo as unknown as IAuthRepository,
companyRepo as unknown as ICompanyRepository,
passwordService as unknown as IPasswordHashingService,
logger,
output,
);
});
it('creates user and company successfully when email is free', async () => {
const input = {
email: 'sponsor@example.com',
password: 'Password123',
displayName: 'John Doe',
companyName: 'Acme Racing Co.',
};
authRepo.findByEmail.mockResolvedValue(null);
passwordService.hash.mockResolvedValue('hashed-password');
companyRepo.create.mockImplementation((data) => ({
getId: () => 'company-123',
getName: data.getName,
getOwnerUserId: data.getOwnerUserId,
getContactEmail: data.getContactEmail,
}));
companyRepo.save.mockResolvedValue(undefined);
authRepo.save.mockResolvedValue(undefined);
const result = await useCase.execute(input);
// Verify the basic flow worked
expect(result.isOk()).toBe(true);
expect(output.present).toHaveBeenCalled();
// Verify key repository methods were called
expect(authRepo.findByEmail).toHaveBeenCalled();
expect(passwordService.hash).toHaveBeenCalled();
expect(companyRepo.create).toHaveBeenCalled();
expect(companyRepo.save).toHaveBeenCalled();
expect(authRepo.save).toHaveBeenCalled();
});
it('rolls back company creation when user save fails', async () => {
const input = {
email: 'sponsor@example.com',
password: 'Password123',
displayName: 'John Doe',
companyName: 'Acme Racing Co.',
};
authRepo.findByEmail.mockResolvedValue(null);
passwordService.hash.mockResolvedValue('hashed-password');
companyRepo.create.mockImplementation((data) => ({
getId: () => 'company-123',
getName: data.getName,
getOwnerUserId: data.getOwnerUserId,
getContactEmail: data.getContactEmail,
}));
companyRepo.save.mockResolvedValue(undefined);
authRepo.save.mockRejectedValue(new Error('Database error'));
const result = await useCase.execute(input);
// Verify company was deleted (rollback)
expect(companyRepo.delete).toHaveBeenCalled();
const deletedCompanyId = companyRepo.delete.mock.calls[0][0];
expect(deletedCompanyId).toBeDefined();
// Verify error result
expect(result.isErr()).toBe(true);
const error = result.unwrapErr();
expect(error.code).toBe('REPOSITORY_ERROR');
});
it('fails when user already exists', async () => {
const input = {
email: 'existing@example.com',
password: 'Password123',
displayName: 'John Doe',
companyName: 'Acme Racing Co.',
};
const existingUser = User.create({
id: UserId.create(),
displayName: 'Existing User',
email: input.email,
});
authRepo.findByEmail.mockResolvedValue(existingUser);
const result = await useCase.execute(input);
expect(result.isErr()).toBe(true);
const error = result.unwrapErr();
expect(error.code).toBe('USER_ALREADY_EXISTS');
// Verify no company was created
expect(companyRepo.create).not.toHaveBeenCalled();
});
it('fails when company creation throws an error', async () => {
const input = {
email: 'sponsor@example.com',
password: 'Password123',
displayName: 'John Doe',
companyName: 'Acme Racing Co.',
};
authRepo.findByEmail.mockResolvedValue(null);
passwordService.hash.mockResolvedValue('hashed-password');
companyRepo.create.mockImplementation(() => {
throw new Error('Invalid company data');
});
const result = await useCase.execute(input);
expect(result.isErr()).toBe(true);
const error = result.unwrapErr();
expect(error.code).toBe('REPOSITORY_ERROR');
// The error message might be wrapped, so just check it's a repository error
});
it('fails with weak password', async () => {
const input = {
email: 'sponsor@example.com',
password: 'weak',
displayName: 'John Doe',
companyName: 'Acme Racing Co.',
};
const result = await useCase.execute(input);
expect(result.isErr()).toBe(true);
const error = result.unwrapErr();
expect(error.code).toBe('WEAK_PASSWORD');
// Verify no repository calls
expect(authRepo.findByEmail).not.toHaveBeenCalled();
expect(companyRepo.create).not.toHaveBeenCalled();
});
it('fails with invalid display name', async () => {
const input = {
email: 'sponsor@example.com',
password: 'Password123',
displayName: 'user123', // Invalid - alphanumeric only
companyName: 'Acme Racing Co.',
};
const result = await useCase.execute(input);
expect(result.isErr()).toBe(true);
const error = result.unwrapErr();
expect(error.code).toBe('INVALID_DISPLAY_NAME');
// Verify no repository calls
expect(authRepo.findByEmail).not.toHaveBeenCalled();
expect(companyRepo.create).not.toHaveBeenCalled();
});
});

View File

@@ -0,0 +1,180 @@
import { EmailAddress } from '../../domain/value-objects/EmailAddress';
import { UserId } from '../../domain/value-objects/UserId';
import { User } from '../../domain/entities/User';
import { Company } from '../../domain/entities/Company';
import { IAuthRepository } from '../../domain/repositories/IAuthRepository';
import { ICompanyRepository } from '../../domain/repositories/ICompanyRepository';
import { IPasswordHashingService } from '../../domain/services/PasswordHashingService';
import { Result } from '@core/shared/application/Result';
import type { ApplicationErrorCode } from '@core/shared/errors/ApplicationErrorCode';
import type { UseCaseOutputPort, Logger, UseCase } from '@core/shared/application';
export type SignupSponsorInput = {
email: string;
password: string;
displayName: string;
companyName: string;
};
export type SignupSponsorResult = {
user: User;
company: Company;
};
export type SignupSponsorErrorCode = 'USER_ALREADY_EXISTS' | 'WEAK_PASSWORD' | 'INVALID_DISPLAY_NAME' | 'REPOSITORY_ERROR';
export type SignupSponsorApplicationError = ApplicationErrorCode<SignupSponsorErrorCode, { message: string }>;
/**
* Application Use Case: SignupSponsorUseCase
*
* Handles sponsor registration by creating both a User and a Company atomically.
* If any step fails, the operation is rolled back.
*/
export class SignupSponsorUseCase implements UseCase<SignupSponsorInput, void, SignupSponsorErrorCode> {
constructor(
private readonly authRepo: IAuthRepository,
private readonly companyRepo: ICompanyRepository,
private readonly passwordService: IPasswordHashingService,
private readonly logger: Logger,
private readonly output: UseCaseOutputPort<SignupSponsorResult>,
) {}
async execute(input: SignupSponsorInput): Promise<Result<void, SignupSponsorApplicationError>> {
let createdCompany: Company | null = null;
try {
// Validate password strength first (before any repository calls)
if (!this.isPasswordStrong(input.password)) {
return Result.err({
code: 'WEAK_PASSWORD',
details: { message: 'Password must be at least 8 characters and contain uppercase, lowercase, and number' },
});
}
// Validate display name format (before any repository calls)
// We do this by attempting to create a User and catching any validation errors
try {
// Temporarily create user to validate display name
User.create({
id: UserId.create(),
displayName: input.displayName,
});
} catch (error) {
if (error instanceof Error) {
if (error.message.includes('Name must be at least') ||
error.message.includes('Name can only contain') ||
error.message.includes('Please use your real name')) {
return Result.err({
code: 'INVALID_DISPLAY_NAME',
details: { message: error.message },
});
}
}
// Re-throw if it's a different error
throw error;
}
// Validate email format
const emailVO = EmailAddress.create(input.email);
// Check if user exists
const existingUser = await this.authRepo.findByEmail(emailVO);
if (existingUser) {
return Result.err({
code: 'USER_ALREADY_EXISTS',
details: { message: 'User already exists' },
});
}
// Hash password
const hashedPassword = await this.passwordService.hash(input.password);
const passwordHashModule = await import('../../domain/value-objects/PasswordHash');
const passwordHash = passwordHashModule.PasswordHash.fromHash(hashedPassword);
// Create user with all fields
const userId = UserId.create();
const user = User.create({
id: userId,
displayName: input.displayName,
email: emailVO.value,
passwordHash,
});
// Create company via repository
const company = this.companyRepo.create({
getName: () => input.companyName,
getOwnerUserId: () => userId,
getContactEmail: () => emailVO.value,
});
// Save company first
await this.companyRepo.save(company);
createdCompany = company;
// Link user to company
user.setCompanyId(company.getId());
// Save user
await this.authRepo.save(user);
this.output.present({ user, company });
return Result.ok(undefined);
} catch (error) {
// Rollback: delete company if it was created
if (createdCompany && typeof createdCompany.getId === 'function') {
try {
const companyId = createdCompany.getId();
await this.companyRepo.delete(companyId);
this.logger.info('[SignupSponsorUseCase] Rolled back company creation', {
companyId,
});
} catch (rollbackError) {
this.logger.error('[SignupSponsorUseCase] Failed to rollback company creation', rollbackError instanceof Error ? rollbackError : undefined, {
companyId: createdCompany.getId ? createdCompany.getId() : 'unknown',
});
}
}
// Handle specific validation errors from User entity
if (error instanceof Error) {
if (error.message.includes('Name must be at least') ||
error.message.includes('Name can only contain') ||
error.message.includes('Please use your real name')) {
return Result.err({
code: 'INVALID_DISPLAY_NAME',
details: { message: error.message },
});
}
if (error.message.includes('Company name')) {
return Result.err({
code: 'REPOSITORY_ERROR',
details: { message: error.message },
});
}
}
const message =
error instanceof Error && error.message
? error.message
: 'Failed to execute SignupSponsorUseCase';
this.logger.error('SignupSponsorUseCase.execute failed', error instanceof Error ? error : undefined, {
input,
});
return Result.err({
code: 'REPOSITORY_ERROR',
details: { message },
});
}
}
private isPasswordStrong(password: string): boolean {
if (password.length < 8) return false;
if (!/[a-z]/.test(password)) return false;
if (!/[A-Z]/.test(password)) return false;
if (!/\d/.test(password)) return false;
return true;
}
}