TGD-54 #3

Merged
webster merged 1 commit from TGD-54 into 2024edition 2024-11-24 20:48:40 +04:00
4 changed files with 143 additions and 10 deletions
Showing only changes of commit 26fa7c701d - Show all commits

View file

@ -1,3 +1,3 @@
export const CommandbusMock = { export const CommandbusMock = {
execute: jest.fn(),
} }

View file

@ -1,3 +1,3 @@
export const GuestsServiceMock = { export const GuestsServiceMock = {
updatePenaltiesCount: jest.fn(),
} }

View file

@ -1,5 +1,5 @@
import { Test, TestingModule } from '@nestjs/testing'; import {Test, TestingModule} from '@nestjs/testing';
import { QuizService } from './quiz.service'; import {QuizService} from './quiz.service';
import {getModelToken} from "@nestjs/mongoose"; import {getModelToken} from "@nestjs/mongoose";
import {Question} from "../schemas/question.schema"; import {Question} from "../schemas/question.schema";
import {Model} from "mongoose"; import {Model} from "mongoose";
@ -13,9 +13,18 @@ import {EventbusMock} from "../mocks/eventbus.mock";
import {CommandbusMock} from "../mocks/commandbus.mock"; import {CommandbusMock} from "../mocks/commandbus.mock";
import {FeatureflagService} from "../featureflag/featureflag.service"; import {FeatureflagService} from "../featureflag/featureflag.service";
import {FeatureflagServiceMock} from "../mocks/featureflag-service.mock"; import {FeatureflagServiceMock} from "../mocks/featureflag-service.mock";
import {IncreasePlayerWinningRateCommand} from "../game/commands/increase-player-winning-rate.command";
import {IncreasePlayerScoreCommand} from "../guests/command/increase-player-score.command";
import {getRandomInt} from "../helpers/rand-number";
import {CreateNewQueueItemCommand} from "../game/commands/create-new-queue-item.command";
import {GameQueueTypes} from "../schemas/game-queue.schema";
jest.mock('../../src/helpers/rand-number');
describe('QuizService', () => { describe('QuizService', () => {
let service: QuizService; let service: QuizService;
let cmdBus: CommandBus;
let guestService: GuestsService;
beforeEach(async () => { beforeEach(async () => {
const module: TestingModule = await Test.createTestingModule({ const module: TestingModule = await Test.createTestingModule({
@ -32,9 +41,130 @@ describe('QuizService', () => {
}).compile(); }).compile();
service = await module.resolve<QuizService>(QuizService); service = await module.resolve<QuizService>(QuizService);
cmdBus = await module.resolve<CommandBus>(CommandBus);
guestService = await module.resolve<GuestsService>(GuestsService);
}); });
it('should be defined', () => { it('should be defined', () => {
expect(service).toBeDefined(); expect(service).toBeDefined();
}); });
describe('calculateScore()', () => {
const questionDocumentMock = {
text: 'test question',
answered: false,
valid: 'option1',
answers: ['option1', 'option2', 'option3', 'option4'],
answeredBy: 1,
note: '',
qId: 'xx-xxx-xxx',
userAnswers: [{
user: 1,
time: new Date(),
valid: false,
}, {
user: 2,
time: new Date(new Date().setSeconds((new Date).getSeconds() - 5)),
valid: false,
}, {
user: 3,
time: new Date(),
valid: true,
}],
scoreCalculated: false,
save: jest.fn(),
};
it('should not calculate score if it is already calculated', async () => {
// setup
questionDocumentMock.scoreCalculated = true;
const getSpy = jest.spyOn(service,'get').mockResolvedValue(questionDocumentMock as any);
const cmdBusExecSpy = jest.spyOn(cmdBus, 'execute').mockResolvedValue(null);
// act
await service.calculateScore();
// validate
expect(getSpy).toHaveBeenCalled();
expect(cmdBusExecSpy).not.toHaveBeenCalled();
})
it('should assign points to winner', async () => {
//setup
questionDocumentMock.scoreCalculated = false;
const getSpy = jest.spyOn(service, 'get').mockResolvedValue(questionDocumentMock as any);
const cmdBusExecSpy = jest.spyOn(cmdBus, 'execute');
// act
await service.calculateScore();
// validate
const validUser = questionDocumentMock.userAnswers.find(user => user.valid)
expect(cmdBusExecSpy).toHaveBeenNthCalledWith(1,new IncreasePlayerWinningRateCommand(validUser.user, expect.anything()));
expect(cmdBusExecSpy).toHaveBeenNthCalledWith(2, new IncreasePlayerScoreCommand(validUser.user, 1));
expect(cmdBusExecSpy).toHaveBeenNthCalledWith(4, new IncreasePlayerScoreCommand(validUser.user, 1));
})
it('should randomly add penalty to last answer if rnd > 50', async () => {
// setup
(getRandomInt as jest.Mock).mockReturnValue(65);
questionDocumentMock.scoreCalculated = false;
const getSpy = jest.spyOn(service, 'get').mockResolvedValue(questionDocumentMock as any);
const cmdBusExecSpy = jest.spyOn(cmdBus, 'execute');
const whoShouldGetPenalty = questionDocumentMock.userAnswers.find(x => x.user == 2);
//act
await service.calculateScore();
//validate
expect(getRandomInt).toHaveBeenCalledWith(0,100);
expect(cmdBusExecSpy).toHaveBeenCalledWith(new CreateNewQueueItemCommand(whoShouldGetPenalty.user, GameQueueTypes.penalty));
});
it('should not add penalty to last answer if rnd < 50', async () => {
// setup
jest.clearAllMocks();
(getRandomInt as jest.Mock).mockReturnValue(10);
questionDocumentMock.scoreCalculated = false;
jest.spyOn(service, 'get').mockResolvedValue(questionDocumentMock as any);
const cmdBusExecSpy = jest.spyOn(cmdBus, 'execute');
const whoShouldGetPenalty = questionDocumentMock.userAnswers.find(x => x.user == 2);
//act
await service.calculateScore();
//validate
expect(getRandomInt).toHaveBeenCalledWith(0,100);
expect(cmdBusExecSpy).not.toHaveBeenCalledWith(new CreateNewQueueItemCommand(whoShouldGetPenalty.user, GameQueueTypes.penalty));
})
it('should set score calculated after calculation', async () => {
questionDocumentMock.scoreCalculated = false;
const saveSpy = jest.spyOn(questionDocumentMock,'save').mockResolvedValue(true);
jest.spyOn(service, 'get').mockResolvedValue(questionDocumentMock as any);
// act
await service.calculateScore();
//validate
expect(saveSpy).toHaveBeenCalled();
})
it('should add show results in queue', async () => {
// setup
questionDocumentMock.scoreCalculated = false;
const cmdBusExecSpy = jest.spyOn(cmdBus, 'execute');
const validUser = questionDocumentMock.userAnswers.find(user => user.valid)
jest.spyOn(service, 'get').mockResolvedValue(questionDocumentMock as any);
// act
await service.calculateScore();
// validate
expect(cmdBusExecSpy).toHaveBeenCalledWith(new CreateNewQueueItemCommand(expect.anything(), GameQueueTypes.showresults));
})
});
}); });

View file

@ -120,7 +120,7 @@ export class QuizService {
return Promise.resolve(true); return Promise.resolve(true);
} }
private async calculateScore() { async calculateScore() {
const question = await this.get(); const question = await this.get();
if(question.scoreCalculated) { if(question.scoreCalculated) {
return; return;
@ -128,7 +128,6 @@ export class QuizService {
if(!await this.featureFlagService.getFeatureFlag(FeatureFlagsConsts.DontMarkQuestionsAsCompleted)) { if(!await this.featureFlagService.getFeatureFlag(FeatureFlagsConsts.DontMarkQuestionsAsCompleted)) {
this.logger.verbose(`[proceedWithGame]: DontMarkQuestionsAsCompleted disabled, marking as complete`); this.logger.verbose(`[proceedWithGame]: DontMarkQuestionsAsCompleted disabled, marking as complete`);
question.answered = true; question.answered = true;
} }
this.logger.verbose(`[calculateScore] enter `); this.logger.verbose(`[calculateScore] enter `);
const playerAnswers = question.userAnswers.map((answer) => { const playerAnswers = question.userAnswers.map((answer) => {
@ -157,13 +156,17 @@ export class QuizService {
const invalidAnswers = sortedAnswers.filter((answer) => !answer.valid) const invalidAnswers = sortedAnswers.filter((answer) => !answer.valid)
if(invalidAnswers.length > 0) { if(invalidAnswers.length > 0) {
const lastInvalidAnswer = invalidAnswers[invalidAnswers.length - 1]; //const lastInvalidAnswer = invalidAnswers[invalidAnswers.length - 1];
const lastInvalidAnswer = invalidAnswers.sort((a,b) => a.time - b.time)[0];
if(!lastInvalidAnswer) { if(!lastInvalidAnswer) {
return; return;
} }
targetUser = lastInvalidAnswer.user; const random = getRandomInt(0,100);
await this.guestService.updatePenaltiesCount(lastInvalidAnswer.user); if(random > 50) {
await this.commandBus.execute(new CreateNewQueueItemCommand(lastInvalidAnswer.user, GameQueueTypes.penalty)); await this.guestService.updatePenaltiesCount(lastInvalidAnswer.user);
await this.commandBus.execute(new CreateNewQueueItemCommand(lastInvalidAnswer.user, GameQueueTypes.penalty));
targetUser = lastInvalidAnswer.user;
}
} }
await this.commandBus.execute(new CreateNewQueueItemCommand(targetUser, GameQueueTypes.showresults)); await this.commandBus.execute(new CreateNewQueueItemCommand(targetUser, GameQueueTypes.showresults));
question.scoreCalculated = true; question.scoreCalculated = true;