Files
gridpilot.gg/core/racing/application/use-cases/GetRaceWithSOFUseCase.test.ts
2025-12-21 00:43:42 +01:00

253 lines
8.7 KiB
TypeScript

import { describe, it, expect, beforeEach, vi, Mock } from 'vitest';
import {
GetRaceWithSOFUseCase,
type GetRaceWithSOFInput,
type GetRaceWithSOFResult,
type GetRaceWithSOFErrorCode,
} from './GetRaceWithSOFUseCase';
import { IRaceRepository } from '../../domain/repositories/IRaceRepository';
import { IRaceRegistrationRepository } from '../../domain/repositories/IRaceRegistrationRepository';
import { IResultRepository } from '../../domain/repositories/IResultRepository';
import { Race } from '../../domain/entities/Race';
import { SessionType } from '../../domain/value-objects/SessionType';
import type { UseCaseOutputPort } from '@core/shared/application/UseCaseOutputPort';
import type { ApplicationErrorCode } from '@core/shared/errors/ApplicationErrorCode';
describe('GetRaceWithSOFUseCase', () => {
let useCase: GetRaceWithSOFUseCase;
let raceRepository: {
findById: Mock;
};
let registrationRepository: {
getRegisteredDrivers: Mock;
};
let resultRepository: {
findByRaceId: Mock;
};
let getDriverRating: Mock;
let output: UseCaseOutputPort<GetRaceWithSOFResult> & { present: Mock };
beforeEach(() => {
raceRepository = {
findById: vi.fn(),
};
registrationRepository = {
getRegisteredDrivers: vi.fn(),
};
resultRepository = {
findByRaceId: vi.fn(),
};
getDriverRating = vi.fn();
output = {
present: vi.fn(),
};
useCase = new GetRaceWithSOFUseCase(
raceRepository as unknown as IRaceRepository,
registrationRepository as unknown as IRaceRegistrationRepository,
resultRepository as unknown as IResultRepository,
getDriverRating,
output,
);
});
it('should return error when race not found', async () => {
raceRepository.findById.mockResolvedValue(null);
const result = await useCase.execute({ raceId: 'race-1' } as GetRaceWithSOFInput);
expect(result.isErr()).toBe(true);
const err = result.unwrapErr() as ApplicationErrorCode<
GetRaceWithSOFErrorCode,
{ message: string }
>;
expect(err.code).toBe('RACE_NOT_FOUND');
expect(err.details?.message).toBe('Race with id race-1 not found');
expect(output.present).not.toHaveBeenCalled();
});
it('should return race with stored SOF when available', async () => {
const race = Race.create({
id: 'race-1',
leagueId: 'league-1',
scheduledAt: new Date(),
track: 'Track 1',
car: 'Car 1',
sessionType: SessionType.main(),
status: 'scheduled',
strengthOfField: 1500,
registeredCount: 10,
maxParticipants: 20,
});
raceRepository.findById.mockResolvedValue(race);
registrationRepository.getRegisteredDrivers.mockResolvedValue([
'driver-1',
'driver-2',
'driver-3',
'driver-4',
'driver-5',
'driver-6',
'driver-7',
'driver-8',
'driver-9',
'driver-10',
]);
const result = await useCase.execute({ raceId: 'race-1' } as GetRaceWithSOFInput);
expect(result.isOk()).toBe(true);
expect(result.unwrap()).toBeUndefined();
expect(output.present).toHaveBeenCalledTimes(1);
const [[presented]] = output.present.mock.calls as [[GetRaceWithSOFResult]];
expect(presented.race.id).toBe('race-1');
expect(presented.race.leagueId).toBe('league-1');
expect(presented.strengthOfField).toBe(1500);
expect(presented.registeredCount).toBe(10);
expect(presented.maxParticipants).toBe(20);
expect(presented.participantCount).toBe(10);
});
it('should calculate SOF for upcoming race using registrations', async () => {
const race = Race.create({
id: 'race-1',
leagueId: 'league-1',
scheduledAt: new Date(),
track: 'Track 1',
car: 'Car 1',
sessionType: SessionType.main(),
status: 'scheduled',
});
raceRepository.findById.mockResolvedValue(race);
registrationRepository.getRegisteredDrivers.mockResolvedValue(['driver-1', 'driver-2']);
getDriverRating.mockImplementation((input) => {
if (input.driverId === 'driver-1') {
return Promise.resolve({ rating: 1400, ratingChange: null });
}
if (input.driverId === 'driver-2') {
return Promise.resolve({ rating: 1600, ratingChange: null });
}
return Promise.resolve({ rating: null, ratingChange: null });
});
const result = await useCase.execute({ raceId: 'race-1' } as GetRaceWithSOFInput);
expect(result.isOk()).toBe(true);
expect(result.unwrap()).toBeUndefined();
expect(output.present).toHaveBeenCalledTimes(1);
const [[presented]] = output.present.mock.calls as [[GetRaceWithSOFResult]];
expect(presented.strengthOfField).toBe(1500); // average
expect(presented.participantCount).toBe(2);
expect(registrationRepository.getRegisteredDrivers).toHaveBeenCalledWith('race-1');
expect(resultRepository.findByRaceId).not.toHaveBeenCalled();
});
it('should calculate SOF for completed race using results', async () => {
const race = Race.create({
id: 'race-1',
leagueId: 'league-1',
scheduledAt: new Date(),
track: 'Track 1',
car: 'Car 1',
sessionType: SessionType.main(),
status: 'completed',
});
raceRepository.findById.mockResolvedValue(race);
resultRepository.findByRaceId.mockResolvedValue([
{ driverId: 'driver-1' },
{ driverId: 'driver-2' },
]);
getDriverRating.mockImplementation((input) => {
if (input.driverId === 'driver-1') {
return Promise.resolve({ rating: 1400, ratingChange: null });
}
if (input.driverId === 'driver-2') {
return Promise.resolve({ rating: 1600, ratingChange: null });
}
return Promise.resolve({ rating: null, ratingChange: null });
});
const result = await useCase.execute({ raceId: 'race-1' } as GetRaceWithSOFInput);
expect(result.isOk()).toBe(true);
expect(result.unwrap()).toBeUndefined();
expect(output.present).toHaveBeenCalledTimes(1);
const [[presented]] = output.present.mock.calls as [[GetRaceWithSOFResult]];
expect(presented.strengthOfField).toBe(1500);
expect(presented.participantCount).toBe(2);
expect(resultRepository.findByRaceId).toHaveBeenCalledWith('race-1');
expect(registrationRepository.getRegisteredDrivers).not.toHaveBeenCalled();
});
it('should handle missing ratings gracefully', async () => {
const race = Race.create({
id: 'race-1',
leagueId: 'league-1',
scheduledAt: new Date(),
track: 'Track 1',
car: 'Car 1',
sessionType: SessionType.main(),
status: 'scheduled',
});
raceRepository.findById.mockResolvedValue(race);
registrationRepository.getRegisteredDrivers.mockResolvedValue(['driver-1', 'driver-2']);
getDriverRating.mockImplementation((input) => {
if (input.driverId === 'driver-1') {
return Promise.resolve({ rating: 1400, ratingChange: null });
}
// driver-2 missing
return Promise.resolve({ rating: null, ratingChange: null });
});
const result = await useCase.execute({ raceId: 'race-1' } as GetRaceWithSOFInput);
expect(result.isOk()).toBe(true);
expect(result.unwrap()).toBeUndefined();
expect(output.present).toHaveBeenCalledTimes(1);
const [[presented]] = output.present.mock.calls as [[GetRaceWithSOFResult]];
expect(presented.strengthOfField).toBe(1400); // only one rating
expect(presented.participantCount).toBe(2);
});
it('should return null SOF when no participants', async () => {
const race = Race.create({
id: 'race-1',
leagueId: 'league-1',
scheduledAt: new Date(),
track: 'Track 1',
car: 'Car 1',
sessionType: SessionType.main(),
status: 'scheduled',
});
raceRepository.findById.mockResolvedValue(race);
registrationRepository.getRegisteredDrivers.mockResolvedValue([]);
const result = await useCase.execute({ raceId: 'race-1' } as GetRaceWithSOFInput);
expect(result.isOk()).toBe(true);
expect(result.unwrap()).toBeUndefined();
expect(output.present).toHaveBeenCalledTimes(1);
const [[presented]] = output.present.mock.calls as [[GetRaceWithSOFResult]];
expect(presented.strengthOfField).toBe(null);
expect(presented.participantCount).toBe(0);
});
it('should wrap repository errors in REPOSITORY_ERROR and not call output', async () => {
raceRepository.findById.mockRejectedValue(new Error('boom'));
const result = await useCase.execute({ raceId: 'race-1' } as GetRaceWithSOFInput);
expect(result.isErr()).toBe(true);
const err = result.unwrapErr() as ApplicationErrorCode<
GetRaceWithSOFErrorCode,
{ message: string }
>;
expect(err.code).toBe('REPOSITORY_ERROR');
expect(err.details?.message).toBe('boom');
expect(output.present).not.toHaveBeenCalled();
});
});