wip
This commit is contained in:
286
apps/companion/main/di-config.ts
Normal file
286
apps/companion/main/di-config.ts
Normal file
@@ -0,0 +1,286 @@
|
|||||||
|
import 'reflect-metadata';
|
||||||
|
import { container, Lifecycle } from 'tsyringe';
|
||||||
|
import { DI_TOKENS } from './di-tokens';
|
||||||
|
import * as path from 'path';
|
||||||
|
import * as os from 'os';
|
||||||
|
|
||||||
|
// Domain & Application
|
||||||
|
import type { SessionRepositoryPort } from '@gridpilot/automation/application/ports/SessionRepositoryPort';
|
||||||
|
import type { IBrowserAutomation } from '@gridpilot/automation/application/ports/ScreenAutomationPort';
|
||||||
|
import type { AutomationEnginePort } from '@gridpilot/automation/application/ports/AutomationEnginePort';
|
||||||
|
import type { AuthenticationServicePort } from '@gridpilot/automation/application/ports/AuthenticationServicePort';
|
||||||
|
import type { LoggerPort } from '@gridpilot/automation/application/ports/LoggerPort';
|
||||||
|
import type { OverlaySyncPort } from '@gridpilot/automation/application/ports/OverlaySyncPort';
|
||||||
|
import { StartAutomationSessionUseCase } from '@gridpilot/automation/application/use-cases/StartAutomationSessionUseCase';
|
||||||
|
import { CheckAuthenticationUseCase } from '@gridpilot/automation/application/use-cases/CheckAuthenticationUseCase';
|
||||||
|
import { InitiateLoginUseCase } from '@gridpilot/automation/application/use-cases/InitiateLoginUseCase';
|
||||||
|
import { ClearSessionUseCase } from '@gridpilot/automation/application/use-cases/ClearSessionUseCase';
|
||||||
|
import { ConfirmCheckoutUseCase } from '@gridpilot/automation/application/use-cases/ConfirmCheckoutUseCase';
|
||||||
|
import { OverlaySyncService } from '@gridpilot/automation/application/services/OverlaySyncService';
|
||||||
|
|
||||||
|
// Infrastructure
|
||||||
|
import { InMemorySessionRepository } from '@gridpilot/automation/infrastructure/repositories/InMemorySessionRepository';
|
||||||
|
import {
|
||||||
|
MockBrowserAutomationAdapter,
|
||||||
|
PlaywrightAutomationAdapter,
|
||||||
|
AutomationAdapterMode,
|
||||||
|
FixtureServer,
|
||||||
|
} from '@gridpilot/automation/infrastructure/adapters/automation';
|
||||||
|
import { MockAutomationEngineAdapter } from '@gridpilot/automation/infrastructure/adapters/automation/engine/MockAutomationEngineAdapter';
|
||||||
|
import { AutomationEngineAdapter } from '@gridpilot/automation/infrastructure/adapters/automation/engine/AutomationEngineAdapter';
|
||||||
|
import { PinoLogAdapter } from '@gridpilot/automation/infrastructure/adapters/logging/PinoLogAdapter';
|
||||||
|
import { NoOpLogAdapter } from '@gridpilot/automation/infrastructure/adapters/logging/NoOpLogAdapter';
|
||||||
|
import {
|
||||||
|
loadAutomationConfig,
|
||||||
|
getAutomationMode,
|
||||||
|
AutomationMode,
|
||||||
|
BrowserModeConfigLoader,
|
||||||
|
} from '@gridpilot/automation/infrastructure/config';
|
||||||
|
import { loadLoggingConfig } from '@gridpilot/automation/infrastructure/config/LoggingConfig';
|
||||||
|
|
||||||
|
// Electron app safe wrapper
|
||||||
|
let electronApp: {
|
||||||
|
getAppPath?: () => string;
|
||||||
|
getPath?: (name: string) => string;
|
||||||
|
isPackaged?: boolean;
|
||||||
|
} | undefined;
|
||||||
|
|
||||||
|
try {
|
||||||
|
const _electron = require('electron');
|
||||||
|
electronApp = _electron?.app;
|
||||||
|
} catch {
|
||||||
|
electronApp = undefined;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Resolve session data path with test-tolerance
|
||||||
|
*/
|
||||||
|
export function resolveSessionDataPath(): string {
|
||||||
|
const userDataPath =
|
||||||
|
electronApp?.getPath?.('userData') ?? path.join(process.cwd(), 'userData') ?? os.tmpdir();
|
||||||
|
return path.join(userDataPath, 'iracing-session');
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Resolve template path with test-tolerance
|
||||||
|
*/
|
||||||
|
export function resolveTemplatePath(): string {
|
||||||
|
const appPath = electronApp?.getAppPath?.() ?? process.cwd();
|
||||||
|
const isPackaged = electronApp?.isPackaged ?? false;
|
||||||
|
|
||||||
|
if (isPackaged) {
|
||||||
|
return path.join(appPath, 'resources/templates/iracing');
|
||||||
|
}
|
||||||
|
|
||||||
|
return path.join(appPath, '../../resources/templates/iracing');
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Determine adapter mode based on environment
|
||||||
|
*/
|
||||||
|
function getAdapterMode(envMode: AutomationMode): AutomationAdapterMode {
|
||||||
|
return envMode === 'test' ? 'mock' : 'real';
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Check if running in fixture hosted mode
|
||||||
|
*/
|
||||||
|
function isFixtureHostedMode(): boolean {
|
||||||
|
return process.env.NODE_ENV === 'test' && process.env.COMPANION_FIXTURE_HOSTED === '1';
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Configure the DI container with all bindings
|
||||||
|
*/
|
||||||
|
export function configureDIContainer(): void {
|
||||||
|
// Clear any existing registrations
|
||||||
|
container.clearInstances();
|
||||||
|
|
||||||
|
// Configuration values
|
||||||
|
const automationMode = getAutomationMode();
|
||||||
|
const config = loadAutomationConfig();
|
||||||
|
const loggingConfig = loadLoggingConfig();
|
||||||
|
const fixtureMode = isFixtureHostedMode();
|
||||||
|
|
||||||
|
container.registerInstance(DI_TOKENS.AutomationMode, automationMode);
|
||||||
|
|
||||||
|
// Logger (singleton)
|
||||||
|
const logger = process.env.NODE_ENV === 'test' ? new NoOpLogAdapter() : new PinoLogAdapter(loggingConfig);
|
||||||
|
container.registerInstance<LoggerPort>(DI_TOKENS.Logger, logger);
|
||||||
|
|
||||||
|
// Browser Mode Config Loader (singleton)
|
||||||
|
const browserModeConfigLoader = new BrowserModeConfigLoader();
|
||||||
|
if (process.env.NODE_ENV === 'development') {
|
||||||
|
browserModeConfigLoader.setDevelopmentMode('headed');
|
||||||
|
}
|
||||||
|
container.registerInstance(DI_TOKENS.BrowserModeConfigLoader, browserModeConfigLoader);
|
||||||
|
|
||||||
|
// Session Repository (singleton)
|
||||||
|
container.register<SessionRepositoryPort>(
|
||||||
|
DI_TOKENS.SessionRepository,
|
||||||
|
{ useClass: InMemorySessionRepository },
|
||||||
|
{ lifecycle: Lifecycle.Singleton }
|
||||||
|
);
|
||||||
|
|
||||||
|
// Browser Automation Adapter (singleton)
|
||||||
|
const browserModeConfig = browserModeConfigLoader.load();
|
||||||
|
const adapterMode = getAdapterMode(config.mode);
|
||||||
|
const absoluteTemplatePath = resolveTemplatePath();
|
||||||
|
const sessionDataPath = resolveSessionDataPath();
|
||||||
|
const safeAppPath = electronApp?.getAppPath?.() ?? process.cwd();
|
||||||
|
const safeIsPackaged = electronApp?.isPackaged ?? false;
|
||||||
|
|
||||||
|
logger.debug('Resolved paths', {
|
||||||
|
absoluteTemplatePath,
|
||||||
|
sessionDataPath,
|
||||||
|
appPath: safeAppPath,
|
||||||
|
isPackaged: safeIsPackaged,
|
||||||
|
cwd: process.cwd(),
|
||||||
|
});
|
||||||
|
|
||||||
|
logger.info('Creating browser automation adapter', {
|
||||||
|
envMode: config.mode,
|
||||||
|
adapterMode,
|
||||||
|
browserMode: browserModeConfig.mode,
|
||||||
|
browserModeSource: browserModeConfig.source,
|
||||||
|
});
|
||||||
|
|
||||||
|
let browserAutomation: PlaywrightAutomationAdapter | MockBrowserAutomationAdapter;
|
||||||
|
|
||||||
|
switch (config.mode) {
|
||||||
|
case 'production':
|
||||||
|
case 'development':
|
||||||
|
browserAutomation = new PlaywrightAutomationAdapter(
|
||||||
|
{
|
||||||
|
headless: browserModeConfig.mode === 'headless',
|
||||||
|
mode: adapterMode,
|
||||||
|
userDataDir: sessionDataPath,
|
||||||
|
baseUrl: fixtureMode ? 'http://localhost:3456' : '',
|
||||||
|
},
|
||||||
|
logger.child({ adapter: 'Playwright', mode: adapterMode }),
|
||||||
|
browserModeConfigLoader
|
||||||
|
);
|
||||||
|
break;
|
||||||
|
|
||||||
|
case 'test':
|
||||||
|
default:
|
||||||
|
if (fixtureMode) {
|
||||||
|
browserAutomation = new PlaywrightAutomationAdapter(
|
||||||
|
{
|
||||||
|
headless: browserModeConfig.mode === 'headless',
|
||||||
|
timeout: config.defaultTimeout ?? 10_000,
|
||||||
|
baseUrl: 'http://localhost:3456',
|
||||||
|
mode: 'real',
|
||||||
|
userDataDir: sessionDataPath,
|
||||||
|
},
|
||||||
|
logger.child({ adapter: 'Playwright', mode: 'real' }),
|
||||||
|
browserModeConfigLoader
|
||||||
|
);
|
||||||
|
} else {
|
||||||
|
browserAutomation = new MockBrowserAutomationAdapter();
|
||||||
|
}
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
|
||||||
|
container.registerInstance<IBrowserAutomation>(
|
||||||
|
DI_TOKENS.BrowserAutomation,
|
||||||
|
browserAutomation
|
||||||
|
);
|
||||||
|
|
||||||
|
// Automation Engine (singleton)
|
||||||
|
const sessionRepository = container.resolve<SessionRepositoryPort>(DI_TOKENS.SessionRepository);
|
||||||
|
let automationEngine: AutomationEnginePort;
|
||||||
|
|
||||||
|
if (fixtureMode) {
|
||||||
|
automationEngine = new AutomationEngineAdapter(
|
||||||
|
browserAutomation as any,
|
||||||
|
sessionRepository
|
||||||
|
);
|
||||||
|
} else {
|
||||||
|
automationEngine = new MockAutomationEngineAdapter(
|
||||||
|
browserAutomation,
|
||||||
|
sessionRepository
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
container.registerInstance<AutomationEnginePort>(
|
||||||
|
DI_TOKENS.AutomationEngine,
|
||||||
|
automationEngine
|
||||||
|
);
|
||||||
|
|
||||||
|
// Fixture Server (singleton, nullable)
|
||||||
|
if (fixtureMode) {
|
||||||
|
container.registerInstance(DI_TOKENS.FixtureServer, new FixtureServer());
|
||||||
|
}
|
||||||
|
|
||||||
|
// Use Cases - create singleton instance directly
|
||||||
|
const startAutomationUseCase = new StartAutomationSessionUseCase(
|
||||||
|
automationEngine,
|
||||||
|
browserAutomation,
|
||||||
|
sessionRepository
|
||||||
|
);
|
||||||
|
container.registerInstance(DI_TOKENS.StartAutomationUseCase, startAutomationUseCase);
|
||||||
|
|
||||||
|
// Authentication-related use cases (only if adapter supports it)
|
||||||
|
if (browserAutomation instanceof PlaywrightAutomationAdapter && !fixtureMode) {
|
||||||
|
const authService = browserAutomation as AuthenticationServicePort;
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.CheckAuthenticationUseCase,
|
||||||
|
new CheckAuthenticationUseCase(authService)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.InitiateLoginUseCase,
|
||||||
|
new InitiateLoginUseCase(authService)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.ClearSessionUseCase,
|
||||||
|
new ClearSessionUseCase(authService)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance<AuthenticationServicePort>(
|
||||||
|
DI_TOKENS.AuthenticationService,
|
||||||
|
authService
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
// Overlay Sync Service - create singleton instance directly
|
||||||
|
const lifecycleEmitter = browserAutomation as any;
|
||||||
|
const publisher = {
|
||||||
|
publish: async (_event: any) => {
|
||||||
|
try {
|
||||||
|
logger.debug?.('OverlaySyncPublisher.publish', _event);
|
||||||
|
} catch {
|
||||||
|
// swallow
|
||||||
|
}
|
||||||
|
},
|
||||||
|
} as any;
|
||||||
|
const overlaySyncService = new OverlaySyncService({
|
||||||
|
lifecycleEmitter,
|
||||||
|
publisher,
|
||||||
|
logger,
|
||||||
|
});
|
||||||
|
container.registerInstance(DI_TOKENS.OverlaySyncPort, overlaySyncService);
|
||||||
|
|
||||||
|
logger.info('DI container configured', {
|
||||||
|
automationMode: config.mode,
|
||||||
|
sessionRepositoryType: 'InMemorySessionRepository',
|
||||||
|
browserAutomationType: browserAutomation.constructor.name,
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Reset the container (for testing)
|
||||||
|
*/
|
||||||
|
export function resetDIContainer(): void {
|
||||||
|
container.clearInstances();
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Get the TSyringe container instance
|
||||||
|
*/
|
||||||
|
export function getDIContainer() {
|
||||||
|
return container;
|
||||||
|
}
|
||||||
@@ -1,37 +1,23 @@
|
|||||||
import { app } from 'electron';
|
import 'reflect-metadata';
|
||||||
import * as path from 'path';
|
import { configureDIContainer, resetDIContainer, getDIContainer, resolveSessionDataPath, resolveTemplatePath } from './di-config';
|
||||||
import { InMemorySessionRepository } from '@/packages/automation/infrastructure/repositories/InMemorySessionRepository';
|
import { DI_TOKENS } from './di-tokens';
|
||||||
import {
|
import { PlaywrightAutomationAdapter, FixtureServer } from '@gridpilot/automation/infrastructure/adapters/automation';
|
||||||
MockBrowserAutomationAdapter,
|
import { StartAutomationSessionUseCase } from '@gridpilot/automation/application/use-cases/StartAutomationSessionUseCase';
|
||||||
PlaywrightAutomationAdapter,
|
import { CheckAuthenticationUseCase } from '@gridpilot/automation/application/use-cases/CheckAuthenticationUseCase';
|
||||||
AutomationAdapterMode,
|
import { InitiateLoginUseCase } from '@gridpilot/automation/application/use-cases/InitiateLoginUseCase';
|
||||||
FixtureServer,
|
import { ClearSessionUseCase } from '@gridpilot/automation/application/use-cases/ClearSessionUseCase';
|
||||||
} from '@/packages/automation/infrastructure/adapters/automation';
|
import { ConfirmCheckoutUseCase } from '@gridpilot/automation/application/use-cases/ConfirmCheckoutUseCase';
|
||||||
import { MockAutomationEngineAdapter } from '@/packages/automation/infrastructure/adapters/automation/engine/MockAutomationEngineAdapter';
|
import { getAutomationMode, AutomationMode, BrowserModeConfigLoader } from '@gridpilot/automation/infrastructure/config';
|
||||||
import { AutomationEngineAdapter } from '@/packages/automation/infrastructure/adapters/automation/engine/AutomationEngineAdapter';
|
|
||||||
import { StartAutomationSessionUseCase } from '@/packages/automation/application/use-cases/StartAutomationSessionUseCase';
|
|
||||||
import { CheckAuthenticationUseCase } from '@/packages/automation/application/use-cases/CheckAuthenticationUseCase';
|
|
||||||
import { InitiateLoginUseCase } from '@/packages/automation/application/use-cases/InitiateLoginUseCase';
|
|
||||||
import { ClearSessionUseCase } from '@/packages/automation/application/use-cases/ClearSessionUseCase';
|
|
||||||
import { ConfirmCheckoutUseCase } from '@/packages/automation/application/use-cases/ConfirmCheckoutUseCase';
|
|
||||||
import {
|
|
||||||
loadAutomationConfig,
|
|
||||||
getAutomationMode,
|
|
||||||
AutomationMode,
|
|
||||||
BrowserModeConfigLoader,
|
|
||||||
} from '@/packages/automation/infrastructure/config';
|
|
||||||
import { PinoLogAdapter } from '@/packages/automation/infrastructure/adapters/logging/PinoLogAdapter';
|
|
||||||
import { NoOpLogAdapter } from '@/packages/automation/infrastructure/adapters/logging/NoOpLogAdapter';
|
|
||||||
import { loadLoggingConfig } from '@/packages/automation/infrastructure/config/LoggingConfig';
|
|
||||||
import type { SessionRepositoryPort } from '@gridpilot/automation/application/ports/SessionRepositoryPort';
|
import type { SessionRepositoryPort } from '@gridpilot/automation/application/ports/SessionRepositoryPort';
|
||||||
import type { ScreenAutomationPort } from '@gridpilot/automation/application/ports/ScreenAutomationPort';
|
import type { IBrowserAutomation } from '@gridpilot/automation/application/ports/ScreenAutomationPort';
|
||||||
import type { AutomationEnginePort } from '@gridpilot/automation/application/ports/AutomationEnginePort';
|
import type { AutomationEnginePort } from '@gridpilot/automation/application/ports/AutomationEnginePort';
|
||||||
import type { AuthenticationServicePort } from '@gridpilot/automation/application/ports/AuthenticationServicePort';
|
import type { AuthenticationServicePort } from '@gridpilot/automation/application/ports/AuthenticationServicePort';
|
||||||
import type { CheckoutConfirmationPort } from '@gridpilot/automation/application/ports/CheckoutConfirmationPort';
|
import type { CheckoutConfirmationPort } from '@gridpilot/automation/application/ports/CheckoutConfirmationPort';
|
||||||
import type { LoggerPort } from '@gridpilot/automation/application/ports/LoggerPort';
|
import type { LoggerPort } from '@gridpilot/automation/application/ports/LoggerPort';
|
||||||
import type { OverlaySyncPort } from '@gridpilot/automation/application/ports/OverlaySyncPort';
|
import type { OverlaySyncPort } from '@gridpilot/automation/application/ports/OverlaySyncPort';
|
||||||
import type { IAutomationLifecycleEmitter } from '@/packages/automation/infrastructure/adapters/IAutomationLifecycleEmitter';
|
|
||||||
import { OverlaySyncService } from '@/packages/automation/application/services/OverlaySyncService';
|
// Re-export for backward compatibility
|
||||||
|
export { resolveSessionDataPath, resolveTemplatePath };
|
||||||
|
|
||||||
export interface BrowserConnectionResult {
|
export interface BrowserConnectionResult {
|
||||||
success: boolean;
|
success: boolean;
|
||||||
@@ -39,275 +25,50 @@ export interface BrowserConnectionResult {
|
|||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Test-tolerant resolution of the path to store persistent browser session data.
|
* Check if running in fixture hosted mode
|
||||||
* When Electron's `app` is unavailable (e.g., in vitest), fall back to safe defaults.
|
|
||||||
*
|
|
||||||
* @returns Absolute path to the iracing session directory
|
|
||||||
*/
|
*/
|
||||||
import * as os from 'os';
|
|
||||||
|
|
||||||
// Use a runtime-safe wrapper around Electron's `app` so importing this module
|
|
||||||
// in a plain Node/Vitest environment does not throw. We intentionally avoid
|
|
||||||
// top-level `app.*` calls without checks. (test-tolerance)
|
|
||||||
let electronApp: {
|
|
||||||
getAppPath?: () => string;
|
|
||||||
getPath?: (name: string) => string;
|
|
||||||
isPackaged?: boolean;
|
|
||||||
} | undefined;
|
|
||||||
|
|
||||||
try {
|
|
||||||
// Require inside try/catch to avoid module resolution errors in test env.
|
|
||||||
// eslint-disable-next-line @typescript-eslint/no-var-requires
|
|
||||||
const _electron = require('electron');
|
|
||||||
electronApp = _electron?.app;
|
|
||||||
} catch {
|
|
||||||
electronApp = undefined;
|
|
||||||
}
|
|
||||||
|
|
||||||
export function resolveSessionDataPath(): string {
|
|
||||||
// Prefer Electron userData if available, otherwise use os.tmpdir() as a safe fallback.
|
|
||||||
const userDataPath =
|
|
||||||
electronApp?.getPath?.('userData') ?? path.join(process.cwd(), 'userData') ?? os.tmpdir();
|
|
||||||
return path.join(userDataPath, 'iracing-session');
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Resolve the absolute path to the template directory.
|
|
||||||
* Handles both development and production (packaged) Electron environments.
|
|
||||||
*
|
|
||||||
* @returns Absolute path to the iracing templates directory
|
|
||||||
*/
|
|
||||||
export function resolveTemplatePath(): string {
|
|
||||||
// Test-tolerant resolution of template path. Use Electron app when available,
|
|
||||||
// otherwise fall back to process.cwd(). Preserve original runtime behavior when
|
|
||||||
// Electron's app is present (test-tolerance).
|
|
||||||
const appPath = electronApp?.getAppPath?.() ?? process.cwd();
|
|
||||||
const isPackaged = electronApp?.isPackaged ?? false;
|
|
||||||
|
|
||||||
if (isPackaged) {
|
|
||||||
return path.join(appPath, 'resources/templates/iracing');
|
|
||||||
}
|
|
||||||
|
|
||||||
// Development or unknown environment: prefer project-relative resources.
|
|
||||||
return path.join(appPath, '../../resources/templates/iracing');
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Create logger based on environment configuration.
|
|
||||||
* In test environment, returns NoOpLogAdapter for silent logging.
|
|
||||||
*/
|
|
||||||
function createLogger(): LoggerPort {
|
|
||||||
const config = loadLoggingConfig();
|
|
||||||
|
|
||||||
if (process.env.NODE_ENV === 'test') {
|
|
||||||
return new NoOpLogAdapter();
|
|
||||||
}
|
|
||||||
|
|
||||||
return new PinoLogAdapter(config);
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Determine the adapter mode based on environment.
|
|
||||||
* - 'production' → 'real' (uses iRacing website selectors)
|
|
||||||
* - 'development' → 'real' (uses iRacing website selectors)
|
|
||||||
* - 'test' → 'mock' (uses data-* attribute selectors)
|
|
||||||
*/
|
|
||||||
function getAdapterMode(envMode: AutomationMode): AutomationAdapterMode {
|
|
||||||
return envMode === 'test' ? 'mock' : 'real';
|
|
||||||
}
|
|
||||||
|
|
||||||
function isFixtureHostedMode(): boolean {
|
function isFixtureHostedMode(): boolean {
|
||||||
return process.env.NODE_ENV === 'test' && process.env.COMPANION_FIXTURE_HOSTED === '1';
|
return process.env.NODE_ENV === 'test' && process.env.COMPANION_FIXTURE_HOSTED === '1';
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Create screen automation adapter based on configuration mode.
|
* DIContainer - Facade over TSyringe container for backward compatibility
|
||||||
*
|
|
||||||
* Mode mapping:
|
|
||||||
* - 'production' → PlaywrightAutomationAdapter with mode='real' for iRacing website
|
|
||||||
* - 'development' → PlaywrightAutomationAdapter with mode='real' for iRacing website
|
|
||||||
* - 'test' → MockBrowserAutomationAdapter
|
|
||||||
*
|
|
||||||
* @param mode - The automation mode from configuration
|
|
||||||
* @param logger - Logger instance for the adapter
|
|
||||||
* @returns PlaywrightAutomationAdapter instance (implements both IScreenAutomation and IAuthenticationService)
|
|
||||||
*/
|
*/
|
||||||
function createBrowserAutomationAdapter(
|
|
||||||
mode: AutomationMode,
|
|
||||||
logger: ILogger,
|
|
||||||
browserModeConfigLoader: BrowserModeConfigLoader,
|
|
||||||
options?: { fixtureBaseUrl?: string; forcePlaywrightReal?: boolean }
|
|
||||||
): PlaywrightAutomationAdapter | MockBrowserAutomationAdapter {
|
|
||||||
const config = loadAutomationConfig();
|
|
||||||
|
|
||||||
// Resolve absolute template path for Electron or fallback environments
|
|
||||||
const absoluteTemplatePath = resolveTemplatePath();
|
|
||||||
const sessionDataPath = resolveSessionDataPath();
|
|
||||||
|
|
||||||
// Use safe accessors for app metadata to avoid throwing in test env (test-tolerance).
|
|
||||||
const safeAppPath = electronApp?.getAppPath?.() ?? process.cwd();
|
|
||||||
const safeIsPackaged = electronApp?.isPackaged ?? false;
|
|
||||||
|
|
||||||
logger.debug('Resolved paths', {
|
|
||||||
absoluteTemplatePath,
|
|
||||||
sessionDataPath,
|
|
||||||
appPath: safeAppPath,
|
|
||||||
isPackaged: safeIsPackaged,
|
|
||||||
cwd: process.cwd()
|
|
||||||
});
|
|
||||||
|
|
||||||
const adapterMode = getAdapterMode(mode);
|
|
||||||
|
|
||||||
// Get browser mode configuration from provided loader
|
|
||||||
const browserModeConfig = browserModeConfigLoader.load();
|
|
||||||
|
|
||||||
logger.info('Creating browser automation adapter', {
|
|
||||||
envMode: mode,
|
|
||||||
adapterMode,
|
|
||||||
browserMode: browserModeConfig.mode,
|
|
||||||
browserModeSource: browserModeConfig.source,
|
|
||||||
});
|
|
||||||
|
|
||||||
switch (mode) {
|
|
||||||
case 'production':
|
|
||||||
case 'development':
|
|
||||||
return new PlaywrightAutomationAdapter(
|
|
||||||
{
|
|
||||||
headless: browserModeConfig.mode === 'headless',
|
|
||||||
mode: adapterMode,
|
|
||||||
userDataDir: sessionDataPath,
|
|
||||||
baseUrl: options?.fixtureBaseUrl ?? '',
|
|
||||||
},
|
|
||||||
logger.child({ adapter: 'Playwright', mode: adapterMode }),
|
|
||||||
browserModeConfigLoader
|
|
||||||
);
|
|
||||||
|
|
||||||
case 'test':
|
|
||||||
default:
|
|
||||||
if (options?.forcePlaywrightReal) {
|
|
||||||
return new PlaywrightAutomationAdapter(
|
|
||||||
{
|
|
||||||
headless: browserModeConfig.mode === 'headless',
|
|
||||||
timeout: config.defaultTimeout ?? 10_000,
|
|
||||||
baseUrl: options.fixtureBaseUrl ?? '',
|
|
||||||
mode: 'real',
|
|
||||||
userDataDir: sessionDataPath,
|
|
||||||
},
|
|
||||||
logger.child({ adapter: 'Playwright', mode: 'real' }),
|
|
||||||
browserModeConfigLoader
|
|
||||||
);
|
|
||||||
}
|
|
||||||
return new MockBrowserAutomationAdapter();
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
export class DIContainer {
|
export class DIContainer {
|
||||||
private static instance: DIContainer;
|
private static instance: DIContainer;
|
||||||
|
|
||||||
private logger: LoggerPort;
|
|
||||||
private sessionRepository!: SessionRepositoryPort;
|
|
||||||
private browserAutomation!: PlaywrightAutomationAdapter | MockBrowserAutomationAdapter;
|
|
||||||
private automationEngine!: AutomationEnginePort;
|
|
||||||
private fixtureServer: FixtureServer | null = null;
|
|
||||||
private startAutomationUseCase!: StartAutomationSessionUseCase;
|
|
||||||
private checkAuthenticationUseCase: CheckAuthenticationUseCase | null = null;
|
|
||||||
private initiateLoginUseCase: InitiateLoginUseCase | null = null;
|
|
||||||
private clearSessionUseCase: ClearSessionUseCase | null = null;
|
|
||||||
private confirmCheckoutUseCase: ConfirmCheckoutUseCase | null = null;
|
|
||||||
private automationMode: AutomationMode;
|
|
||||||
private browserModeConfigLoader: BrowserModeConfigLoader;
|
|
||||||
private overlaySyncService?: OverlaySyncService;
|
|
||||||
|
|
||||||
private initialized = false;
|
private initialized = false;
|
||||||
|
private automationMode: AutomationMode;
|
||||||
|
private fixtureServer: FixtureServer | null = null;
|
||||||
|
private confirmCheckoutUseCase: ConfirmCheckoutUseCase | null = null;
|
||||||
|
|
||||||
private constructor() {
|
private constructor() {
|
||||||
// Initialize logger first - it's needed by other components
|
|
||||||
this.logger = createLogger();
|
|
||||||
|
|
||||||
this.automationMode = getAutomationMode();
|
this.automationMode = getAutomationMode();
|
||||||
this.logger.info('DIContainer initializing', {
|
|
||||||
automationMode: this.automationMode,
|
|
||||||
nodeEnv: process.env.NODE_ENV
|
|
||||||
});
|
|
||||||
|
|
||||||
// Defer heavy initialization that may touch Electron/app paths until first use.
|
|
||||||
// Keep BrowserModeConfigLoader available immediately so callers can inspect it.
|
|
||||||
this.browserModeConfigLoader = new BrowserModeConfigLoader();
|
|
||||||
// Ensure the DIContainer exposes a development-visible default in interactive dev environment.
|
|
||||||
// Some integration/smoke tests expect the DI-provided loader to default to 'headed' in development.
|
|
||||||
if (process.env.NODE_ENV === 'development') {
|
|
||||||
this.browserModeConfigLoader.setDevelopmentMode('headed');
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Lazily perform initialization that may access Electron APIs or filesystem.
|
* Lazily initialize the TSyringe container
|
||||||
* Called on first demand by methods that require the heavy components.
|
|
||||||
*/
|
*/
|
||||||
private ensureInitialized(): void {
|
private ensureInitialized(): void {
|
||||||
if (this.initialized) return;
|
if (this.initialized) return;
|
||||||
|
|
||||||
const config = loadAutomationConfig();
|
configureDIContainer();
|
||||||
|
|
||||||
this.sessionRepository = new InMemorySessionRepository();
|
const logger = getDIContainer().resolve<LoggerPort>(DI_TOKENS.Logger);
|
||||||
|
logger.info('DIContainer initialized', {
|
||||||
const fixtureMode = isFixtureHostedMode();
|
automationMode: this.automationMode,
|
||||||
const fixtureBaseUrl = fixtureMode ? 'http://localhost:3456' : undefined;
|
nodeEnv: process.env.NODE_ENV,
|
||||||
|
|
||||||
this.browserAutomation = createBrowserAutomationAdapter(
|
|
||||||
config.mode,
|
|
||||||
this.logger,
|
|
||||||
this.browserModeConfigLoader,
|
|
||||||
{ fixtureBaseUrl, forcePlaywrightReal: fixtureMode }
|
|
||||||
);
|
|
||||||
|
|
||||||
if (fixtureMode) {
|
|
||||||
this.fixtureServer = new FixtureServer();
|
|
||||||
this.automationEngine = new AutomationEngineAdapter(
|
|
||||||
this.browserAutomation as IScreenAutomation,
|
|
||||||
this.sessionRepository
|
|
||||||
);
|
|
||||||
} else {
|
|
||||||
this.automationEngine = new MockAutomationEngineAdapter(
|
|
||||||
this.browserAutomation,
|
|
||||||
this.sessionRepository
|
|
||||||
);
|
|
||||||
}
|
|
||||||
|
|
||||||
this.startAutomationUseCase = new StartAutomationSessionUseCase(
|
|
||||||
this.automationEngine,
|
|
||||||
this.browserAutomation,
|
|
||||||
this.sessionRepository
|
|
||||||
);
|
|
||||||
|
|
||||||
if (this.browserAutomation instanceof PlaywrightAutomationAdapter && !fixtureMode) {
|
|
||||||
const authService = this.browserAutomation as IAuthenticationService;
|
|
||||||
this.checkAuthenticationUseCase = new CheckAuthenticationUseCase(authService);
|
|
||||||
this.initiateLoginUseCase = new InitiateLoginUseCase(authService);
|
|
||||||
this.clearSessionUseCase = new ClearSessionUseCase(authService);
|
|
||||||
} else {
|
|
||||||
this.checkAuthenticationUseCase = null;
|
|
||||||
this.initiateLoginUseCase = null;
|
|
||||||
this.clearSessionUseCase = null;
|
|
||||||
}
|
|
||||||
|
|
||||||
this.logger.info('DIContainer initialized', {
|
|
||||||
automationMode: config.mode,
|
|
||||||
sessionRepositoryType: 'InMemorySessionRepository',
|
|
||||||
browserAutomationType: this.getBrowserAutomationType(config.mode)
|
|
||||||
});
|
});
|
||||||
|
|
||||||
this.initialized = true;
|
const fixtureMode = isFixtureHostedMode();
|
||||||
}
|
if (fixtureMode) {
|
||||||
|
try {
|
||||||
private getBrowserAutomationType(mode: AutomationMode): string {
|
this.fixtureServer = getDIContainer().resolve<FixtureServer>(DI_TOKENS.FixtureServer);
|
||||||
switch (mode) {
|
} catch {
|
||||||
case 'production':
|
// FixtureServer not registered in non-fixture mode
|
||||||
case 'development':
|
}
|
||||||
return 'PlaywrightAutomationAdapter';
|
|
||||||
case 'test':
|
|
||||||
default:
|
|
||||||
return 'MockBrowserAutomationAdapter';
|
|
||||||
}
|
}
|
||||||
|
|
||||||
|
this.initialized = true;
|
||||||
}
|
}
|
||||||
|
|
||||||
public static getInstance(): DIContainer {
|
public static getInstance(): DIContainer {
|
||||||
@@ -319,91 +80,110 @@ export class DIContainer {
|
|||||||
|
|
||||||
public getStartAutomationUseCase(): StartAutomationSessionUseCase {
|
public getStartAutomationUseCase(): StartAutomationSessionUseCase {
|
||||||
this.ensureInitialized();
|
this.ensureInitialized();
|
||||||
return this.startAutomationUseCase;
|
return getDIContainer().resolve<StartAutomationSessionUseCase>(DI_TOKENS.StartAutomationUseCase);
|
||||||
}
|
}
|
||||||
|
|
||||||
public getSessionRepository(): SessionRepositoryPort {
|
public getSessionRepository(): SessionRepositoryPort {
|
||||||
this.ensureInitialized();
|
this.ensureInitialized();
|
||||||
return this.sessionRepository;
|
return getDIContainer().resolve<SessionRepositoryPort>(DI_TOKENS.SessionRepository);
|
||||||
}
|
}
|
||||||
|
|
||||||
public getAutomationEngine(): AutomationEnginePort {
|
public getAutomationEngine(): AutomationEnginePort {
|
||||||
this.ensureInitialized();
|
this.ensureInitialized();
|
||||||
return this.automationEngine;
|
return getDIContainer().resolve<AutomationEnginePort>(DI_TOKENS.AutomationEngine);
|
||||||
}
|
}
|
||||||
|
|
||||||
public getAutomationMode(): AutomationMode {
|
public getAutomationMode(): AutomationMode {
|
||||||
return this.automationMode;
|
return this.automationMode;
|
||||||
}
|
}
|
||||||
|
|
||||||
public getBrowserAutomation(): ScreenAutomationPort {
|
public getBrowserAutomation(): IBrowserAutomation {
|
||||||
this.ensureInitialized();
|
this.ensureInitialized();
|
||||||
return this.browserAutomation;
|
return getDIContainer().resolve<IBrowserAutomation>(DI_TOKENS.BrowserAutomation);
|
||||||
}
|
}
|
||||||
|
|
||||||
public getLogger(): LoggerPort {
|
public getLogger(): LoggerPort {
|
||||||
return this.logger;
|
this.ensureInitialized();
|
||||||
|
return getDIContainer().resolve<LoggerPort>(DI_TOKENS.Logger);
|
||||||
}
|
}
|
||||||
|
|
||||||
public getCheckAuthenticationUseCase(): CheckAuthenticationUseCase | null {
|
public getCheckAuthenticationUseCase(): CheckAuthenticationUseCase | null {
|
||||||
this.ensureInitialized();
|
this.ensureInitialized();
|
||||||
return this.checkAuthenticationUseCase;
|
try {
|
||||||
|
return getDIContainer().resolve<CheckAuthenticationUseCase>(DI_TOKENS.CheckAuthenticationUseCase);
|
||||||
|
} catch {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
public getInitiateLoginUseCase(): InitiateLoginUseCase | null {
|
public getInitiateLoginUseCase(): InitiateLoginUseCase | null {
|
||||||
this.ensureInitialized();
|
this.ensureInitialized();
|
||||||
return this.initiateLoginUseCase;
|
try {
|
||||||
|
return getDIContainer().resolve<InitiateLoginUseCase>(DI_TOKENS.InitiateLoginUseCase);
|
||||||
|
} catch {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
public getClearSessionUseCase(): ClearSessionUseCase | null {
|
public getClearSessionUseCase(): ClearSessionUseCase | null {
|
||||||
this.ensureInitialized();
|
this.ensureInitialized();
|
||||||
return this.clearSessionUseCase;
|
try {
|
||||||
|
return getDIContainer().resolve<ClearSessionUseCase>(DI_TOKENS.ClearSessionUseCase);
|
||||||
|
} catch {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
public getAuthenticationService(): AuthenticationServicePort | null {
|
public getAuthenticationService(): AuthenticationServicePort | null {
|
||||||
this.ensureInitialized();
|
this.ensureInitialized();
|
||||||
if (this.browserAutomation instanceof PlaywrightAutomationAdapter) {
|
try {
|
||||||
return this.browserAutomation as AuthenticationServicePort;
|
return getDIContainer().resolve<AuthenticationServicePort>(DI_TOKENS.AuthenticationService);
|
||||||
|
} catch {
|
||||||
|
return null;
|
||||||
}
|
}
|
||||||
return null;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
public setConfirmCheckoutUseCase(
|
public setConfirmCheckoutUseCase(checkoutConfirmationPort: CheckoutConfirmationPort): void {
|
||||||
checkoutConfirmationPort: CheckoutConfirmationPort
|
|
||||||
): void {
|
|
||||||
this.ensureInitialized();
|
this.ensureInitialized();
|
||||||
// Create ConfirmCheckoutUseCase with checkout service from browser automation
|
const browserAutomation = getDIContainer().resolve<IBrowserAutomation>(DI_TOKENS.BrowserAutomation);
|
||||||
// and the provided confirmation port
|
|
||||||
this.confirmCheckoutUseCase = new ConfirmCheckoutUseCase(
|
this.confirmCheckoutUseCase = new ConfirmCheckoutUseCase(
|
||||||
this.browserAutomation as any, // implements ICheckoutService
|
browserAutomation as any,
|
||||||
checkoutConfirmationPort
|
checkoutConfirmationPort
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
|
||||||
public getConfirmCheckoutUseCase(): ConfirmCheckoutUseCase | null {
|
public getConfirmCheckoutUseCase(): ConfirmCheckoutUseCase | null {
|
||||||
this.ensureInitialized();
|
|
||||||
return this.confirmCheckoutUseCase;
|
return this.confirmCheckoutUseCase;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
public getBrowserModeConfigLoader(): BrowserModeConfigLoader {
|
||||||
* Initialize automation connection based on mode.
|
this.ensureInitialized();
|
||||||
* In production/development mode, connects via Playwright browser automation.
|
return getDIContainer().resolve<BrowserModeConfigLoader>(DI_TOKENS.BrowserModeConfigLoader);
|
||||||
* In test mode, returns success immediately (no connection needed).
|
}
|
||||||
*/
|
|
||||||
|
public getOverlaySyncPort(): OverlaySyncPort {
|
||||||
|
this.ensureInitialized();
|
||||||
|
return getDIContainer().resolve<OverlaySyncPort>(DI_TOKENS.OverlaySyncPort);
|
||||||
|
}
|
||||||
|
|
||||||
public async initializeBrowserConnection(): Promise<BrowserConnectionResult> {
|
public async initializeBrowserConnection(): Promise<BrowserConnectionResult> {
|
||||||
this.ensureInitialized();
|
this.ensureInitialized();
|
||||||
const fixtureMode = isFixtureHostedMode();
|
const fixtureMode = isFixtureHostedMode();
|
||||||
this.logger.info('Initializing automation connection', { mode: this.automationMode, fixtureMode });
|
const logger = this.getLogger();
|
||||||
|
|
||||||
|
logger.info('Initializing automation connection', { mode: this.automationMode, fixtureMode });
|
||||||
|
|
||||||
if (this.automationMode === 'production' || this.automationMode === 'development' || fixtureMode) {
|
if (this.automationMode === 'production' || this.automationMode === 'development' || fixtureMode) {
|
||||||
try {
|
try {
|
||||||
if (fixtureMode && this.fixtureServer && !this.fixtureServer.isRunning()) {
|
if (fixtureMode && this.fixtureServer && !this.fixtureServer.isRunning()) {
|
||||||
await this.fixtureServer.start();
|
await this.fixtureServer.start();
|
||||||
}
|
}
|
||||||
const playwrightAdapter = this.browserAutomation as PlaywrightAutomationAdapter;
|
const browserAutomation = this.getBrowserAutomation();
|
||||||
|
const playwrightAdapter = browserAutomation as PlaywrightAutomationAdapter;
|
||||||
const result = await playwrightAdapter.connect();
|
const result = await playwrightAdapter.connect();
|
||||||
|
|
||||||
if (!result.success) {
|
if (!result.success) {
|
||||||
this.logger.error(
|
logger.error(
|
||||||
'Automation connection failed',
|
'Automation connection failed',
|
||||||
new Error(result.error || 'Unknown error'),
|
new Error(result.error || 'Unknown error'),
|
||||||
{ mode: this.automationMode }
|
{ mode: this.automationMode }
|
||||||
@@ -416,7 +196,7 @@ export class DIContainer {
|
|||||||
|
|
||||||
if (!isConnected || !page) {
|
if (!isConnected || !page) {
|
||||||
const errorMsg = 'Browser not connected';
|
const errorMsg = 'Browser not connected';
|
||||||
this.logger.error(
|
logger.error(
|
||||||
'Automation connection reported success but has no usable page',
|
'Automation connection reported success but has no usable page',
|
||||||
new Error(errorMsg),
|
new Error(errorMsg),
|
||||||
{ mode: this.automationMode, isConnected, hasPage: !!page }
|
{ mode: this.automationMode, isConnected, hasPage: !!page }
|
||||||
@@ -424,143 +204,77 @@ export class DIContainer {
|
|||||||
return { success: false, error: errorMsg };
|
return { success: false, error: errorMsg };
|
||||||
}
|
}
|
||||||
|
|
||||||
this.logger.info('Automation connection established', {
|
logger.info('Automation connection established', {
|
||||||
mode: this.automationMode,
|
mode: this.automationMode,
|
||||||
adapter: 'Playwright'
|
adapter: 'Playwright',
|
||||||
});
|
});
|
||||||
return { success: true };
|
return { success: true };
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
const errorMsg =
|
const errorMsg = error instanceof Error ? error.message : 'Failed to initialize Playwright';
|
||||||
error instanceof Error ? error.message : 'Failed to initialize Playwright';
|
logger.error(
|
||||||
this.logger.error(
|
|
||||||
'Automation connection failed',
|
'Automation connection failed',
|
||||||
error instanceof Error ? error : new Error(errorMsg),
|
error instanceof Error ? error : new Error(errorMsg),
|
||||||
{ mode: this.automationMode }
|
{ mode: this.automationMode }
|
||||||
);
|
);
|
||||||
return {
|
return {
|
||||||
success: false,
|
success: false,
|
||||||
error: errorMsg
|
error: errorMsg,
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
this.logger.debug('Test mode - no automation connection needed');
|
logger.debug('Test mode - no automation connection needed');
|
||||||
return { success: true };
|
return { success: true };
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
|
||||||
* Shutdown the container and cleanup resources.
|
|
||||||
* Should be called when the application is closing.
|
|
||||||
*/
|
|
||||||
public async shutdown(): Promise<void> {
|
public async shutdown(): Promise<void> {
|
||||||
this.ensureInitialized();
|
this.ensureInitialized();
|
||||||
this.logger.info('DIContainer shutting down');
|
const logger = this.getLogger();
|
||||||
|
logger.info('DIContainer shutting down');
|
||||||
if (this.browserAutomation && 'disconnect' in this.browserAutomation) {
|
|
||||||
|
const browserAutomation = this.getBrowserAutomation();
|
||||||
|
if (browserAutomation && 'disconnect' in browserAutomation) {
|
||||||
try {
|
try {
|
||||||
await (this.browserAutomation as PlaywrightAutomationAdapter).disconnect();
|
await (browserAutomation as PlaywrightAutomationAdapter).disconnect();
|
||||||
this.logger.info('Automation adapter disconnected');
|
logger.info('Automation adapter disconnected');
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
this.logger.error('Error disconnecting automation adapter', error instanceof Error ? error : new Error('Unknown error'));
|
logger.error(
|
||||||
|
'Error disconnecting automation adapter',
|
||||||
|
error instanceof Error ? error : new Error('Unknown error')
|
||||||
|
);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
if (this.fixtureServer && this.fixtureServer.isRunning()) {
|
if (this.fixtureServer && this.fixtureServer.isRunning()) {
|
||||||
try {
|
try {
|
||||||
await this.fixtureServer.stop();
|
await this.fixtureServer.stop();
|
||||||
this.logger.info('FixtureServer stopped');
|
logger.info('FixtureServer stopped');
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
this.logger.error('Error stopping FixtureServer', error instanceof Error ? error : new Error('Unknown error'));
|
logger.error('Error stopping FixtureServer', error instanceof Error ? error : new Error('Unknown error'));
|
||||||
} finally {
|
} finally {
|
||||||
this.fixtureServer = null;
|
this.fixtureServer = null;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
this.logger.info('DIContainer shutdown complete');
|
logger.info('DIContainer shutdown complete');
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
|
||||||
* Get the browser mode configuration loader.
|
|
||||||
* Provides access to runtime browser mode control (headed/headless).
|
|
||||||
*/
|
|
||||||
public getBrowserModeConfigLoader(): BrowserModeConfigLoader {
|
|
||||||
return this.browserModeConfigLoader;
|
|
||||||
}
|
|
||||||
|
|
||||||
public getOverlaySyncPort(): OverlaySyncPort {
|
|
||||||
this.ensureInitialized();
|
|
||||||
if (!this.overlaySyncService) {
|
|
||||||
// Use the browser automation adapter as the lifecycle emitter when available.
|
|
||||||
const lifecycleEmitter = this.browserAutomation as unknown as IAutomationLifecycleEmitter;
|
|
||||||
// Lightweight in-process publisher (best-effort no-op). The ipc handlers will forward lifecycle events to renderer.
|
|
||||||
const publisher = {
|
|
||||||
publish: async (_event: any) => {
|
|
||||||
try {
|
|
||||||
this.logger.debug?.('OverlaySyncPublisher.publish', _event);
|
|
||||||
} catch {
|
|
||||||
// swallow
|
|
||||||
}
|
|
||||||
}
|
|
||||||
} as any;
|
|
||||||
this.overlaySyncService = new OverlaySyncService({
|
|
||||||
lifecycleEmitter,
|
|
||||||
publisher,
|
|
||||||
logger: this.logger
|
|
||||||
});
|
|
||||||
}
|
|
||||||
return this.overlaySyncService;
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Recreate browser automation and related use-cases from the current
|
|
||||||
* BrowserModeConfigLoader state. This allows runtime changes to the
|
|
||||||
* development-mode headed/headless setting to take effect without
|
|
||||||
* restarting the whole process.
|
|
||||||
*/
|
|
||||||
public refreshBrowserAutomation(): void {
|
public refreshBrowserAutomation(): void {
|
||||||
this.ensureInitialized();
|
this.ensureInitialized();
|
||||||
const config = loadAutomationConfig();
|
// Reconfigure the entire container to pick up new browser mode settings
|
||||||
|
resetDIContainer();
|
||||||
// Recreate browser automation adapter using current loader state
|
this.initialized = false;
|
||||||
this.browserAutomation = createBrowserAutomationAdapter(
|
this.ensureInitialized();
|
||||||
config.mode,
|
|
||||||
this.logger,
|
const logger = this.getLogger();
|
||||||
this.browserModeConfigLoader
|
const browserModeConfigLoader = this.getBrowserModeConfigLoader();
|
||||||
);
|
logger.info('Browser automation refreshed from updated BrowserModeConfigLoader', {
|
||||||
|
browserMode: browserModeConfigLoader.load().mode,
|
||||||
// Recreate automation engine and start use case to pick up new adapter
|
|
||||||
this.automationEngine = new MockAutomationEngineAdapter(
|
|
||||||
this.browserAutomation,
|
|
||||||
this.sessionRepository
|
|
||||||
);
|
|
||||||
|
|
||||||
this.startAutomationUseCase = new StartAutomationSessionUseCase(
|
|
||||||
this.automationEngine,
|
|
||||||
this.browserAutomation,
|
|
||||||
this.sessionRepository
|
|
||||||
);
|
|
||||||
|
|
||||||
// Recreate authentication use-cases if adapter supports them, otherwise clear
|
|
||||||
if (this.browserAutomation instanceof PlaywrightAutomationAdapter) {
|
|
||||||
const authService = this.browserAutomation as AuthenticationServicePort;
|
|
||||||
this.checkAuthenticationUseCase = new CheckAuthenticationUseCase(authService);
|
|
||||||
this.initiateLoginUseCase = new InitiateLoginUseCase(authService);
|
|
||||||
this.clearSessionUseCase = new ClearSessionUseCase(authService);
|
|
||||||
} else {
|
|
||||||
this.checkAuthenticationUseCase = null;
|
|
||||||
this.initiateLoginUseCase = null;
|
|
||||||
this.clearSessionUseCase = null;
|
|
||||||
}
|
|
||||||
|
|
||||||
this.logger.info('Browser automation refreshed from updated BrowserModeConfigLoader', {
|
|
||||||
browserMode: this.browserModeConfigLoader.load().mode
|
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
|
||||||
* Reset the singleton instance (useful for testing with different configurations).
|
|
||||||
*/
|
|
||||||
public static resetInstance(): void {
|
public static resetInstance(): void {
|
||||||
|
resetDIContainer();
|
||||||
DIContainer.instance = undefined as unknown as DIContainer;
|
DIContainer.instance = undefined as unknown as DIContainer;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
35
apps/companion/main/di-tokens.ts
Normal file
35
apps/companion/main/di-tokens.ts
Normal file
@@ -0,0 +1,35 @@
|
|||||||
|
/**
|
||||||
|
* Dependency Injection tokens for TSyringe container
|
||||||
|
*/
|
||||||
|
|
||||||
|
export const DI_TOKENS = {
|
||||||
|
// Core Services
|
||||||
|
Logger: Symbol.for('LoggerPort'),
|
||||||
|
|
||||||
|
// Repositories
|
||||||
|
SessionRepository: Symbol.for('SessionRepositoryPort'),
|
||||||
|
|
||||||
|
// Adapters
|
||||||
|
BrowserAutomation: Symbol.for('ScreenAutomationPort'),
|
||||||
|
AutomationEngine: Symbol.for('AutomationEnginePort'),
|
||||||
|
AuthenticationService: Symbol.for('AuthenticationServicePort'),
|
||||||
|
|
||||||
|
// Configuration
|
||||||
|
AutomationMode: Symbol.for('AutomationMode'),
|
||||||
|
BrowserModeConfigLoader: Symbol.for('BrowserModeConfigLoader'),
|
||||||
|
|
||||||
|
// Use Cases
|
||||||
|
StartAutomationUseCase: Symbol.for('StartAutomationSessionUseCase'),
|
||||||
|
CheckAuthenticationUseCase: Symbol.for('CheckAuthenticationUseCase'),
|
||||||
|
InitiateLoginUseCase: Symbol.for('InitiateLoginUseCase'),
|
||||||
|
ClearSessionUseCase: Symbol.for('ClearSessionUseCase'),
|
||||||
|
ConfirmCheckoutUseCase: Symbol.for('ConfirmCheckoutUseCase'),
|
||||||
|
|
||||||
|
// Services
|
||||||
|
OverlaySyncPort: Symbol.for('OverlaySyncPort'),
|
||||||
|
|
||||||
|
// Infrastructure
|
||||||
|
FixtureServer: Symbol.for('FixtureServer'),
|
||||||
|
} as const;
|
||||||
|
|
||||||
|
export type DITokens = typeof DI_TOKENS;
|
||||||
925
apps/website/lib/di-config.ts
Normal file
925
apps/website/lib/di-config.ts
Normal file
@@ -0,0 +1,925 @@
|
|||||||
|
import 'reflect-metadata';
|
||||||
|
import { container } from 'tsyringe';
|
||||||
|
import { DI_TOKENS } from './di-tokens';
|
||||||
|
|
||||||
|
// Domain entities and repositories
|
||||||
|
import { Penalty } from '@gridpilot/racing/domain/entities/Penalty';
|
||||||
|
import { Protest } from '@gridpilot/racing/domain/entities/Protest';
|
||||||
|
import { Game } from '@gridpilot/racing/domain/entities/Game';
|
||||||
|
import { Season } from '@gridpilot/racing/domain/entities/Season';
|
||||||
|
import type { LeagueMembership, JoinRequest } from '@gridpilot/racing/domain/entities/LeagueMembership';
|
||||||
|
|
||||||
|
import type { IDriverRepository } from '@gridpilot/racing/domain/repositories/IDriverRepository';
|
||||||
|
import type { ILeagueRepository } from '@gridpilot/racing/domain/repositories/ILeagueRepository';
|
||||||
|
import type { IRaceRepository } from '@gridpilot/racing/domain/repositories/IRaceRepository';
|
||||||
|
import type { IResultRepository } from '@gridpilot/racing/domain/repositories/IResultRepository';
|
||||||
|
import type { IStandingRepository } from '@gridpilot/racing/domain/repositories/IStandingRepository';
|
||||||
|
import type { IPenaltyRepository } from '@gridpilot/racing/domain/repositories/IPenaltyRepository';
|
||||||
|
import type { IProtestRepository } from '@gridpilot/racing/domain/repositories/IProtestRepository';
|
||||||
|
import type { IGameRepository } from '@gridpilot/racing/domain/repositories/IGameRepository';
|
||||||
|
import type { ISeasonRepository } from '@gridpilot/racing/domain/repositories/ISeasonRepository';
|
||||||
|
import type { ILeagueScoringConfigRepository } from '@gridpilot/racing/domain/repositories/ILeagueScoringConfigRepository';
|
||||||
|
import type { ITrackRepository } from '@gridpilot/racing/domain/repositories/ITrackRepository';
|
||||||
|
import type { ICarRepository } from '@gridpilot/racing/domain/repositories/ICarRepository';
|
||||||
|
import type {
|
||||||
|
ITeamRepository,
|
||||||
|
ITeamMembershipRepository,
|
||||||
|
IRaceRegistrationRepository,
|
||||||
|
} from '@gridpilot/racing';
|
||||||
|
import type { ILeagueMembershipRepository } from '@gridpilot/racing/domain/repositories/ILeagueMembershipRepository';
|
||||||
|
import type { IFeedRepository } from '@gridpilot/social/domain/repositories/IFeedRepository';
|
||||||
|
import type { ISocialGraphRepository } from '@gridpilot/social/domain/repositories/ISocialGraphRepository';
|
||||||
|
import type { ImageServicePort } from '@gridpilot/media';
|
||||||
|
|
||||||
|
// Notifications
|
||||||
|
import type { INotificationRepository, INotificationPreferenceRepository } from '@gridpilot/notifications/application';
|
||||||
|
import {
|
||||||
|
SendNotificationUseCase,
|
||||||
|
MarkNotificationReadUseCase,
|
||||||
|
GetUnreadNotificationsQuery
|
||||||
|
} from '@gridpilot/notifications/application';
|
||||||
|
import {
|
||||||
|
InMemoryNotificationRepository,
|
||||||
|
InMemoryNotificationPreferenceRepository,
|
||||||
|
NotificationGatewayRegistry,
|
||||||
|
InAppNotificationAdapter,
|
||||||
|
} from '@gridpilot/notifications/infrastructure';
|
||||||
|
|
||||||
|
// Infrastructure repositories
|
||||||
|
import { InMemoryDriverRepository } from '@gridpilot/racing/infrastructure/repositories/InMemoryDriverRepository';
|
||||||
|
import { InMemoryLeagueRepository } from '@gridpilot/racing/infrastructure/repositories/InMemoryLeagueRepository';
|
||||||
|
import { InMemoryRaceRepository } from '@gridpilot/racing/infrastructure/repositories/InMemoryRaceRepository';
|
||||||
|
import { InMemoryResultRepository } from '@gridpilot/racing/infrastructure/repositories/InMemoryResultRepository';
|
||||||
|
import { InMemoryStandingRepository } from '@gridpilot/racing/infrastructure/repositories/InMemoryStandingRepository';
|
||||||
|
import { InMemoryPenaltyRepository } from '@gridpilot/racing/infrastructure/repositories/InMemoryPenaltyRepository';
|
||||||
|
import { InMemoryProtestRepository } from '@gridpilot/racing/infrastructure/repositories/InMemoryProtestRepository';
|
||||||
|
import { InMemoryTrackRepository } from '@gridpilot/racing/infrastructure/repositories/InMemoryTrackRepository';
|
||||||
|
import { InMemoryCarRepository } from '@gridpilot/racing/infrastructure/repositories/InMemoryCarRepository';
|
||||||
|
import {
|
||||||
|
InMemoryGameRepository,
|
||||||
|
InMemorySeasonRepository,
|
||||||
|
InMemoryLeagueScoringConfigRepository,
|
||||||
|
getLeagueScoringPresetById,
|
||||||
|
} from '@gridpilot/racing/infrastructure/repositories/InMemoryScoringRepositories';
|
||||||
|
import { InMemoryLeagueScoringPresetProvider } from '@gridpilot/racing/infrastructure/repositories/InMemoryLeagueScoringPresetProvider';
|
||||||
|
import { InMemoryTeamRepository } from '@gridpilot/racing/infrastructure/repositories/InMemoryTeamRepository';
|
||||||
|
import { InMemoryTeamMembershipRepository } from '@gridpilot/racing/infrastructure/repositories/InMemoryTeamMembershipRepository';
|
||||||
|
import { InMemoryRaceRegistrationRepository } from '@gridpilot/racing/infrastructure/repositories/InMemoryRaceRegistrationRepository';
|
||||||
|
import { InMemoryLeagueMembershipRepository } from '@gridpilot/racing/infrastructure/repositories/InMemoryLeagueMembershipRepository';
|
||||||
|
import {
|
||||||
|
InMemoryFeedRepository,
|
||||||
|
InMemorySocialGraphRepository,
|
||||||
|
} from '@gridpilot/social/infrastructure/inmemory/InMemorySocialAndFeed';
|
||||||
|
import { DemoImageServiceAdapter } from '@gridpilot/demo-infrastructure';
|
||||||
|
|
||||||
|
// Application use cases and queries
|
||||||
|
import {
|
||||||
|
JoinLeagueUseCase,
|
||||||
|
RegisterForRaceUseCase,
|
||||||
|
WithdrawFromRaceUseCase,
|
||||||
|
IsDriverRegisteredForRaceQuery,
|
||||||
|
GetRaceRegistrationsQuery,
|
||||||
|
CreateTeamUseCase,
|
||||||
|
JoinTeamUseCase,
|
||||||
|
LeaveTeamUseCase,
|
||||||
|
ApproveTeamJoinRequestUseCase,
|
||||||
|
RejectTeamJoinRequestUseCase,
|
||||||
|
UpdateTeamUseCase,
|
||||||
|
GetAllTeamsQuery,
|
||||||
|
GetTeamDetailsQuery,
|
||||||
|
GetTeamMembersQuery,
|
||||||
|
GetTeamJoinRequestsQuery,
|
||||||
|
GetDriverTeamQuery,
|
||||||
|
GetLeagueStandingsQuery,
|
||||||
|
GetLeagueDriverSeasonStatsQuery,
|
||||||
|
GetAllLeaguesWithCapacityQuery,
|
||||||
|
GetAllLeaguesWithCapacityAndScoringQuery,
|
||||||
|
ListLeagueScoringPresetsQuery,
|
||||||
|
GetLeagueScoringConfigQuery,
|
||||||
|
CreateLeagueWithSeasonAndScoringUseCase,
|
||||||
|
GetLeagueFullConfigQuery,
|
||||||
|
GetRaceWithSOFQuery,
|
||||||
|
GetLeagueStatsQuery,
|
||||||
|
FileProtestUseCase,
|
||||||
|
ReviewProtestUseCase,
|
||||||
|
ApplyPenaltyUseCase,
|
||||||
|
GetRaceProtestsQuery,
|
||||||
|
GetRacePenaltiesQuery,
|
||||||
|
RequestProtestDefenseUseCase,
|
||||||
|
SubmitProtestDefenseUseCase,
|
||||||
|
} from '@gridpilot/racing/application';
|
||||||
|
import { TransferLeagueOwnershipUseCase } from '@gridpilot/racing/application/use-cases/TransferLeagueOwnershipUseCase';
|
||||||
|
import type { DriverRatingProvider } from '@gridpilot/racing/application';
|
||||||
|
import type { LeagueScoringPresetProvider } from '@gridpilot/racing/application/ports/LeagueScoringPresetProvider';
|
||||||
|
import { PreviewLeagueScheduleQuery } from '@gridpilot/racing/application';
|
||||||
|
|
||||||
|
// Testing support
|
||||||
|
import {
|
||||||
|
createStaticRacingSeed,
|
||||||
|
getDemoLeagueArchetypeByName,
|
||||||
|
DEMO_TRACKS,
|
||||||
|
DEMO_CARS,
|
||||||
|
createDemoDriverStats,
|
||||||
|
} from '@gridpilot/testing-support';
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Configure the DI container with all bindings for the website application
|
||||||
|
*/
|
||||||
|
export function configureDIContainer(): void {
|
||||||
|
// Clear any existing registrations
|
||||||
|
container.clearInstances();
|
||||||
|
|
||||||
|
// Create seed data
|
||||||
|
const seedData = createStaticRacingSeed(42);
|
||||||
|
const primaryDriverId = seedData.drivers[0]?.id ?? 'driver-1';
|
||||||
|
|
||||||
|
// Create driver statistics from seed data
|
||||||
|
const driverStats = createDemoDriverStats(seedData.drivers);
|
||||||
|
|
||||||
|
// Register repositories
|
||||||
|
container.registerInstance<IDriverRepository>(
|
||||||
|
DI_TOKENS.DriverRepository,
|
||||||
|
new InMemoryDriverRepository(seedData.drivers)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance<ILeagueRepository>(
|
||||||
|
DI_TOKENS.LeagueRepository,
|
||||||
|
new InMemoryLeagueRepository(seedData.leagues)
|
||||||
|
);
|
||||||
|
|
||||||
|
const raceRepository = new InMemoryRaceRepository(seedData.races);
|
||||||
|
container.registerInstance<IRaceRepository>(DI_TOKENS.RaceRepository, raceRepository);
|
||||||
|
|
||||||
|
// Result repository needs race repository for league-based queries
|
||||||
|
const resultRepository = new InMemoryResultRepository(seedData.results, raceRepository);
|
||||||
|
container.registerInstance<IResultRepository>(DI_TOKENS.ResultRepository, resultRepository);
|
||||||
|
|
||||||
|
// Standing repository needs all three for recalculation
|
||||||
|
const leagueRepository = container.resolve<ILeagueRepository>(DI_TOKENS.LeagueRepository);
|
||||||
|
container.registerInstance<IStandingRepository>(
|
||||||
|
DI_TOKENS.StandingRepository,
|
||||||
|
new InMemoryStandingRepository(
|
||||||
|
seedData.standings,
|
||||||
|
resultRepository,
|
||||||
|
raceRepository,
|
||||||
|
leagueRepository
|
||||||
|
)
|
||||||
|
);
|
||||||
|
|
||||||
|
// Race registrations - seed from results for completed races, plus some upcoming races
|
||||||
|
const seedRaceRegistrations: Array<{ raceId: string; driverId: string; registeredAt: Date }> = [];
|
||||||
|
|
||||||
|
// For completed races, extract driver registrations from results
|
||||||
|
for (const result of seedData.results) {
|
||||||
|
seedRaceRegistrations.push({
|
||||||
|
raceId: result.raceId,
|
||||||
|
driverId: result.driverId,
|
||||||
|
registeredAt: new Date(Date.now() - 7 * 24 * 60 * 60 * 1000),
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
// For some upcoming races, add random registrations
|
||||||
|
const upcomingRaces = seedData.races.filter(r => r.status === 'scheduled').slice(0, 10);
|
||||||
|
for (const race of upcomingRaces) {
|
||||||
|
const participantCount = Math.floor(Math.random() * 12) + 8;
|
||||||
|
const shuffledDrivers = [...seedData.drivers].sort(() => Math.random() - 0.5).slice(0, participantCount);
|
||||||
|
for (const driver of shuffledDrivers) {
|
||||||
|
seedRaceRegistrations.push({
|
||||||
|
raceId: race.id,
|
||||||
|
driverId: driver.id,
|
||||||
|
registeredAt: new Date(Date.now() - Math.floor(Math.random() * 5) * 24 * 60 * 60 * 1000),
|
||||||
|
});
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
container.registerInstance<IRaceRegistrationRepository>(
|
||||||
|
DI_TOKENS.RaceRegistrationRepository,
|
||||||
|
new InMemoryRaceRegistrationRepository(seedRaceRegistrations)
|
||||||
|
);
|
||||||
|
|
||||||
|
// Seed penalties and protests
|
||||||
|
const completedRaces = seedData.races.filter(r => r.status === 'completed');
|
||||||
|
const racesByLeague = new Map<string, typeof completedRaces>();
|
||||||
|
for (const race of completedRaces) {
|
||||||
|
const existing = racesByLeague.get(race.leagueId) || [];
|
||||||
|
existing.push(race);
|
||||||
|
racesByLeague.set(race.leagueId, existing);
|
||||||
|
}
|
||||||
|
|
||||||
|
const racesForProtests: Array<{ race: typeof completedRaces[0]; leagueIndex: number }> = [];
|
||||||
|
let leagueIndex = 0;
|
||||||
|
for (const [, leagueRaces] of racesByLeague) {
|
||||||
|
const sorted = [...leagueRaces].sort((a, b) => a.scheduledAt.getTime() - b.scheduledAt.getTime());
|
||||||
|
for (const race of sorted.slice(0, 2)) {
|
||||||
|
racesForProtests.push({ race, leagueIndex });
|
||||||
|
}
|
||||||
|
leagueIndex++;
|
||||||
|
}
|
||||||
|
|
||||||
|
const seededPenalties: Penalty[] = [];
|
||||||
|
const seededProtests: Protest[] = [];
|
||||||
|
|
||||||
|
racesForProtests.forEach(({ race, leagueIndex: leagueIdx }, raceIndex) => {
|
||||||
|
const raceResults = seedData.results.filter(r => r.raceId === race.id);
|
||||||
|
if (raceResults.length < 4) return;
|
||||||
|
|
||||||
|
const protestCount = Math.min(2, raceResults.length - 2);
|
||||||
|
for (let i = 0; i < protestCount; i++) {
|
||||||
|
const protestingResult = raceResults[i + 2];
|
||||||
|
const accusedResult = raceResults[i];
|
||||||
|
|
||||||
|
if (!protestingResult || !accusedResult) continue;
|
||||||
|
|
||||||
|
const protestStatuses: Array<'pending' | 'under_review' | 'upheld' | 'dismissed'> = ['pending', 'under_review', 'upheld', 'dismissed'];
|
||||||
|
const status = protestStatuses[(raceIndex + i) % protestStatuses.length];
|
||||||
|
|
||||||
|
const protest = Protest.create({
|
||||||
|
id: `protest-${race.id}-${i}`,
|
||||||
|
raceId: race.id,
|
||||||
|
protestingDriverId: protestingResult.driverId,
|
||||||
|
accusedDriverId: accusedResult.driverId,
|
||||||
|
incident: {
|
||||||
|
lap: 5 + i * 3,
|
||||||
|
description: i === 0
|
||||||
|
? 'Unsafe rejoining to the track after going off, causing contact'
|
||||||
|
: 'Aggressive defending, pushing competitor off track',
|
||||||
|
},
|
||||||
|
comment: i === 0
|
||||||
|
? 'Driver rejoined directly into my racing line, causing contact and damaging my front wing.'
|
||||||
|
: 'Driver moved under braking multiple times, forcing me off the circuit.',
|
||||||
|
status,
|
||||||
|
filedAt: new Date(Date.now() - (raceIndex + 1) * 24 * 60 * 60 * 1000),
|
||||||
|
reviewedBy: status !== 'pending' ? primaryDriverId : undefined,
|
||||||
|
decisionNotes: status === 'upheld'
|
||||||
|
? 'After reviewing the evidence, the accused driver is found at fault. Penalty applied.'
|
||||||
|
: status === 'dismissed'
|
||||||
|
? 'No clear fault found. Racing incident.'
|
||||||
|
: undefined,
|
||||||
|
reviewedAt: status !== 'pending' ? new Date(Date.now() - raceIndex * 24 * 60 * 60 * 1000) : undefined,
|
||||||
|
});
|
||||||
|
|
||||||
|
seededProtests.push(protest);
|
||||||
|
|
||||||
|
if (status === 'upheld') {
|
||||||
|
const penaltyType = i % 2 === 0 ? 'points_deduction' : 'time_penalty';
|
||||||
|
|
||||||
|
const penalty = Penalty.create({
|
||||||
|
id: `penalty-${race.id}-${i}`,
|
||||||
|
raceId: race.id,
|
||||||
|
driverId: accusedResult.driverId,
|
||||||
|
type: penaltyType,
|
||||||
|
value: penaltyType === 'points_deduction' ? 3 : 5,
|
||||||
|
reason: protest.incident.description,
|
||||||
|
protestId: protest.id,
|
||||||
|
issuedBy: primaryDriverId,
|
||||||
|
status: 'applied',
|
||||||
|
issuedAt: new Date(Date.now() - raceIndex * 24 * 60 * 60 * 1000),
|
||||||
|
appliedAt: new Date(Date.now() - raceIndex * 24 * 60 * 60 * 1000),
|
||||||
|
});
|
||||||
|
|
||||||
|
seededPenalties.push(penalty);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// Add direct penalties
|
||||||
|
if (raceResults.length > 5) {
|
||||||
|
if (raceIndex % 3 === 0) {
|
||||||
|
const penalizedResult = raceResults[4];
|
||||||
|
if (penalizedResult) {
|
||||||
|
const penalty = Penalty.create({
|
||||||
|
id: `penalty-direct-${race.id}`,
|
||||||
|
raceId: race.id,
|
||||||
|
driverId: penalizedResult.driverId,
|
||||||
|
type: 'points_deduction',
|
||||||
|
value: 5,
|
||||||
|
reason: 'Causing avoidable collision',
|
||||||
|
issuedBy: primaryDriverId,
|
||||||
|
status: 'applied',
|
||||||
|
issuedAt: new Date(Date.now() - (raceIndex + 1) * 12 * 60 * 60 * 1000),
|
||||||
|
appliedAt: new Date(Date.now() - (raceIndex + 1) * 12 * 60 * 60 * 1000),
|
||||||
|
});
|
||||||
|
|
||||||
|
seededPenalties.push(penalty);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
if (raceIndex % 3 === 1 && raceResults.length > 6) {
|
||||||
|
const penalizedResult = raceResults[5];
|
||||||
|
if (penalizedResult) {
|
||||||
|
const penalty = Penalty.create({
|
||||||
|
id: `penalty-direct-2-${race.id}`,
|
||||||
|
raceId: race.id,
|
||||||
|
driverId: penalizedResult.driverId,
|
||||||
|
type: 'points_deduction',
|
||||||
|
value: 2,
|
||||||
|
reason: 'Track limits violation - gained lasting advantage',
|
||||||
|
issuedBy: primaryDriverId,
|
||||||
|
status: 'applied',
|
||||||
|
issuedAt: new Date(Date.now() - (raceIndex + 1) * 12 * 60 * 60 * 1000),
|
||||||
|
appliedAt: new Date(Date.now() - (raceIndex + 1) * 12 * 60 * 60 * 1000),
|
||||||
|
});
|
||||||
|
|
||||||
|
seededPenalties.push(penalty);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
container.registerInstance<IPenaltyRepository>(
|
||||||
|
DI_TOKENS.PenaltyRepository,
|
||||||
|
new InMemoryPenaltyRepository(seededPenalties)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance<IProtestRepository>(
|
||||||
|
DI_TOKENS.ProtestRepository,
|
||||||
|
new InMemoryProtestRepository(seededProtests)
|
||||||
|
);
|
||||||
|
|
||||||
|
// Scoring repositories
|
||||||
|
const leagueScoringPresetProvider = new InMemoryLeagueScoringPresetProvider();
|
||||||
|
container.registerInstance<LeagueScoringPresetProvider>(
|
||||||
|
DI_TOKENS.LeagueScoringPresetProvider,
|
||||||
|
leagueScoringPresetProvider
|
||||||
|
);
|
||||||
|
|
||||||
|
const game = Game.create({ id: 'iracing', name: 'iRacing' });
|
||||||
|
const seededSeasons: Season[] = [];
|
||||||
|
const seededScoringConfigs = [];
|
||||||
|
|
||||||
|
for (const league of seedData.leagues) {
|
||||||
|
const archetype = getDemoLeagueArchetypeByName(league.name);
|
||||||
|
|
||||||
|
const season = Season.create({
|
||||||
|
id: `season-${league.id}-demo`,
|
||||||
|
leagueId: league.id,
|
||||||
|
gameId: game.id,
|
||||||
|
name: `${league.name} Demo Season`,
|
||||||
|
year: new Date().getFullYear(),
|
||||||
|
order: 1,
|
||||||
|
status: 'active',
|
||||||
|
startDate: new Date(),
|
||||||
|
endDate: new Date(),
|
||||||
|
});
|
||||||
|
seededSeasons.push(season);
|
||||||
|
|
||||||
|
const presetId = archetype?.scoringPresetId ?? 'club-default';
|
||||||
|
const infraPreset = getLeagueScoringPresetById(presetId);
|
||||||
|
|
||||||
|
if (infraPreset) {
|
||||||
|
const config = infraPreset.createConfig({ seasonId: season.id });
|
||||||
|
seededScoringConfigs.push(config);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
container.registerInstance<IGameRepository>(
|
||||||
|
DI_TOKENS.GameRepository,
|
||||||
|
new InMemoryGameRepository([game])
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance<ISeasonRepository>(
|
||||||
|
DI_TOKENS.SeasonRepository,
|
||||||
|
new InMemorySeasonRepository(seededSeasons)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance<ILeagueScoringConfigRepository>(
|
||||||
|
DI_TOKENS.LeagueScoringConfigRepository,
|
||||||
|
new InMemoryLeagueScoringConfigRepository(seededScoringConfigs)
|
||||||
|
);
|
||||||
|
|
||||||
|
// League memberships
|
||||||
|
const seededMemberships: LeagueMembership[] = seedData.memberships.map((m) => ({
|
||||||
|
leagueId: m.leagueId,
|
||||||
|
driverId: m.driverId,
|
||||||
|
role: 'member',
|
||||||
|
status: 'active',
|
||||||
|
joinedAt: new Date(),
|
||||||
|
}));
|
||||||
|
|
||||||
|
// Ensure each league owner has an owner membership
|
||||||
|
for (const league of seedData.leagues) {
|
||||||
|
const existing = seededMemberships.find(
|
||||||
|
(m) => m.leagueId === league.id && m.driverId === league.ownerId,
|
||||||
|
);
|
||||||
|
if (!existing) {
|
||||||
|
seededMemberships.push({
|
||||||
|
leagueId: league.id,
|
||||||
|
driverId: league.ownerId,
|
||||||
|
role: 'owner',
|
||||||
|
status: 'active',
|
||||||
|
joinedAt: new Date(),
|
||||||
|
});
|
||||||
|
} else {
|
||||||
|
existing.role = 'owner';
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// Ensure primary driver owns at least one league
|
||||||
|
const hasPrimaryOwnerMembership = seededMemberships.some(
|
||||||
|
(m: LeagueMembership) => m.driverId === primaryDriverId && m.role === 'owner',
|
||||||
|
);
|
||||||
|
if (!hasPrimaryOwnerMembership && seedData.leagues.length > 0) {
|
||||||
|
const targetLeague =
|
||||||
|
seedData.leagues.find((l) => l.ownerId === primaryDriverId) ?? seedData.leagues[0];
|
||||||
|
|
||||||
|
const existingForPrimary = seededMemberships.find(
|
||||||
|
(m) => m.leagueId === targetLeague.id && m.driverId === primaryDriverId,
|
||||||
|
);
|
||||||
|
|
||||||
|
if (existingForPrimary) {
|
||||||
|
existingForPrimary.role = 'owner';
|
||||||
|
} else {
|
||||||
|
seededMemberships.push({
|
||||||
|
leagueId: targetLeague.id,
|
||||||
|
driverId: primaryDriverId,
|
||||||
|
role: 'owner',
|
||||||
|
status: 'active',
|
||||||
|
joinedAt: new Date(),
|
||||||
|
});
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// Add admins for primary league
|
||||||
|
const primaryLeagueForAdmins =
|
||||||
|
seedData.leagues.find((l) => l.ownerId === primaryDriverId) ?? seedData.leagues[0];
|
||||||
|
|
||||||
|
if (primaryLeagueForAdmins) {
|
||||||
|
const adminCandidates = seedData.drivers
|
||||||
|
.filter((d) => d.id !== primaryLeagueForAdmins.ownerId)
|
||||||
|
.slice(0, 2);
|
||||||
|
|
||||||
|
adminCandidates.forEach((driver) => {
|
||||||
|
const existing = seededMemberships.find(
|
||||||
|
(m) => m.leagueId === primaryLeagueForAdmins.id && m.driverId === driver.id,
|
||||||
|
);
|
||||||
|
if (existing) {
|
||||||
|
if (existing.role !== 'owner') {
|
||||||
|
existing.role = 'admin';
|
||||||
|
}
|
||||||
|
} else {
|
||||||
|
seededMemberships.push({
|
||||||
|
leagueId: primaryLeagueForAdmins.id,
|
||||||
|
driverId: driver.id,
|
||||||
|
role: 'admin',
|
||||||
|
status: 'active',
|
||||||
|
joinedAt: new Date(),
|
||||||
|
});
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
// Add stewards for primary league
|
||||||
|
if (primaryLeagueForAdmins) {
|
||||||
|
const stewardCandidates = seedData.drivers
|
||||||
|
.filter((d) => d.id !== primaryLeagueForAdmins.ownerId)
|
||||||
|
.slice(2, 5);
|
||||||
|
|
||||||
|
stewardCandidates.forEach((driver) => {
|
||||||
|
const existing = seededMemberships.find(
|
||||||
|
(m) => m.leagueId === primaryLeagueForAdmins.id && m.driverId === driver.id,
|
||||||
|
);
|
||||||
|
if (existing) {
|
||||||
|
if (existing.role !== 'owner' && existing.role !== 'admin') {
|
||||||
|
existing.role = 'steward';
|
||||||
|
}
|
||||||
|
} else {
|
||||||
|
seededMemberships.push({
|
||||||
|
leagueId: primaryLeagueForAdmins.id,
|
||||||
|
driverId: driver.id,
|
||||||
|
role: 'steward',
|
||||||
|
status: 'active',
|
||||||
|
joinedAt: new Date(),
|
||||||
|
});
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
// Seed pending join requests
|
||||||
|
const seededJoinRequests: JoinRequest[] = [];
|
||||||
|
const demoLeagues = seedData.leagues.slice(0, 6);
|
||||||
|
const extraDrivers = seedData.drivers.slice(5, 12);
|
||||||
|
|
||||||
|
demoLeagues.forEach((league, leagueIndex) => {
|
||||||
|
const memberDriverIds = seededMemberships
|
||||||
|
.filter(m => m.leagueId === league.id)
|
||||||
|
.map(m => m.driverId);
|
||||||
|
|
||||||
|
const availableDrivers = extraDrivers.filter(d => !memberDriverIds.includes(d.id));
|
||||||
|
const driversForThisLeague = availableDrivers.slice(0, 3 + (leagueIndex % 3));
|
||||||
|
|
||||||
|
driversForThisLeague.forEach((driver, index) => {
|
||||||
|
const messages = [
|
||||||
|
'Would love to race in this series!',
|
||||||
|
'Looking to join for the upcoming season.',
|
||||||
|
'Heard great things about this league. Can I join?',
|
||||||
|
'Experienced driver looking for competitive racing.',
|
||||||
|
'My friend recommended this league. Hope to race with you!',
|
||||||
|
];
|
||||||
|
seededJoinRequests.push({
|
||||||
|
id: `join-${league.id}-${driver.id}`,
|
||||||
|
leagueId: league.id,
|
||||||
|
driverId: driver.id,
|
||||||
|
requestedAt: new Date(Date.now() - (index + 1 + leagueIndex) * 24 * 60 * 60 * 1000),
|
||||||
|
message: messages[(index + leagueIndex) % messages.length],
|
||||||
|
});
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
container.registerInstance<ILeagueMembershipRepository>(
|
||||||
|
DI_TOKENS.LeagueMembershipRepository,
|
||||||
|
new InMemoryLeagueMembershipRepository(seededMemberships, seededJoinRequests)
|
||||||
|
);
|
||||||
|
|
||||||
|
// Team repositories
|
||||||
|
container.registerInstance<ITeamRepository>(
|
||||||
|
DI_TOKENS.TeamRepository,
|
||||||
|
new InMemoryTeamRepository(
|
||||||
|
seedData.teams.map((t) => ({
|
||||||
|
id: t.id,
|
||||||
|
name: t.name,
|
||||||
|
tag: t.tag,
|
||||||
|
description: t.description,
|
||||||
|
ownerId: seedData.drivers[0]?.id ?? 'driver-1',
|
||||||
|
leagues: [t.primaryLeagueId],
|
||||||
|
createdAt: new Date(),
|
||||||
|
}))
|
||||||
|
)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance<ITeamMembershipRepository>(
|
||||||
|
DI_TOKENS.TeamMembershipRepository,
|
||||||
|
new InMemoryTeamMembershipRepository(
|
||||||
|
seedData.memberships
|
||||||
|
.filter((m) => m.teamId)
|
||||||
|
.map((m) => ({
|
||||||
|
teamId: m.teamId!,
|
||||||
|
driverId: m.driverId,
|
||||||
|
role: 'driver',
|
||||||
|
status: 'active',
|
||||||
|
joinedAt: new Date(),
|
||||||
|
}))
|
||||||
|
)
|
||||||
|
);
|
||||||
|
|
||||||
|
// Track and Car repositories
|
||||||
|
container.registerInstance<ITrackRepository>(
|
||||||
|
DI_TOKENS.TrackRepository,
|
||||||
|
new InMemoryTrackRepository(DEMO_TRACKS)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance<ICarRepository>(
|
||||||
|
DI_TOKENS.CarRepository,
|
||||||
|
new InMemoryCarRepository(DEMO_CARS)
|
||||||
|
);
|
||||||
|
|
||||||
|
// Social repositories
|
||||||
|
container.registerInstance<IFeedRepository>(
|
||||||
|
DI_TOKENS.FeedRepository,
|
||||||
|
new InMemoryFeedRepository(seedData)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance<ISocialGraphRepository>(
|
||||||
|
DI_TOKENS.SocialRepository,
|
||||||
|
new InMemorySocialGraphRepository(seedData)
|
||||||
|
);
|
||||||
|
|
||||||
|
// Image service
|
||||||
|
container.registerInstance<ImageServicePort>(
|
||||||
|
DI_TOKENS.ImageService,
|
||||||
|
new DemoImageServiceAdapter()
|
||||||
|
);
|
||||||
|
|
||||||
|
// Notification repositories
|
||||||
|
container.registerInstance<INotificationRepository>(
|
||||||
|
DI_TOKENS.NotificationRepository,
|
||||||
|
new InMemoryNotificationRepository()
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance<INotificationPreferenceRepository>(
|
||||||
|
DI_TOKENS.NotificationPreferenceRepository,
|
||||||
|
new InMemoryNotificationPreferenceRepository()
|
||||||
|
);
|
||||||
|
|
||||||
|
const notificationGatewayRegistry = new NotificationGatewayRegistry([
|
||||||
|
new InAppNotificationAdapter(),
|
||||||
|
]);
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.NotificationGatewayRegistry,
|
||||||
|
notificationGatewayRegistry
|
||||||
|
);
|
||||||
|
|
||||||
|
// Register driver stats for access by utility functions
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.DriverStats,
|
||||||
|
driverStats
|
||||||
|
);
|
||||||
|
|
||||||
|
// Driver Rating Provider
|
||||||
|
const driverRatingProvider: DriverRatingProvider = {
|
||||||
|
getRating: (driverId: string): number | null => {
|
||||||
|
const stats = driverStats[driverId];
|
||||||
|
return stats?.rating ?? null;
|
||||||
|
},
|
||||||
|
getRatings: (driverIds: string[]): Map<string, number> => {
|
||||||
|
const result = new Map<string, number>();
|
||||||
|
for (const id of driverIds) {
|
||||||
|
const stats = driverStats[id];
|
||||||
|
if (stats?.rating) {
|
||||||
|
result.set(id, stats.rating);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return result;
|
||||||
|
},
|
||||||
|
};
|
||||||
|
container.registerInstance<DriverRatingProvider>(
|
||||||
|
DI_TOKENS.DriverRatingProvider,
|
||||||
|
driverRatingProvider
|
||||||
|
);
|
||||||
|
|
||||||
|
// Resolve dependencies for use cases
|
||||||
|
const driverRepository = container.resolve<IDriverRepository>(DI_TOKENS.DriverRepository);
|
||||||
|
const raceRegistrationRepository = container.resolve<IRaceRegistrationRepository>(DI_TOKENS.RaceRegistrationRepository);
|
||||||
|
const leagueMembershipRepository = container.resolve<ILeagueMembershipRepository>(DI_TOKENS.LeagueMembershipRepository);
|
||||||
|
const standingRepository = container.resolve<IStandingRepository>(DI_TOKENS.StandingRepository);
|
||||||
|
const penaltyRepository = container.resolve<IPenaltyRepository>(DI_TOKENS.PenaltyRepository);
|
||||||
|
const protestRepository = container.resolve<IProtestRepository>(DI_TOKENS.ProtestRepository);
|
||||||
|
const teamRepository = container.resolve<ITeamRepository>(DI_TOKENS.TeamRepository);
|
||||||
|
const teamMembershipRepository = container.resolve<ITeamMembershipRepository>(DI_TOKENS.TeamMembershipRepository);
|
||||||
|
const seasonRepository = container.resolve<ISeasonRepository>(DI_TOKENS.SeasonRepository);
|
||||||
|
const leagueScoringConfigRepository = container.resolve<ILeagueScoringConfigRepository>(DI_TOKENS.LeagueScoringConfigRepository);
|
||||||
|
const gameRepository = container.resolve<IGameRepository>(DI_TOKENS.GameRepository);
|
||||||
|
const notificationRepository = container.resolve<INotificationRepository>(DI_TOKENS.NotificationRepository);
|
||||||
|
const notificationPreferenceRepository = container.resolve<INotificationPreferenceRepository>(DI_TOKENS.NotificationPreferenceRepository);
|
||||||
|
|
||||||
|
// Register use cases - Racing
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.JoinLeagueUseCase,
|
||||||
|
new JoinLeagueUseCase(leagueMembershipRepository)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.RegisterForRaceUseCase,
|
||||||
|
new RegisterForRaceUseCase(raceRegistrationRepository, leagueMembershipRepository)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.WithdrawFromRaceUseCase,
|
||||||
|
new WithdrawFromRaceUseCase(raceRegistrationRepository)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.CreateLeagueWithSeasonAndScoringUseCase,
|
||||||
|
new CreateLeagueWithSeasonAndScoringUseCase(
|
||||||
|
leagueRepository,
|
||||||
|
seasonRepository,
|
||||||
|
leagueScoringConfigRepository,
|
||||||
|
leagueScoringPresetProvider
|
||||||
|
)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.TransferLeagueOwnershipUseCase,
|
||||||
|
new TransferLeagueOwnershipUseCase(leagueRepository, leagueMembershipRepository)
|
||||||
|
);
|
||||||
|
|
||||||
|
// Register use cases - Teams
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.CreateTeamUseCase,
|
||||||
|
new CreateTeamUseCase(teamRepository, teamMembershipRepository)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.JoinTeamUseCase,
|
||||||
|
new JoinTeamUseCase(teamRepository, teamMembershipRepository)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.LeaveTeamUseCase,
|
||||||
|
new LeaveTeamUseCase(teamMembershipRepository)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.ApproveTeamJoinRequestUseCase,
|
||||||
|
new ApproveTeamJoinRequestUseCase(teamMembershipRepository)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.RejectTeamJoinRequestUseCase,
|
||||||
|
new RejectTeamJoinRequestUseCase(teamMembershipRepository)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.UpdateTeamUseCase,
|
||||||
|
new UpdateTeamUseCase(teamRepository, teamMembershipRepository)
|
||||||
|
);
|
||||||
|
|
||||||
|
// Register use cases - Stewarding
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.FileProtestUseCase,
|
||||||
|
new FileProtestUseCase(protestRepository, raceRepository, leagueMembershipRepository)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.ReviewProtestUseCase,
|
||||||
|
new ReviewProtestUseCase(protestRepository, raceRepository, leagueMembershipRepository)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.ApplyPenaltyUseCase,
|
||||||
|
new ApplyPenaltyUseCase(
|
||||||
|
penaltyRepository,
|
||||||
|
protestRepository,
|
||||||
|
raceRepository,
|
||||||
|
leagueMembershipRepository
|
||||||
|
)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.RequestProtestDefenseUseCase,
|
||||||
|
new RequestProtestDefenseUseCase(protestRepository, raceRepository, leagueMembershipRepository)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.SubmitProtestDefenseUseCase,
|
||||||
|
new SubmitProtestDefenseUseCase(protestRepository)
|
||||||
|
);
|
||||||
|
|
||||||
|
// Register use cases - Notifications
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.SendNotificationUseCase,
|
||||||
|
new SendNotificationUseCase(
|
||||||
|
notificationRepository,
|
||||||
|
notificationPreferenceRepository,
|
||||||
|
notificationGatewayRegistry
|
||||||
|
)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.MarkNotificationReadUseCase,
|
||||||
|
new MarkNotificationReadUseCase(notificationRepository)
|
||||||
|
);
|
||||||
|
|
||||||
|
// Register queries - Racing
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.IsDriverRegisteredForRaceQuery,
|
||||||
|
new IsDriverRegisteredForRaceQuery(raceRegistrationRepository)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.GetRaceRegistrationsQuery,
|
||||||
|
new GetRaceRegistrationsQuery(raceRegistrationRepository)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.GetLeagueStandingsQuery,
|
||||||
|
new GetLeagueStandingsQuery(standingRepository)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.GetLeagueDriverSeasonStatsQuery,
|
||||||
|
new GetLeagueDriverSeasonStatsQuery(
|
||||||
|
standingRepository,
|
||||||
|
resultRepository,
|
||||||
|
penaltyRepository,
|
||||||
|
raceRepository,
|
||||||
|
{
|
||||||
|
getRating: (driverId: string) => {
|
||||||
|
const stats = driverStats[driverId];
|
||||||
|
if (!stats) {
|
||||||
|
return { rating: null, ratingChange: null };
|
||||||
|
}
|
||||||
|
const baseline = 1500;
|
||||||
|
const delta = stats.rating - baseline;
|
||||||
|
return {
|
||||||
|
rating: stats.rating,
|
||||||
|
ratingChange: delta !== 0 ? delta : null,
|
||||||
|
};
|
||||||
|
},
|
||||||
|
}
|
||||||
|
)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.GetAllLeaguesWithCapacityQuery,
|
||||||
|
new GetAllLeaguesWithCapacityQuery(leagueRepository, leagueMembershipRepository)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.GetAllLeaguesWithCapacityAndScoringQuery,
|
||||||
|
new GetAllLeaguesWithCapacityAndScoringQuery(
|
||||||
|
leagueRepository,
|
||||||
|
leagueMembershipRepository,
|
||||||
|
seasonRepository,
|
||||||
|
leagueScoringConfigRepository,
|
||||||
|
gameRepository,
|
||||||
|
leagueScoringPresetProvider
|
||||||
|
)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.ListLeagueScoringPresetsQuery,
|
||||||
|
new ListLeagueScoringPresetsQuery(leagueScoringPresetProvider)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.GetLeagueScoringConfigQuery,
|
||||||
|
new GetLeagueScoringConfigQuery(
|
||||||
|
leagueRepository,
|
||||||
|
seasonRepository,
|
||||||
|
leagueScoringConfigRepository,
|
||||||
|
gameRepository,
|
||||||
|
leagueScoringPresetProvider
|
||||||
|
)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.GetLeagueFullConfigQuery,
|
||||||
|
new GetLeagueFullConfigQuery(
|
||||||
|
leagueRepository,
|
||||||
|
seasonRepository,
|
||||||
|
leagueScoringConfigRepository,
|
||||||
|
gameRepository
|
||||||
|
)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.PreviewLeagueScheduleQuery,
|
||||||
|
new PreviewLeagueScheduleQuery()
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.GetRaceWithSOFQuery,
|
||||||
|
new GetRaceWithSOFQuery(
|
||||||
|
raceRepository,
|
||||||
|
raceRegistrationRepository,
|
||||||
|
resultRepository,
|
||||||
|
driverRatingProvider
|
||||||
|
)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.GetLeagueStatsQuery,
|
||||||
|
new GetLeagueStatsQuery(
|
||||||
|
leagueRepository,
|
||||||
|
raceRepository,
|
||||||
|
resultRepository,
|
||||||
|
driverRatingProvider
|
||||||
|
)
|
||||||
|
);
|
||||||
|
|
||||||
|
// Register queries - Teams
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.GetAllTeamsQuery,
|
||||||
|
new GetAllTeamsQuery(teamRepository)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.GetTeamDetailsQuery,
|
||||||
|
new GetTeamDetailsQuery(teamRepository, teamMembershipRepository)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.GetTeamMembersQuery,
|
||||||
|
new GetTeamMembersQuery(teamMembershipRepository)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.GetTeamJoinRequestsQuery,
|
||||||
|
new GetTeamJoinRequestsQuery(teamMembershipRepository)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.GetDriverTeamQuery,
|
||||||
|
new GetDriverTeamQuery(teamRepository, teamMembershipRepository)
|
||||||
|
);
|
||||||
|
|
||||||
|
// Register queries - Stewarding
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.GetRaceProtestsQuery,
|
||||||
|
new GetRaceProtestsQuery(protestRepository, driverRepository)
|
||||||
|
);
|
||||||
|
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.GetRacePenaltiesQuery,
|
||||||
|
new GetRacePenaltiesQuery(penaltyRepository, driverRepository)
|
||||||
|
);
|
||||||
|
|
||||||
|
// Register queries - Notifications
|
||||||
|
container.registerInstance(
|
||||||
|
DI_TOKENS.GetUnreadNotificationsQuery,
|
||||||
|
new GetUnreadNotificationsQuery(notificationRepository)
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Reset the container (for testing)
|
||||||
|
*/
|
||||||
|
export function resetDIContainer(): void {
|
||||||
|
container.clearInstances();
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Get the TSyringe container instance
|
||||||
|
*/
|
||||||
|
export function getDIContainer() {
|
||||||
|
return container;
|
||||||
|
}
|
||||||
File diff suppressed because it is too large
Load Diff
94
apps/website/lib/di-tokens.ts
Normal file
94
apps/website/lib/di-tokens.ts
Normal file
@@ -0,0 +1,94 @@
|
|||||||
|
/**
|
||||||
|
* Dependency Injection tokens for TSyringe container (Website)
|
||||||
|
*/
|
||||||
|
|
||||||
|
export const DI_TOKENS = {
|
||||||
|
// Repositories
|
||||||
|
DriverRepository: Symbol.for('IDriverRepository'),
|
||||||
|
LeagueRepository: Symbol.for('ILeagueRepository'),
|
||||||
|
RaceRepository: Symbol.for('IRaceRepository'),
|
||||||
|
ResultRepository: Symbol.for('IResultRepository'),
|
||||||
|
StandingRepository: Symbol.for('IStandingRepository'),
|
||||||
|
PenaltyRepository: Symbol.for('IPenaltyRepository'),
|
||||||
|
ProtestRepository: Symbol.for('IProtestRepository'),
|
||||||
|
TeamRepository: Symbol.for('ITeamRepository'),
|
||||||
|
TeamMembershipRepository: Symbol.for('ITeamMembershipRepository'),
|
||||||
|
RaceRegistrationRepository: Symbol.for('IRaceRegistrationRepository'),
|
||||||
|
LeagueMembershipRepository: Symbol.for('ILeagueMembershipRepository'),
|
||||||
|
GameRepository: Symbol.for('IGameRepository'),
|
||||||
|
SeasonRepository: Symbol.for('ISeasonRepository'),
|
||||||
|
LeagueScoringConfigRepository: Symbol.for('ILeagueScoringConfigRepository'),
|
||||||
|
TrackRepository: Symbol.for('ITrackRepository'),
|
||||||
|
CarRepository: Symbol.for('ICarRepository'),
|
||||||
|
FeedRepository: Symbol.for('IFeedRepository'),
|
||||||
|
SocialRepository: Symbol.for('ISocialGraphRepository'),
|
||||||
|
NotificationRepository: Symbol.for('INotificationRepository'),
|
||||||
|
NotificationPreferenceRepository: Symbol.for('INotificationPreferenceRepository'),
|
||||||
|
|
||||||
|
// Providers
|
||||||
|
LeagueScoringPresetProvider: Symbol.for('LeagueScoringPresetProvider'),
|
||||||
|
DriverRatingProvider: Symbol.for('DriverRatingProvider'),
|
||||||
|
|
||||||
|
// Services
|
||||||
|
ImageService: Symbol.for('ImageServicePort'),
|
||||||
|
NotificationGatewayRegistry: Symbol.for('NotificationGatewayRegistry'),
|
||||||
|
|
||||||
|
// Use Cases - Racing
|
||||||
|
JoinLeagueUseCase: Symbol.for('JoinLeagueUseCase'),
|
||||||
|
RegisterForRaceUseCase: Symbol.for('RegisterForRaceUseCase'),
|
||||||
|
WithdrawFromRaceUseCase: Symbol.for('WithdrawFromRaceUseCase'),
|
||||||
|
CreateLeagueWithSeasonAndScoringUseCase: Symbol.for('CreateLeagueWithSeasonAndScoringUseCase'),
|
||||||
|
TransferLeagueOwnershipUseCase: Symbol.for('TransferLeagueOwnershipUseCase'),
|
||||||
|
|
||||||
|
// Use Cases - Teams
|
||||||
|
CreateTeamUseCase: Symbol.for('CreateTeamUseCase'),
|
||||||
|
JoinTeamUseCase: Symbol.for('JoinTeamUseCase'),
|
||||||
|
LeaveTeamUseCase: Symbol.for('LeaveTeamUseCase'),
|
||||||
|
ApproveTeamJoinRequestUseCase: Symbol.for('ApproveTeamJoinRequestUseCase'),
|
||||||
|
RejectTeamJoinRequestUseCase: Symbol.for('RejectTeamJoinRequestUseCase'),
|
||||||
|
UpdateTeamUseCase: Symbol.for('UpdateTeamUseCase'),
|
||||||
|
|
||||||
|
// Use Cases - Stewarding
|
||||||
|
FileProtestUseCase: Symbol.for('FileProtestUseCase'),
|
||||||
|
ReviewProtestUseCase: Symbol.for('ReviewProtestUseCase'),
|
||||||
|
ApplyPenaltyUseCase: Symbol.for('ApplyPenaltyUseCase'),
|
||||||
|
RequestProtestDefenseUseCase: Symbol.for('RequestProtestDefenseUseCase'),
|
||||||
|
SubmitProtestDefenseUseCase: Symbol.for('SubmitProtestDefenseUseCase'),
|
||||||
|
|
||||||
|
// Use Cases - Notifications
|
||||||
|
SendNotificationUseCase: Symbol.for('SendNotificationUseCase'),
|
||||||
|
MarkNotificationReadUseCase: Symbol.for('MarkNotificationReadUseCase'),
|
||||||
|
|
||||||
|
// Queries - Racing
|
||||||
|
IsDriverRegisteredForRaceQuery: Symbol.for('IsDriverRegisteredForRaceQuery'),
|
||||||
|
GetRaceRegistrationsQuery: Symbol.for('GetRaceRegistrationsQuery'),
|
||||||
|
GetLeagueStandingsQuery: Symbol.for('GetLeagueStandingsQuery'),
|
||||||
|
GetLeagueDriverSeasonStatsQuery: Symbol.for('GetLeagueDriverSeasonStatsQuery'),
|
||||||
|
GetAllLeaguesWithCapacityQuery: Symbol.for('GetAllLeaguesWithCapacityQuery'),
|
||||||
|
GetAllLeaguesWithCapacityAndScoringQuery: Symbol.for('GetAllLeaguesWithCapacityAndScoringQuery'),
|
||||||
|
ListLeagueScoringPresetsQuery: Symbol.for('ListLeagueScoringPresetsQuery'),
|
||||||
|
GetLeagueScoringConfigQuery: Symbol.for('GetLeagueScoringConfigQuery'),
|
||||||
|
GetLeagueFullConfigQuery: Symbol.for('GetLeagueFullConfigQuery'),
|
||||||
|
PreviewLeagueScheduleQuery: Symbol.for('PreviewLeagueScheduleQuery'),
|
||||||
|
GetRaceWithSOFQuery: Symbol.for('GetRaceWithSOFQuery'),
|
||||||
|
GetLeagueStatsQuery: Symbol.for('GetLeagueStatsQuery'),
|
||||||
|
|
||||||
|
// Queries - Teams
|
||||||
|
GetAllTeamsQuery: Symbol.for('GetAllTeamsQuery'),
|
||||||
|
GetTeamDetailsQuery: Symbol.for('GetTeamDetailsQuery'),
|
||||||
|
GetTeamMembersQuery: Symbol.for('GetTeamMembersQuery'),
|
||||||
|
GetTeamJoinRequestsQuery: Symbol.for('GetTeamJoinRequestsQuery'),
|
||||||
|
GetDriverTeamQuery: Symbol.for('GetDriverTeamQuery'),
|
||||||
|
|
||||||
|
// Queries - Stewarding
|
||||||
|
GetRaceProtestsQuery: Symbol.for('GetRaceProtestsQuery'),
|
||||||
|
GetRacePenaltiesQuery: Symbol.for('GetRacePenaltiesQuery'),
|
||||||
|
|
||||||
|
// Queries - Notifications
|
||||||
|
GetUnreadNotificationsQuery: Symbol.for('GetUnreadNotificationsQuery'),
|
||||||
|
|
||||||
|
// Data
|
||||||
|
DriverStats: Symbol.for('DriverStats'),
|
||||||
|
} as const;
|
||||||
|
|
||||||
|
export type DITokens = typeof DI_TOKENS;
|
||||||
23
package-lock.json
generated
23
package-lock.json
generated
@@ -14,7 +14,9 @@
|
|||||||
"dependencies": {
|
"dependencies": {
|
||||||
"@gridpilot/social": "file:packages/social",
|
"@gridpilot/social": "file:packages/social",
|
||||||
"playwright-extra": "^4.3.6",
|
"playwright-extra": "^4.3.6",
|
||||||
"puppeteer-extra-plugin-stealth": "^2.11.2"
|
"puppeteer-extra-plugin-stealth": "^2.11.2",
|
||||||
|
"reflect-metadata": "^0.2.2",
|
||||||
|
"tsyringe": "^4.10.0"
|
||||||
},
|
},
|
||||||
"devDependencies": {
|
"devDependencies": {
|
||||||
"@cucumber/cucumber": "^11.0.1",
|
"@cucumber/cucumber": "^11.0.1",
|
||||||
@@ -10392,7 +10394,6 @@
|
|||||||
"version": "0.2.2",
|
"version": "0.2.2",
|
||||||
"resolved": "https://registry.npmjs.org/reflect-metadata/-/reflect-metadata-0.2.2.tgz",
|
"resolved": "https://registry.npmjs.org/reflect-metadata/-/reflect-metadata-0.2.2.tgz",
|
||||||
"integrity": "sha512-urBwgfrvVP/eAyXx4hluJivBKzuEbSQs9rKWCrCkbSxNv8mxPcUZKeuoF3Uy4mJl3Lwprp6yy5/39VWigZ4K6Q==",
|
"integrity": "sha512-urBwgfrvVP/eAyXx4hluJivBKzuEbSQs9rKWCrCkbSxNv8mxPcUZKeuoF3Uy4mJl3Lwprp6yy5/39VWigZ4K6Q==",
|
||||||
"dev": true,
|
|
||||||
"license": "Apache-2.0"
|
"license": "Apache-2.0"
|
||||||
},
|
},
|
||||||
"node_modules/reflect.getprototypeof": {
|
"node_modules/reflect.getprototypeof": {
|
||||||
@@ -12449,6 +12450,24 @@
|
|||||||
"@esbuild/win32-x64": "0.25.12"
|
"@esbuild/win32-x64": "0.25.12"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"node_modules/tsyringe": {
|
||||||
|
"version": "4.10.0",
|
||||||
|
"resolved": "https://registry.npmjs.org/tsyringe/-/tsyringe-4.10.0.tgz",
|
||||||
|
"integrity": "sha512-axr3IdNuVIxnaK5XGEUFTu3YmAQ6lllgrvqfEoR16g/HGnYY/6We4oWENtAnzK6/LpJ2ur9PAb80RBt7/U4ugw==",
|
||||||
|
"license": "MIT",
|
||||||
|
"dependencies": {
|
||||||
|
"tslib": "^1.9.3"
|
||||||
|
},
|
||||||
|
"engines": {
|
||||||
|
"node": ">= 6.0.0"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"node_modules/tsyringe/node_modules/tslib": {
|
||||||
|
"version": "1.14.1",
|
||||||
|
"resolved": "https://registry.npmjs.org/tslib/-/tslib-1.14.1.tgz",
|
||||||
|
"integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==",
|
||||||
|
"license": "0BSD"
|
||||||
|
},
|
||||||
"node_modules/type-check": {
|
"node_modules/type-check": {
|
||||||
"version": "0.4.0",
|
"version": "0.4.0",
|
||||||
"resolved": "https://registry.npmjs.org/type-check/-/type-check-0.4.0.tgz",
|
"resolved": "https://registry.npmjs.org/type-check/-/type-check-0.4.0.tgz",
|
||||||
|
|||||||
80
package.json
80
package.json
@@ -11,44 +11,44 @@
|
|||||||
"apps/*"
|
"apps/*"
|
||||||
],
|
],
|
||||||
"scripts": {
|
"scripts": {
|
||||||
"dev": "echo 'Development server placeholder - to be configured'",
|
"dev": "echo 'Development server placeholder - to be configured'",
|
||||||
"build": "echo 'Build all packages placeholder - to be configured'",
|
"build": "echo 'Build all packages placeholder - to be configured'",
|
||||||
"test": "vitest run && vitest run --config vitest.e2e.config.ts && npm run smoke:website",
|
"test": "vitest run && vitest run --config vitest.e2e.config.ts && npm run smoke:website",
|
||||||
"test:unit": "vitest run tests/unit",
|
"test:unit": "vitest run tests/unit",
|
||||||
"test:integration": "vitest run tests/integration",
|
"test:integration": "vitest run tests/integration",
|
||||||
"test:e2e": "vitest run --config vitest.e2e.config.ts",
|
"test:e2e": "vitest run --config vitest.e2e.config.ts",
|
||||||
"test:e2e:docker": "vitest run --config vitest.e2e.config.ts tests/e2e/docker/",
|
"test:e2e:docker": "vitest run --config vitest.e2e.config.ts tests/e2e/docker/",
|
||||||
"test:watch": "vitest watch",
|
"test:watch": "vitest watch",
|
||||||
"test:smoke": "vitest run --config vitest.smoke.config.ts",
|
"test:smoke": "vitest run --config vitest.smoke.config.ts",
|
||||||
"test:smoke:watch": "vitest watch --config vitest.smoke.config.ts",
|
"test:smoke:watch": "vitest watch --config vitest.smoke.config.ts",
|
||||||
"test:smoke:electron": "playwright test --config=playwright.smoke.config.ts",
|
"test:smoke:electron": "playwright test --config=playwright.smoke.config.ts",
|
||||||
"smoke:website": "npm run website:build && npx playwright test -c playwright.website.config.ts",
|
"smoke:website": "npm run website:build && npx playwright test -c playwright.website.config.ts",
|
||||||
"test:hosted-real": "vitest run --config vitest.e2e.config.ts tests/e2e/hosted-real/",
|
"test:hosted-real": "vitest run --config vitest.e2e.config.ts tests/e2e/hosted-real/",
|
||||||
"test:companion-hosted": "vitest run --config vitest.e2e.config.ts tests/e2e/companion/companion-ui-full-workflow.e2e.test.ts",
|
"test:companion-hosted": "vitest run --config vitest.e2e.config.ts tests/e2e/companion/companion-ui-full-workflow.e2e.test.ts",
|
||||||
"typecheck": "tsc --noEmit",
|
"typecheck": "tsc --noEmit",
|
||||||
"test:types": "tsc --noEmit -p tsconfig.tests.json",
|
"test:types": "tsc --noEmit -p tsconfig.tests.json",
|
||||||
"companion:dev": "npm run dev --workspace=@gridpilot/companion",
|
"companion:dev": "npm run dev --workspace=@gridpilot/companion",
|
||||||
"companion:build": "npm run build --workspace=@gridpilot/companion",
|
"companion:build": "npm run build --workspace=@gridpilot/companion",
|
||||||
"companion:start": "npm run start --workspace=@gridpilot/companion",
|
"companion:start": "npm run start --workspace=@gridpilot/companion",
|
||||||
"env:website:merge": "node scripts/merge-website-env.js",
|
"env:website:merge": "node scripts/merge-website-env.js",
|
||||||
"website:dev": "npm run env:website:merge && npm run dev --workspace=@gridpilot/website",
|
"website:dev": "npm run env:website:merge && npm run dev --workspace=@gridpilot/website",
|
||||||
"website:build": "npm run env:website:merge && npm run build --workspace=@gridpilot/website",
|
"website:build": "npm run env:website:merge && npm run build --workspace=@gridpilot/website",
|
||||||
"website:start": "npm run start --workspace=@gridpilot/website",
|
"website:start": "npm run start --workspace=@gridpilot/website",
|
||||||
"website:lint": "npm run lint --workspace=@gridpilot/website",
|
"website:lint": "npm run lint --workspace=@gridpilot/website",
|
||||||
"website:type-check": "npm run type-check --workspace=@gridpilot/website",
|
"website:type-check": "npm run type-check --workspace=@gridpilot/website",
|
||||||
"website:clean": "npm run clean --workspace=@gridpilot/website",
|
"website:clean": "npm run clean --workspace=@gridpilot/website",
|
||||||
"deploy:website:preview": "npx vercel deploy --cwd apps/website",
|
"deploy:website:preview": "npx vercel deploy --cwd apps/website",
|
||||||
"deploy:website:prod": "npx vercel deploy --prod",
|
"deploy:website:prod": "npx vercel deploy --prod",
|
||||||
"deploy:website": "npm run deploy:website:prod",
|
"deploy:website": "npm run deploy:website:prod",
|
||||||
"chrome:debug": "open -a 'Google Chrome' --args --remote-debugging-port=9222 --user-data-dir=/tmp/chrome-debug",
|
"chrome:debug": "open -a 'Google Chrome' --args --remote-debugging-port=9222 --user-data-dir=/tmp/chrome-debug",
|
||||||
"docker:e2e:up": "docker-compose -f docker/docker-compose.e2e.yml up -d",
|
"docker:e2e:up": "docker-compose -f docker/docker-compose.e2e.yml up -d",
|
||||||
"docker:e2e:down": "docker-compose -f docker/docker-compose.e2e.yml down",
|
"docker:e2e:down": "docker-compose -f docker/docker-compose.e2e.yml down",
|
||||||
"generate-templates": "npx tsx scripts/generate-templates/index.ts",
|
"generate-templates": "npx tsx scripts/generate-templates/index.ts",
|
||||||
"minify-fixtures": "npx tsx scripts/minify-fixtures.ts",
|
"minify-fixtures": "npx tsx scripts/minify-fixtures.ts",
|
||||||
"minify-fixtures:force": "npx tsx scripts/minify-fixtures.ts --force",
|
"minify-fixtures:force": "npx tsx scripts/minify-fixtures.ts --force",
|
||||||
"dom:process": "npx tsx scripts/dom-export/processWorkflows.ts",
|
"dom:process": "npx tsx scripts/dom-export/processWorkflows.ts",
|
||||||
"prepare": "husky install || true"
|
"prepare": "husky install || true"
|
||||||
},
|
},
|
||||||
"devDependencies": {
|
"devDependencies": {
|
||||||
"@cucumber/cucumber": "^11.0.1",
|
"@cucumber/cucumber": "^11.0.1",
|
||||||
"@playwright/test": "^1.57.0",
|
"@playwright/test": "^1.57.0",
|
||||||
@@ -70,8 +70,10 @@
|
|||||||
"vitest": "^2.1.8"
|
"vitest": "^2.1.8"
|
||||||
},
|
},
|
||||||
"dependencies": {
|
"dependencies": {
|
||||||
|
"@gridpilot/social": "file:packages/social",
|
||||||
"playwright-extra": "^4.3.6",
|
"playwright-extra": "^4.3.6",
|
||||||
"puppeteer-extra-plugin-stealth": "^2.11.2",
|
"puppeteer-extra-plugin-stealth": "^2.11.2",
|
||||||
"@gridpilot/social": "file:packages/social"
|
"reflect-metadata": "^0.2.2",
|
||||||
|
"tsyringe": "^4.10.0"
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,3 +1,4 @@
|
|||||||
export * from './src/faker/faker';
|
export * from './src/faker/faker';
|
||||||
export * from './src/images/images';
|
export * from './src/images/images';
|
||||||
export * from './src/racing/StaticRacingSeed';
|
export * from './src/racing/StaticRacingSeed';
|
||||||
|
export * from './src/racing/DemoData';
|
||||||
253
packages/testing-support/src/racing/DemoData.ts
Normal file
253
packages/testing-support/src/racing/DemoData.ts
Normal file
@@ -0,0 +1,253 @@
|
|||||||
|
import { Track } from '@gridpilot/racing/domain/entities/Track';
|
||||||
|
import { Car } from '@gridpilot/racing/domain/entities/Car';
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Driver statistics and ranking data
|
||||||
|
*/
|
||||||
|
export interface DriverStats {
|
||||||
|
driverId: string;
|
||||||
|
rating: number;
|
||||||
|
totalRaces: number;
|
||||||
|
wins: number;
|
||||||
|
podiums: number;
|
||||||
|
dnfs: number;
|
||||||
|
avgFinish: number;
|
||||||
|
bestFinish: number;
|
||||||
|
worstFinish: number;
|
||||||
|
consistency: number;
|
||||||
|
overallRank: number;
|
||||||
|
percentile: number;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Demo track data for iRacing
|
||||||
|
*/
|
||||||
|
export const DEMO_TRACKS: Track[] = [
|
||||||
|
Track.create({
|
||||||
|
id: 'track-spa',
|
||||||
|
name: 'Spa-Francorchamps',
|
||||||
|
shortName: 'SPA',
|
||||||
|
country: 'Belgium',
|
||||||
|
category: 'road',
|
||||||
|
difficulty: 'advanced',
|
||||||
|
lengthKm: 7.004,
|
||||||
|
turns: 19,
|
||||||
|
imageUrl: '/images/tracks/spa.jpg',
|
||||||
|
gameId: 'iracing',
|
||||||
|
}),
|
||||||
|
Track.create({
|
||||||
|
id: 'track-monza',
|
||||||
|
name: 'Autodromo Nazionale Monza',
|
||||||
|
shortName: 'MON',
|
||||||
|
country: 'Italy',
|
||||||
|
category: 'road',
|
||||||
|
difficulty: 'intermediate',
|
||||||
|
lengthKm: 5.793,
|
||||||
|
turns: 11,
|
||||||
|
imageUrl: '/images/tracks/monza.jpg',
|
||||||
|
gameId: 'iracing',
|
||||||
|
}),
|
||||||
|
Track.create({
|
||||||
|
id: 'track-nurburgring',
|
||||||
|
name: 'Nürburgring Grand Prix',
|
||||||
|
shortName: 'NUR',
|
||||||
|
country: 'Germany',
|
||||||
|
category: 'road',
|
||||||
|
difficulty: 'advanced',
|
||||||
|
lengthKm: 5.148,
|
||||||
|
turns: 15,
|
||||||
|
imageUrl: '/images/tracks/nurburgring.jpg',
|
||||||
|
gameId: 'iracing',
|
||||||
|
}),
|
||||||
|
Track.create({
|
||||||
|
id: 'track-silverstone',
|
||||||
|
name: 'Silverstone Circuit',
|
||||||
|
shortName: 'SIL',
|
||||||
|
country: 'United Kingdom',
|
||||||
|
category: 'road',
|
||||||
|
difficulty: 'intermediate',
|
||||||
|
lengthKm: 5.891,
|
||||||
|
turns: 18,
|
||||||
|
imageUrl: '/images/tracks/silverstone.jpg',
|
||||||
|
gameId: 'iracing',
|
||||||
|
}),
|
||||||
|
Track.create({
|
||||||
|
id: 'track-suzuka',
|
||||||
|
name: 'Suzuka International Racing Course',
|
||||||
|
shortName: 'SUZ',
|
||||||
|
country: 'Japan',
|
||||||
|
category: 'road',
|
||||||
|
difficulty: 'expert',
|
||||||
|
lengthKm: 5.807,
|
||||||
|
turns: 18,
|
||||||
|
imageUrl: '/images/tracks/suzuka.jpg',
|
||||||
|
gameId: 'iracing',
|
||||||
|
}),
|
||||||
|
Track.create({
|
||||||
|
id: 'track-daytona',
|
||||||
|
name: 'Daytona International Speedway',
|
||||||
|
shortName: 'DAY',
|
||||||
|
country: 'United States',
|
||||||
|
category: 'oval',
|
||||||
|
difficulty: 'intermediate',
|
||||||
|
lengthKm: 4.023,
|
||||||
|
turns: 4,
|
||||||
|
imageUrl: '/images/tracks/daytona.jpg',
|
||||||
|
gameId: 'iracing',
|
||||||
|
}),
|
||||||
|
Track.create({
|
||||||
|
id: 'track-laguna',
|
||||||
|
name: 'WeatherTech Raceway Laguna Seca',
|
||||||
|
shortName: 'LAG',
|
||||||
|
country: 'United States',
|
||||||
|
category: 'road',
|
||||||
|
difficulty: 'advanced',
|
||||||
|
lengthKm: 3.602,
|
||||||
|
turns: 11,
|
||||||
|
imageUrl: '/images/tracks/laguna.jpg',
|
||||||
|
gameId: 'iracing',
|
||||||
|
}),
|
||||||
|
];
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Demo car data for iRacing
|
||||||
|
*/
|
||||||
|
export const DEMO_CARS: Car[] = [
|
||||||
|
Car.create({
|
||||||
|
id: 'car-porsche-992',
|
||||||
|
name: '911 GT3 R',
|
||||||
|
shortName: '992 GT3R',
|
||||||
|
manufacturer: 'Porsche',
|
||||||
|
carClass: 'gt',
|
||||||
|
license: 'B',
|
||||||
|
year: 2023,
|
||||||
|
horsepower: 565,
|
||||||
|
weight: 1300,
|
||||||
|
gameId: 'iracing',
|
||||||
|
}),
|
||||||
|
Car.create({
|
||||||
|
id: 'car-ferrari-296',
|
||||||
|
name: '296 GT3',
|
||||||
|
shortName: '296 GT3',
|
||||||
|
manufacturer: 'Ferrari',
|
||||||
|
carClass: 'gt',
|
||||||
|
license: 'B',
|
||||||
|
year: 2023,
|
||||||
|
horsepower: 600,
|
||||||
|
weight: 1270,
|
||||||
|
gameId: 'iracing',
|
||||||
|
}),
|
||||||
|
Car.create({
|
||||||
|
id: 'car-mclaren-720s',
|
||||||
|
name: '720S GT3 Evo',
|
||||||
|
shortName: '720S',
|
||||||
|
manufacturer: 'McLaren',
|
||||||
|
carClass: 'gt',
|
||||||
|
license: 'B',
|
||||||
|
year: 2023,
|
||||||
|
horsepower: 552,
|
||||||
|
weight: 1290,
|
||||||
|
gameId: 'iracing',
|
||||||
|
}),
|
||||||
|
Car.create({
|
||||||
|
id: 'car-mercedes-gt3',
|
||||||
|
name: 'AMG GT3 2020',
|
||||||
|
shortName: 'AMG GT3',
|
||||||
|
manufacturer: 'Mercedes',
|
||||||
|
carClass: 'gt',
|
||||||
|
license: 'B',
|
||||||
|
year: 2020,
|
||||||
|
horsepower: 550,
|
||||||
|
weight: 1285,
|
||||||
|
gameId: 'iracing',
|
||||||
|
}),
|
||||||
|
Car.create({
|
||||||
|
id: 'car-lmp2',
|
||||||
|
name: 'Dallara P217 LMP2',
|
||||||
|
shortName: 'LMP2',
|
||||||
|
manufacturer: 'Dallara',
|
||||||
|
carClass: 'prototype',
|
||||||
|
license: 'A',
|
||||||
|
year: 2021,
|
||||||
|
horsepower: 600,
|
||||||
|
weight: 930,
|
||||||
|
gameId: 'iracing',
|
||||||
|
}),
|
||||||
|
Car.create({
|
||||||
|
id: 'car-f4',
|
||||||
|
name: 'Formula 4',
|
||||||
|
shortName: 'F4',
|
||||||
|
manufacturer: 'Tatuus',
|
||||||
|
carClass: 'formula',
|
||||||
|
license: 'D',
|
||||||
|
year: 2022,
|
||||||
|
horsepower: 160,
|
||||||
|
weight: 570,
|
||||||
|
gameId: 'iracing',
|
||||||
|
}),
|
||||||
|
Car.create({
|
||||||
|
id: 'car-mx5',
|
||||||
|
name: 'MX-5 Cup',
|
||||||
|
shortName: 'MX5',
|
||||||
|
manufacturer: 'Mazda',
|
||||||
|
carClass: 'sports',
|
||||||
|
license: 'D',
|
||||||
|
year: 2023,
|
||||||
|
horsepower: 181,
|
||||||
|
weight: 1128,
|
||||||
|
gameId: 'iracing',
|
||||||
|
}),
|
||||||
|
];
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Create demo driver statistics based on seed data
|
||||||
|
*/
|
||||||
|
export function createDemoDriverStats(drivers: Array<{ id: string }>): Record<string, DriverStats> {
|
||||||
|
const stats: Record<string, DriverStats> = {};
|
||||||
|
|
||||||
|
drivers.forEach((driver, index) => {
|
||||||
|
const totalRaces = 40 + index * 5;
|
||||||
|
const wins = Math.max(0, Math.floor(totalRaces * 0.2) - index);
|
||||||
|
const podiums = Math.max(wins * 2, 0);
|
||||||
|
const dnfs = Math.max(0, Math.floor(index / 2));
|
||||||
|
const rating = 1500 + index * 25;
|
||||||
|
|
||||||
|
stats[driver.id] = {
|
||||||
|
driverId: driver.id,
|
||||||
|
rating,
|
||||||
|
totalRaces,
|
||||||
|
wins,
|
||||||
|
podiums,
|
||||||
|
dnfs,
|
||||||
|
avgFinish: 4,
|
||||||
|
bestFinish: 1,
|
||||||
|
worstFinish: 20,
|
||||||
|
consistency: 80,
|
||||||
|
overallRank: index + 1,
|
||||||
|
percentile: Math.max(0, 100 - index),
|
||||||
|
};
|
||||||
|
});
|
||||||
|
|
||||||
|
return stats;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Get league-specific rankings for a driver (demo implementation)
|
||||||
|
*/
|
||||||
|
export function getDemoLeagueRankings(driverId: string, leagueId: string): {
|
||||||
|
rank: number;
|
||||||
|
totalDrivers: number;
|
||||||
|
percentile: number;
|
||||||
|
} {
|
||||||
|
// Mock league rankings (in production, calculate from actual league membership)
|
||||||
|
const mockLeagueRanks: Record<string, Record<string, any>> = {
|
||||||
|
'league-1': {
|
||||||
|
'driver-1': { rank: 1, totalDrivers: 12, percentile: 92 },
|
||||||
|
'driver-2': { rank: 2, totalDrivers: 12, percentile: 84 },
|
||||||
|
'driver-3': { rank: 4, totalDrivers: 12, percentile: 67 },
|
||||||
|
'driver-4': { rank: 5, totalDrivers: 12, percentile: 58 },
|
||||||
|
},
|
||||||
|
};
|
||||||
|
|
||||||
|
return mockLeagueRanks[leagueId]?.[driverId] || { rank: 0, totalDrivers: 0, percentile: 0 };
|
||||||
|
}
|
||||||
Reference in New Issue
Block a user