mirror of
https://github.com/ershisan99/flashcards-api.git
synced 2025-12-17 05:09:26 +00:00
fix: refactor two commands in saving grade to prevent race conditions
This commit is contained in:
@@ -25,7 +25,7 @@ export class IsOrderByConstraint implements ValidatorConstraintInterface {
|
|||||||
return true
|
return true
|
||||||
}
|
}
|
||||||
|
|
||||||
defaultMessage(args: ValidationArguments) {
|
defaultMessage(_args: ValidationArguments) {
|
||||||
return 'Invalid format. Expected format is "key-direction". Direction must be "asc" or "desc".'
|
return 'Invalid format. Expected format is "key-direction". Direction must be "asc" or "desc".'
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -10,7 +10,10 @@ import { UsersRepository } from '../users/infrastructure/users.repository'
|
|||||||
|
|
||||||
@Injectable()
|
@Injectable()
|
||||||
export class AuthService {
|
export class AuthService {
|
||||||
constructor(private usersRepository: UsersRepository, private prisma: PrismaService) {}
|
constructor(
|
||||||
|
private usersRepository: UsersRepository,
|
||||||
|
private prisma: PrismaService
|
||||||
|
) {}
|
||||||
|
|
||||||
async createJwtTokensPair(userId: string, rememberMe?: boolean) {
|
async createJwtTokensPair(userId: string, rememberMe?: boolean) {
|
||||||
const accessSecretKey = process.env.ACCESS_JWT_SECRET_KEY
|
const accessSecretKey = process.env.ACCESS_JWT_SECRET_KEY
|
||||||
|
|||||||
@@ -5,7 +5,10 @@ import * as jwt from 'jsonwebtoken'
|
|||||||
import { AuthRepository } from '../infrastructure/auth.repository'
|
import { AuthRepository } from '../infrastructure/auth.repository'
|
||||||
|
|
||||||
export class RefreshTokenCommand {
|
export class RefreshTokenCommand {
|
||||||
constructor(public readonly userId: string, public readonly shortAccessToken: boolean) {}
|
constructor(
|
||||||
|
public readonly userId: string,
|
||||||
|
public readonly shortAccessToken: boolean
|
||||||
|
) {}
|
||||||
}
|
}
|
||||||
|
|
||||||
@CommandHandler(RefreshTokenCommand)
|
@CommandHandler(RefreshTokenCommand)
|
||||||
|
|||||||
@@ -5,7 +5,10 @@ import { UsersRepository } from '../../users/infrastructure/users.repository'
|
|||||||
import { UsersService } from '../../users/services/users.service'
|
import { UsersService } from '../../users/services/users.service'
|
||||||
|
|
||||||
export class ResetPasswordCommand {
|
export class ResetPasswordCommand {
|
||||||
constructor(public readonly resetPasswordToken: string, public readonly newPassword: string) {}
|
constructor(
|
||||||
|
public readonly resetPasswordToken: string,
|
||||||
|
public readonly newPassword: string
|
||||||
|
) {}
|
||||||
}
|
}
|
||||||
|
|
||||||
@CommandHandler(ResetPasswordCommand)
|
@CommandHandler(ResetPasswordCommand)
|
||||||
|
|||||||
@@ -1,4 +1,5 @@
|
|||||||
import { Injectable, InternalServerErrorException, Logger } from '@nestjs/common'
|
import { Injectable, InternalServerErrorException, Logger, NotFoundException } from '@nestjs/common'
|
||||||
|
import { pick } from 'remeda'
|
||||||
|
|
||||||
import {
|
import {
|
||||||
createPrismaOrderBy,
|
createPrismaOrderBy,
|
||||||
@@ -224,4 +225,73 @@ export class CardsRepository {
|
|||||||
throw new InternalServerErrorException(e?.message)
|
throw new InternalServerErrorException(e?.message)
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
private async getSmartRandomCard(cards: Array<CardWithGrade>): Promise<CardWithGrade> {
|
||||||
|
const selectionPool: Array<CardWithGrade> = []
|
||||||
|
|
||||||
|
cards.forEach(card => {
|
||||||
|
// Calculate the average grade for the card
|
||||||
|
const averageGrade =
|
||||||
|
card.grades.length === 0
|
||||||
|
? 0
|
||||||
|
: card.grades.reduce((acc, grade) => acc + grade.grade, 0) / card.grades.length
|
||||||
|
// Calculate weight for the card, higher weight for lower grade card
|
||||||
|
const weight = 6 - averageGrade
|
||||||
|
|
||||||
|
// Add the card to the selection pool `weight` times
|
||||||
|
for (let i = 0; i < weight; i++) {
|
||||||
|
selectionPool.push(card)
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
return selectionPool[Math.floor(Math.random() * selectionPool.length)]
|
||||||
|
}
|
||||||
|
|
||||||
|
private async getNotDuplicateRandomCard(
|
||||||
|
cards: Array<CardWithGrade>,
|
||||||
|
previousCardId: string
|
||||||
|
): Promise<CardWithGrade> {
|
||||||
|
const randomCard = await this.getSmartRandomCard(cards)
|
||||||
|
|
||||||
|
if (!randomCard) {
|
||||||
|
this.logger.error(`No cards found in deck}`, {
|
||||||
|
previousCardId,
|
||||||
|
randomCard,
|
||||||
|
cards,
|
||||||
|
})
|
||||||
|
throw new NotFoundException(`No cards found in deck`)
|
||||||
|
}
|
||||||
|
if (randomCard.id === previousCardId && cards.length !== 1) {
|
||||||
|
return this.getNotDuplicateRandomCard(cards, previousCardId)
|
||||||
|
}
|
||||||
|
|
||||||
|
return randomCard
|
||||||
|
}
|
||||||
|
|
||||||
|
async getRandomCardInDeck(deckId: string, userId: string, previousCardId: string) {
|
||||||
|
const cards = await this.findCardsByDeckIdWithGrade(userId, deckId)
|
||||||
|
|
||||||
|
if (!cards.length) {
|
||||||
|
throw new NotFoundException(`No cards found in deck with id ${deckId}`)
|
||||||
|
}
|
||||||
|
|
||||||
|
const smartRandomCard = await this.getNotDuplicateRandomCard(cards, previousCardId)
|
||||||
|
|
||||||
|
return {
|
||||||
|
...pick(smartRandomCard, [
|
||||||
|
'id',
|
||||||
|
'question',
|
||||||
|
'answer',
|
||||||
|
'deckId',
|
||||||
|
'questionImg',
|
||||||
|
'answerImg',
|
||||||
|
'questionVideo',
|
||||||
|
'answerVideo',
|
||||||
|
'created',
|
||||||
|
'updated',
|
||||||
|
'shots',
|
||||||
|
]),
|
||||||
|
grade: smartRandomCard.grades[0]?.grade || 0,
|
||||||
|
}
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -24,7 +24,10 @@ export class ResultNotification<T = null> {
|
|||||||
}
|
}
|
||||||
|
|
||||||
export class NotificationExtension {
|
export class NotificationExtension {
|
||||||
constructor(public message: string, public key: string | null) {}
|
constructor(
|
||||||
|
public message: string,
|
||||||
|
public key: string | null
|
||||||
|
) {}
|
||||||
}
|
}
|
||||||
|
|
||||||
export class DomainResultNotification<TData = null> extends ResultNotification<TData> {
|
export class DomainResultNotification<TData = null> extends ResultNotification<TData> {
|
||||||
|
|||||||
@@ -6,7 +6,10 @@ import { validationErrorsMapper, ValidationPipeErrorType } from '../../../settin
|
|||||||
import { DomainResultNotification, ResultNotification } from './notification'
|
import { DomainResultNotification, ResultNotification } from './notification'
|
||||||
|
|
||||||
export class DomainError extends Error {
|
export class DomainError extends Error {
|
||||||
constructor(message: string, public resultNotification: ResultNotification) {
|
constructor(
|
||||||
|
message: string,
|
||||||
|
public resultNotification: ResultNotification
|
||||||
|
) {
|
||||||
super(message)
|
super(message)
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -192,13 +192,9 @@ export class DecksController {
|
|||||||
description: 'Save the grade of a card',
|
description: 'Save the grade of a card',
|
||||||
summary: 'Save the grade of a card',
|
summary: 'Save the grade of a card',
|
||||||
})
|
})
|
||||||
async saveGrade(@Param('id') deckId: string, @Req() req, @Body() body: SaveGradeDto) {
|
async saveGrade(@Req() req, @Body() body: SaveGradeDto) {
|
||||||
const saved = await this.commandBus.execute(
|
|
||||||
new SaveGradeCommand(req.user.id, { cardId: body.cardId, grade: body.grade })
|
|
||||||
)
|
|
||||||
|
|
||||||
return await this.commandBus.execute(
|
return await this.commandBus.execute(
|
||||||
new GetRandomCardInDeckCommand(req.user.id, saved.deckId, saved.id)
|
new SaveGradeCommand(req.user.id, { cardId: body.cardId, grade: body.grade })
|
||||||
)
|
)
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -6,7 +6,10 @@ import { Deck } from '../entities/deck.entity'
|
|||||||
import { DecksRepository } from '../infrastructure/decks.repository'
|
import { DecksRepository } from '../infrastructure/decks.repository'
|
||||||
|
|
||||||
export class CreateDeckCommand {
|
export class CreateDeckCommand {
|
||||||
constructor(public readonly deck: CreateDeckDto, public readonly cover: Express.Multer.File) {}
|
constructor(
|
||||||
|
public readonly deck: CreateDeckDto,
|
||||||
|
public readonly cover: Express.Multer.File
|
||||||
|
) {}
|
||||||
}
|
}
|
||||||
|
|
||||||
@CommandHandler(CreateDeckCommand)
|
@CommandHandler(CreateDeckCommand)
|
||||||
|
|||||||
@@ -4,7 +4,10 @@ import { CommandHandler, ICommandHandler } from '@nestjs/cqrs'
|
|||||||
import { DecksRepository } from '../infrastructure/decks.repository'
|
import { DecksRepository } from '../infrastructure/decks.repository'
|
||||||
|
|
||||||
export class DeleteDeckByIdCommand {
|
export class DeleteDeckByIdCommand {
|
||||||
constructor(public readonly id: string, public readonly userId: string) {}
|
constructor(
|
||||||
|
public readonly id: string,
|
||||||
|
public readonly userId: string
|
||||||
|
) {}
|
||||||
}
|
}
|
||||||
|
|
||||||
@CommandHandler(DeleteDeckByIdCommand)
|
@CommandHandler(DeleteDeckByIdCommand)
|
||||||
|
|||||||
@@ -1,7 +1,5 @@
|
|||||||
import { ForbiddenException, Logger, NotFoundException } from '@nestjs/common'
|
import { ForbiddenException, Logger, NotFoundException } from '@nestjs/common'
|
||||||
import { CommandHandler, ICommandHandler } from '@nestjs/cqrs'
|
import { CommandHandler, ICommandHandler } from '@nestjs/cqrs'
|
||||||
import { Prisma } from '@prisma/client'
|
|
||||||
import { pick } from 'remeda'
|
|
||||||
|
|
||||||
import { CardsRepository } from '../../cards/infrastructure/cards.repository'
|
import { CardsRepository } from '../../cards/infrastructure/cards.repository'
|
||||||
import { DecksRepository } from '../infrastructure/decks.repository'
|
import { DecksRepository } from '../infrastructure/decks.repository'
|
||||||
@@ -14,58 +12,15 @@ export class GetRandomCardInDeckCommand {
|
|||||||
) {}
|
) {}
|
||||||
}
|
}
|
||||||
|
|
||||||
type CardWithGrade = Prisma.cardGetPayload<{ include: { grades: true } }>
|
|
||||||
|
|
||||||
@CommandHandler(GetRandomCardInDeckCommand)
|
@CommandHandler(GetRandomCardInDeckCommand)
|
||||||
export class GetRandomCardInDeckHandler implements ICommandHandler<GetRandomCardInDeckCommand> {
|
export class GetRandomCardInDeckHandler implements ICommandHandler<GetRandomCardInDeckCommand> {
|
||||||
logger = new Logger(GetRandomCardInDeckHandler.name)
|
logger = new Logger(GetRandomCardInDeckHandler.name)
|
||||||
|
|
||||||
constructor(
|
constructor(
|
||||||
private readonly cardsRepository: CardsRepository,
|
private readonly cardsRepository: CardsRepository,
|
||||||
private readonly decksRepository: DecksRepository
|
private readonly decksRepository: DecksRepository
|
||||||
) {}
|
) {}
|
||||||
|
|
||||||
private async getSmartRandomCard(cards: Array<CardWithGrade>): Promise<CardWithGrade> {
|
|
||||||
const selectionPool: Array<CardWithGrade> = []
|
|
||||||
|
|
||||||
cards.forEach(card => {
|
|
||||||
// Calculate the average grade for the card
|
|
||||||
const averageGrade =
|
|
||||||
card.grades.length === 0
|
|
||||||
? 0
|
|
||||||
: card.grades.reduce((acc, grade) => acc + grade.grade, 0) / card.grades.length
|
|
||||||
// Calculate weight for the card, higher weight for lower grade card
|
|
||||||
const weight = 6 - averageGrade
|
|
||||||
|
|
||||||
// Add the card to the selection pool `weight` times
|
|
||||||
for (let i = 0; i < weight; i++) {
|
|
||||||
selectionPool.push(card)
|
|
||||||
}
|
|
||||||
})
|
|
||||||
|
|
||||||
return selectionPool[Math.floor(Math.random() * selectionPool.length)]
|
|
||||||
}
|
|
||||||
|
|
||||||
private async getNotDuplicateRandomCard(
|
|
||||||
cards: Array<CardWithGrade>,
|
|
||||||
previousCardId: string
|
|
||||||
): Promise<CardWithGrade> {
|
|
||||||
const randomCard = await this.getSmartRandomCard(cards)
|
|
||||||
|
|
||||||
if (!randomCard) {
|
|
||||||
this.logger.error(`No cards found in deck}`, {
|
|
||||||
previousCardId,
|
|
||||||
randomCard,
|
|
||||||
cards,
|
|
||||||
})
|
|
||||||
throw new NotFoundException(`No cards found in deck`)
|
|
||||||
}
|
|
||||||
if (randomCard.id === previousCardId && cards.length !== 1) {
|
|
||||||
return this.getNotDuplicateRandomCard(cards, previousCardId)
|
|
||||||
}
|
|
||||||
|
|
||||||
return randomCard
|
|
||||||
}
|
|
||||||
|
|
||||||
async execute(command: GetRandomCardInDeckCommand) {
|
async execute(command: GetRandomCardInDeckCommand) {
|
||||||
const deck = await this.decksRepository.findDeckById(command.deckId)
|
const deck = await this.decksRepository.findDeckById(command.deckId)
|
||||||
|
|
||||||
@@ -74,32 +29,11 @@ export class GetRandomCardInDeckHandler implements ICommandHandler<GetRandomCard
|
|||||||
if (deck.userId !== command.userId && deck.isPrivate) {
|
if (deck.userId !== command.userId && deck.isPrivate) {
|
||||||
throw new ForbiddenException(`You can't get a private deck that you don't own`)
|
throw new ForbiddenException(`You can't get a private deck that you don't own`)
|
||||||
}
|
}
|
||||||
const cards = await this.cardsRepository.findCardsByDeckIdWithGrade(
|
|
||||||
|
return await this.cardsRepository.getRandomCardInDeck(
|
||||||
|
command.deckId,
|
||||||
command.userId,
|
command.userId,
|
||||||
command.deckId
|
command.previousCardId
|
||||||
)
|
)
|
||||||
|
|
||||||
if (!cards.length) {
|
|
||||||
throw new NotFoundException(`No cards found in deck with id ${command.deckId}`)
|
|
||||||
}
|
|
||||||
|
|
||||||
const smartRandomCard = await this.getNotDuplicateRandomCard(cards, command.previousCardId)
|
|
||||||
|
|
||||||
return {
|
|
||||||
...pick(smartRandomCard, [
|
|
||||||
'id',
|
|
||||||
'question',
|
|
||||||
'answer',
|
|
||||||
'deckId',
|
|
||||||
'questionImg',
|
|
||||||
'answerImg',
|
|
||||||
'questionVideo',
|
|
||||||
'answerVideo',
|
|
||||||
'created',
|
|
||||||
'updated',
|
|
||||||
'shots',
|
|
||||||
]),
|
|
||||||
grade: smartRandomCard.grades[0]?.grade || 0,
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,6 +1,12 @@
|
|||||||
import { ForbiddenException, NotFoundException } from '@nestjs/common'
|
import {
|
||||||
|
ForbiddenException,
|
||||||
|
InternalServerErrorException,
|
||||||
|
Logger,
|
||||||
|
NotFoundException,
|
||||||
|
} from '@nestjs/common'
|
||||||
import { CommandHandler, ICommandHandler } from '@nestjs/cqrs'
|
import { CommandHandler, ICommandHandler } from '@nestjs/cqrs'
|
||||||
|
|
||||||
|
import { CardsRepository } from '../../cards/infrastructure/cards.repository'
|
||||||
import { DecksRepository } from '../infrastructure/decks.repository'
|
import { DecksRepository } from '../infrastructure/decks.repository'
|
||||||
import { GradesRepository } from '../infrastructure/grades.repository'
|
import { GradesRepository } from '../infrastructure/grades.repository'
|
||||||
|
|
||||||
@@ -16,9 +22,12 @@ export class SaveGradeCommand {
|
|||||||
|
|
||||||
@CommandHandler(SaveGradeCommand)
|
@CommandHandler(SaveGradeCommand)
|
||||||
export class SaveGradeHandler implements ICommandHandler<SaveGradeCommand> {
|
export class SaveGradeHandler implements ICommandHandler<SaveGradeCommand> {
|
||||||
|
private readonly logger = new Logger(SaveGradeHandler.name)
|
||||||
|
|
||||||
constructor(
|
constructor(
|
||||||
private readonly decksRepository: DecksRepository,
|
private readonly decksRepository: DecksRepository,
|
||||||
private readonly gradesRepository: GradesRepository
|
private readonly gradesRepository: GradesRepository,
|
||||||
|
private readonly cardsRepository: CardsRepository
|
||||||
) {}
|
) {}
|
||||||
|
|
||||||
async execute(command: SaveGradeCommand) {
|
async execute(command: SaveGradeCommand) {
|
||||||
@@ -31,11 +40,18 @@ export class SaveGradeHandler implements ICommandHandler<SaveGradeCommand> {
|
|||||||
throw new ForbiddenException(`You can't save cards to a private deck that you don't own`)
|
throw new ForbiddenException(`You can't save cards to a private deck that you don't own`)
|
||||||
}
|
}
|
||||||
|
|
||||||
return await this.gradesRepository.createGrade({
|
try {
|
||||||
|
await this.gradesRepository.createGrade({
|
||||||
userId: command.userId,
|
userId: command.userId,
|
||||||
grade: command.args.grade,
|
grade: command.args.grade,
|
||||||
cardId: command.args.cardId,
|
cardId: command.args.cardId,
|
||||||
deckId: deck.id,
|
deckId: deck.id,
|
||||||
})
|
})
|
||||||
|
} catch (e) {
|
||||||
|
this.logger.error(e)
|
||||||
|
throw new InternalServerErrorException(e?.message)
|
||||||
|
}
|
||||||
|
|
||||||
|
return this.cardsRepository.getRandomCardInDeck(deck.id, command.userId, command.args.cardId)
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -21,7 +21,10 @@ import { UsersService } from '../services/users.service'
|
|||||||
@ApiTags('Admin')
|
@ApiTags('Admin')
|
||||||
@Controller('users')
|
@Controller('users')
|
||||||
export class UsersController {
|
export class UsersController {
|
||||||
constructor(private usersService: UsersService, private commandBus: CommandBus) {}
|
constructor(
|
||||||
|
private usersService: UsersService,
|
||||||
|
private commandBus: CommandBus
|
||||||
|
) {}
|
||||||
|
|
||||||
@Get()
|
@Get()
|
||||||
async findAll(@Query() query) {
|
async findAll(@Query() query) {
|
||||||
|
|||||||
@@ -38,7 +38,10 @@ class AuthSettings {
|
|||||||
}
|
}
|
||||||
|
|
||||||
export class AppSettings {
|
export class AppSettings {
|
||||||
constructor(public env: EnvironmentSettings, public auth: AuthSettings) {}
|
constructor(
|
||||||
|
public env: EnvironmentSettings,
|
||||||
|
public auth: AuthSettings
|
||||||
|
) {}
|
||||||
}
|
}
|
||||||
const env = new EnvironmentSettings((process.env.NODE_ENV || 'DEVELOPMENT') as EnvironmentsTypes)
|
const env = new EnvironmentSettings((process.env.NODE_ENV || 'DEVELOPMENT') as EnvironmentsTypes)
|
||||||
const auth = new AuthSettings(process.env)
|
const auth = new AuthSettings(process.env)
|
||||||
|
|||||||
Reference in New Issue
Block a user