61 lines
1.8 KiB
TypeScript
61 lines
1.8 KiB
TypeScript
/**
|
|
* Application Use Case: GetWalletUseCase
|
|
*
|
|
* Retrieves wallet information and transactions.
|
|
*/
|
|
|
|
import type { UseCase } from '@core/shared/application/UseCase';
|
|
import { Result } from '@core/shared/domain/Result';
|
|
import type { ApplicationErrorCode } from '@core/shared/errors/ApplicationErrorCode';
|
|
import type { Transaction, Wallet } from '../../domain/entities/Wallet';
|
|
import type { TransactionRepository, WalletRepository } from '../../domain/repositories/WalletRepository';
|
|
|
|
export type GetWalletErrorCode = 'INVALID_INPUT';
|
|
|
|
export interface GetWalletInput {
|
|
leagueId: string;
|
|
}
|
|
|
|
export interface GetWalletResult {
|
|
wallet: Wallet;
|
|
transactions: Transaction[];
|
|
}
|
|
|
|
export class GetWalletUseCase
|
|
implements UseCase<GetWalletInput, GetWalletResult, GetWalletErrorCode>
|
|
{
|
|
constructor(
|
|
private readonly walletRepository: WalletRepository,
|
|
private readonly transactionRepository: TransactionRepository,
|
|
) {}
|
|
|
|
async execute(input: GetWalletInput): Promise<Result<GetWalletResult, ApplicationErrorCode<GetWalletErrorCode>>> {
|
|
const { leagueId } = input;
|
|
|
|
if (!leagueId) {
|
|
return Result.err({ code: 'INVALID_INPUT' as const });
|
|
}
|
|
|
|
let wallet = await this.walletRepository.findByLeagueId(leagueId);
|
|
|
|
if (!wallet) {
|
|
const id = `wallet-${Date.now()}-${Math.random().toString(36).substr(2, 9)}`;
|
|
const newWallet: Wallet = {
|
|
id,
|
|
leagueId,
|
|
balance: 0,
|
|
totalRevenue: 0,
|
|
totalPlatformFees: 0,
|
|
totalWithdrawn: 0,
|
|
currency: 'USD',
|
|
createdAt: new Date(),
|
|
};
|
|
wallet = await this.walletRepository.create(newWallet);
|
|
}
|
|
|
|
const transactions = await this.transactionRepository.findByWalletId(wallet.id);
|
|
transactions.sort((a, b) => b.createdAt.getTime() - a.createdAt.getTime());
|
|
|
|
return Result.ok({ wallet, transactions });
|
|
}
|
|
} |