rename to core

This commit is contained in:
2025-12-15 13:46:07 +01:00
parent aedf58643d
commit 5c22f8820c
559 changed files with 415 additions and 767 deletions

View File

@@ -0,0 +1,206 @@
/**
* Domain Entity: AvatarGenerationRequest
*
* Represents a request to generate a racing avatar from a face photo.
*/
import type { IEntity } from '@gridpilot/shared/domain';
import type {
AvatarGenerationRequestProps,
AvatarGenerationStatus,
AvatarStyle,
RacingSuitColor,
} from '../types/AvatarGenerationRequest';
import { MediaUrl } from '../value-objects/MediaUrl';
export class AvatarGenerationRequest implements IEntity<string> {
readonly id: string;
readonly userId: string;
readonly facePhotoUrl: MediaUrl;
readonly suitColor: RacingSuitColor;
readonly style: AvatarStyle;
private _status: AvatarGenerationStatus;
private _generatedAvatarUrls: MediaUrl[];
private _selectedAvatarIndex?: number;
private _errorMessage?: string;
readonly createdAt: Date;
private _updatedAt: Date;
private constructor(props: AvatarGenerationRequestProps) {
this.id = props.id;
this.userId = props.userId;
this.facePhotoUrl = MediaUrl.create(props.facePhotoUrl);
this.suitColor = props.suitColor;
this.style = props.style;
this._status = props.status;
this._generatedAvatarUrls = props.generatedAvatarUrls.map(url => MediaUrl.create(url));
if (props.selectedAvatarIndex !== undefined) {
this._selectedAvatarIndex = props.selectedAvatarIndex;
}
if (props.errorMessage !== undefined) {
this._errorMessage = props.errorMessage;
}
this.createdAt = props.createdAt;
this._updatedAt = props.updatedAt;
}
static create(props: {
id: string;
userId: string;
facePhotoUrl: string;
suitColor: RacingSuitColor;
style?: AvatarStyle;
}): AvatarGenerationRequest {
if (!props.userId) {
throw new Error('User ID is required');
}
if (!props.facePhotoUrl) {
throw new Error('Face photo URL is required');
}
const now = new Date();
return new AvatarGenerationRequest({
id: props.id,
userId: props.userId,
facePhotoUrl: props.facePhotoUrl,
suitColor: props.suitColor,
style: props.style ?? 'realistic',
status: 'pending',
generatedAvatarUrls: [],
createdAt: now,
updatedAt: now,
});
}
static reconstitute(props: AvatarGenerationRequestProps): AvatarGenerationRequest {
return new AvatarGenerationRequest(props);
}
get status(): AvatarGenerationStatus {
return this._status;
}
get generatedAvatarUrls(): string[] {
return this._generatedAvatarUrls.map(url => url.value);
}
get selectedAvatarIndex(): number | undefined {
return this._selectedAvatarIndex;
}
get selectedAvatarUrl(): string | undefined {
const index = this._selectedAvatarIndex;
if (index === undefined) {
return undefined;
}
const avatar = this._generatedAvatarUrls[index];
if (!avatar) {
return undefined;
}
return avatar.value;
}
get errorMessage(): string | undefined {
return this._errorMessage;
}
get updatedAt(): Date {
return this._updatedAt;
}
markAsValidating(): void {
if (this._status !== 'pending') {
throw new Error('Can only start validation from pending status');
}
this._status = 'validating';
this._updatedAt = new Date();
}
markAsGenerating(): void {
if (this._status !== 'validating') {
throw new Error('Can only start generation from validating status');
}
this._status = 'generating';
this._updatedAt = new Date();
}
completeWithAvatars(avatarUrls: string[]): void {
if (avatarUrls.length === 0) {
throw new Error('At least one avatar URL is required');
}
this._status = 'completed';
this._generatedAvatarUrls = avatarUrls.map(url => MediaUrl.create(url));
this._updatedAt = new Date();
}
fail(errorMessage: string): void {
this._status = 'failed';
this._errorMessage = errorMessage;
this._updatedAt = new Date();
}
selectAvatar(index: number): void {
if (this._status !== 'completed') {
throw new Error('Can only select avatar when generation is completed');
}
if (index < 0 || index >= this._generatedAvatarUrls.length) {
throw new Error('Invalid avatar index');
}
this._selectedAvatarIndex = index;
this._updatedAt = new Date();
}
/**
* Build the AI prompt for avatar generation.
* We control the prompt completely - users cannot enter free text.
*/
buildPrompt(): string {
const colorDescriptions: Record<RacingSuitColor, string> = {
red: 'vibrant racing red',
blue: 'deep motorsport blue',
green: 'racing green',
yellow: 'bright championship yellow',
orange: 'McLaren-style papaya orange',
purple: 'royal purple',
black: 'stealth black',
white: 'clean white',
pink: 'hot pink',
cyan: 'electric cyan',
};
const styleDescriptions: Record<AvatarStyle, string> = {
realistic: 'photorealistic, professional motorsport portrait',
cartoon: 'stylized cartoon racing character',
'pixel-art': '8-bit pixel art retro racing avatar',
};
const suitColorDesc = colorDescriptions[this.suitColor];
const styleDesc = styleDescriptions[this.style];
return `Create a ${styleDesc} of a racing driver wearing a ${suitColorDesc} racing suit with matching helmet. The driver should look professional and confident, as if posing for a team photo. Background should be a subtle racing paddock or garage setting. High quality, well-lit, professional motorsport photography style.`;
}
toProps(): AvatarGenerationRequestProps {
const base: AvatarGenerationRequestProps = {
id: this.id,
userId: this.userId,
facePhotoUrl: this.facePhotoUrl.value,
suitColor: this.suitColor,
style: this.style,
status: this._status,
generatedAvatarUrls: this._generatedAvatarUrls.map(url => url.value),
createdAt: this.createdAt,
updatedAt: this._updatedAt,
};
return {
...base,
...(this._selectedAvatarIndex !== undefined && {
selectedAvatarIndex: this._selectedAvatarIndex,
}),
...(this._errorMessage !== undefined && {
errorMessage: this._errorMessage,
}),
};
}
}

View File

@@ -0,0 +1,34 @@
/**
* Repository Interface: IAvatarGenerationRepository
*
* Defines the contract for avatar generation request persistence.
*/
import type { AvatarGenerationRequest } from '../entities/AvatarGenerationRequest';
export interface IAvatarGenerationRepository {
/**
* Save an avatar generation request
*/
save(request: AvatarGenerationRequest): Promise<void>;
/**
* Find an avatar generation request by ID
*/
findById(id: string): Promise<AvatarGenerationRequest | null>;
/**
* Find all avatar generation requests for a user
*/
findByUserId(userId: string): Promise<AvatarGenerationRequest[]>;
/**
* Find the latest avatar generation request for a user
*/
findLatestByUserId(userId: string): Promise<AvatarGenerationRequest | null>;
/**
* Delete an avatar generation request
*/
delete(id: string): Promise<void>;
}

View File

@@ -0,0 +1,44 @@
/**
* Domain Types: AvatarGenerationRequest
*
* Pure type/config definitions used by the AvatarGenerationRequest entity.
* Kept in domain/types so domain/entities contains only entity classes.
*/
export type RacingSuitColor =
| 'red'
| 'blue'
| 'green'
| 'yellow'
| 'orange'
| 'purple'
| 'black'
| 'white'
| 'pink'
| 'cyan';
export type AvatarStyle =
| 'realistic'
| 'cartoon'
| 'pixel-art';
export type AvatarGenerationStatus =
| 'pending'
| 'validating'
| 'generating'
| 'completed'
| 'failed';
export interface AvatarGenerationRequestProps {
id: string;
userId: string;
facePhotoUrl: string;
suitColor: RacingSuitColor;
style: AvatarStyle;
status: AvatarGenerationStatus;
generatedAvatarUrls: string[];
selectedAvatarIndex?: number;
errorMessage?: string;
createdAt: Date;
updatedAt: Date;
}

View File

@@ -0,0 +1,46 @@
import type { IValueObject } from '@gridpilot/shared/domain';
/**
* Value Object: MediaUrl
*
* Represents a validated media URL used for user-uploaded or generated assets.
* For now this is a conservative wrapper around strings with basic invariants:
* - non-empty
* - must start with "http", "https", "data:", or "/"
*/
export interface MediaUrlProps {
value: string;
}
export class MediaUrl implements IValueObject<MediaUrlProps> {
public readonly props: MediaUrlProps;
private constructor(value: string) {
this.props = { value };
}
static create(raw: string): MediaUrl {
const value = raw?.trim();
if (!value) {
throw new Error('Media URL cannot be empty');
}
const allowedPrefixes = ['http://', 'https://', 'data:', '/'];
const isAllowed = allowedPrefixes.some((prefix) => value.startsWith(prefix));
if (!isAllowed) {
throw new Error('Media URL must be http(s), data URI, or root-relative path');
}
return new MediaUrl(value);
}
get value(): string {
return this.props.value;
}
equals(other: IValueObject<MediaUrlProps>): boolean {
return this.props.value === other.props.value;
}
}