refactor: extract reusable library
- move reusable domain, data, state, ui code into src/lib - update host screens to consume new library exports - document architecture and configure path aliases - bump astro integration dependencies for compatibility Refs #30
This commit is contained in:
65
README.md
65
README.md
@@ -14,44 +14,17 @@ A modern, responsive pool/billiards scoring application built with **Astro** and
|
|||||||
|
|
||||||
## 🏗️ Architecture
|
## 🏗️ Architecture
|
||||||
|
|
||||||
This project has been refactored following modern software development best practices:
|
Everything reusable now lives under `src/lib`, allowing you to embed the core experience inside another React/Preact host without the Astro shell.
|
||||||
|
|
||||||
### **Separation of Concerns**
|
- **`@lib/domain`** – Pure TypeScript domain model (types, constants, validation, helpers).
|
||||||
- **Services Layer**: Game data management and localStorage operations
|
- **`@lib/data`** – Persistence adapters and repositories (IndexedDB, migrations).
|
||||||
- **Custom Hooks**: Reusable state management logic
|
- **`@lib/state`** – Composable hooks that orchestrate domain + data.
|
||||||
- **Components**: UI components with single responsibilities
|
- **`@lib/ui`** – Stateless UI primitives with co-located CSS modules.
|
||||||
- **Utils**: Pure utility functions for common operations
|
- **`@lib/features/*`** – Feature bundles composing UI + state (game list, detail, lifecycle modals, new-game wizard).
|
||||||
|
|
||||||
### **Type Safety**
|
The Astro `src/components` folder is now a thin host layer (screens + island bootstrap) that consumes the library.
|
||||||
- Full TypeScript implementation
|
|
||||||
- Comprehensive type definitions for game domain
|
|
||||||
- Type-safe component props and state management
|
|
||||||
|
|
||||||
### **Component Architecture**
|
Detailed module docs live in `src/lib/docs/architecture.md` and the individual `README.md` files under each package.
|
||||||
```
|
|
||||||
src/
|
|
||||||
├── components/
|
|
||||||
│ ├── ui/ # Reusable UI components (Button, Card, Layout)
|
|
||||||
│ ├── screens/ # Screen-level components
|
|
||||||
│ └── ... # Feature-specific components
|
|
||||||
├── hooks/ # Custom React/Preact hooks
|
|
||||||
├── services/ # Business logic and data management
|
|
||||||
├── types/ # TypeScript type definitions
|
|
||||||
├── utils/ # Pure utility functions
|
|
||||||
└── styles/ # Global styles and CSS modules
|
|
||||||
```
|
|
||||||
|
|
||||||
### **State Management**
|
|
||||||
- **useGameState**: Centralized game data management
|
|
||||||
- **useNavigation**: Screen and routing state
|
|
||||||
- **useModal**: Modal state management
|
|
||||||
- **Custom hooks**: Encapsulated, reusable state logic
|
|
||||||
|
|
||||||
### **Design System**
|
|
||||||
- Consistent design tokens and CSS custom properties
|
|
||||||
- Reusable UI components with variant support
|
|
||||||
- Responsive design patterns
|
|
||||||
- Accessibility-first approach
|
|
||||||
|
|
||||||
## 🚀 Getting Started
|
## 🚀 Getting Started
|
||||||
|
|
||||||
@@ -122,23 +95,23 @@ For detailed instructions on recording, modifying, and running scripts, see:
|
|||||||
## 📁 Project Structure
|
## 📁 Project Structure
|
||||||
|
|
||||||
### **Core Components**
|
### **Core Components**
|
||||||
- `App.tsx` - Main application component with orchestrated state management
|
- `src/components/App.tsx` - Astro-bound shell orchestrating library modules
|
||||||
- `screens/` - Screen-level components (GameList, NewGame, GameDetail)
|
- `src/components/screens/` - Screen containers consuming `@lib/features`
|
||||||
- `ui/` - Reusable UI components following design system
|
- `src/lib/` - Reusable application spine (domain/data/state/ui/features)
|
||||||
|
|
||||||
### **State Management**
|
### **State Management**
|
||||||
- `hooks/useGameState.ts` - Game CRUD operations and persistence
|
- `@lib/state/useGameState` - Game CRUD operations and persistence
|
||||||
- `hooks/useNavigation.ts` - Application routing and screen state
|
- `@lib/state/useNavigation` - Application routing and screen state
|
||||||
- `hooks/useModal.ts` - Modal state management
|
- `@lib/state/useModal` - Modal state management helpers
|
||||||
|
|
||||||
### **Business Logic**
|
### **Business Logic**
|
||||||
- `services/gameService.ts` - Game creation, updates, and business rules
|
- `@lib/data/gameService` - Game creation, updates, and persistence orchestration
|
||||||
- `utils/gameUtils.ts` - Game-related utility functions
|
- `@lib/domain/gameUtils` - Game-related utility functions
|
||||||
- `utils/validation.ts` - Input validation and sanitization
|
- `@lib/domain/validation` - Input validation and sanitisation
|
||||||
|
|
||||||
### **Type Definitions**
|
### **Type Definitions**
|
||||||
- `types/game.ts` - Game domain types
|
- `@lib/domain/types` - Game domain types
|
||||||
- `types/ui.ts` - UI component types
|
- `@lib/ui/types` - UI component types
|
||||||
- `types/css-modules.d.ts` - CSS modules type support
|
- `types/css-modules.d.ts` - CSS modules type support
|
||||||
|
|
||||||
## 🎯 Key Improvements
|
## 🎯 Key Improvements
|
||||||
|
|||||||
@@ -1,5 +1,9 @@
|
|||||||
// @ts-check
|
// @ts-check
|
||||||
|
import { fileURLToPath } from 'node:url';
|
||||||
import { defineConfig } from 'astro/config';
|
import { defineConfig } from 'astro/config';
|
||||||
|
|
||||||
|
const srcDir = fileURLToPath(new URL('./src', import.meta.url));
|
||||||
|
const libDir = fileURLToPath(new URL('./src/lib', import.meta.url));
|
||||||
import preact from '@astrojs/preact';
|
import preact from '@astrojs/preact';
|
||||||
|
|
||||||
// https://astro.build/config
|
// https://astro.build/config
|
||||||
@@ -17,6 +21,12 @@ export default defineConfig({
|
|||||||
|
|
||||||
// Vite configuration for development
|
// Vite configuration for development
|
||||||
vite: {
|
vite: {
|
||||||
|
resolve: {
|
||||||
|
alias: {
|
||||||
|
'@': srcDir,
|
||||||
|
'@lib': libDir,
|
||||||
|
},
|
||||||
|
},
|
||||||
define: {
|
define: {
|
||||||
'process.env.NODE_ENV': JSON.stringify(process.env.NODE_ENV),
|
'process.env.NODE_ENV': JSON.stringify(process.env.NODE_ENV),
|
||||||
},
|
},
|
||||||
|
|||||||
1807
package-lock.json
generated
1807
package-lock.json
generated
File diff suppressed because it is too large
Load Diff
@@ -12,8 +12,8 @@
|
|||||||
"test:replay": "playwright test"
|
"test:replay": "playwright test"
|
||||||
},
|
},
|
||||||
"dependencies": {
|
"dependencies": {
|
||||||
"@astrojs/preact": "^4.1.0",
|
"@astrojs/preact": "^4.1.3",
|
||||||
"astro": "^5.9.0",
|
"astro": "^5.15.5",
|
||||||
"preact": "^10.26.8"
|
"preact": "^10.26.8"
|
||||||
},
|
},
|
||||||
"devDependencies": {
|
"devDependencies": {
|
||||||
|
|||||||
File diff suppressed because one or more lines are too long
@@ -1,20 +1,24 @@
|
|||||||
import { h } from 'preact';
|
import { h } from 'preact';
|
||||||
import { useEffect, useCallback } from 'preact/hooks';
|
import { useEffect, useCallback } from 'preact/hooks';
|
||||||
|
|
||||||
import { useGameState } from '../hooks/useGameState';
|
import {
|
||||||
import { useNavigation, useNewGameWizard } from '../hooks/useNavigation';
|
useGameState,
|
||||||
import { useModal, useValidationModal, useCompletionModal } from '../hooks/useModal';
|
useNavigation,
|
||||||
|
useNewGameWizard,
|
||||||
|
useModal,
|
||||||
|
useValidationModal,
|
||||||
|
useCompletionModal,
|
||||||
|
} from '@lib/state';
|
||||||
|
import { GameService } from '@lib/data/gameService';
|
||||||
|
import type { StandardGame, Game, EndlosGame } from '@lib/domain/types';
|
||||||
|
|
||||||
import { GameService } from '../services/gameService';
|
import { Layout } from '@lib/ui/Layout';
|
||||||
import type { StandardGame, Game, EndlosGame } from '../types/game';
|
|
||||||
|
|
||||||
import { Layout } from './ui/Layout';
|
|
||||||
import GameListScreen from './screens/GameListScreen';
|
import GameListScreen from './screens/GameListScreen';
|
||||||
import NewGameScreen from './screens/NewGameScreen';
|
import NewGameScreen from './screens/NewGameScreen';
|
||||||
import GameDetailScreen from './screens/GameDetailScreen';
|
import GameDetailScreen from './screens/GameDetailScreen';
|
||||||
import Modal from './Modal';
|
import Modal from '@lib/ui/Modal';
|
||||||
import ValidationModal from './ValidationModal';
|
import ValidationModal from '@lib/ui/ValidationModal';
|
||||||
import GameCompletionModal from './GameCompletionModal';
|
import GameCompletionModal from '@lib/features/game-lifecycle/GameCompletionModal';
|
||||||
import FullscreenToggle from './FullscreenToggle';
|
import FullscreenToggle from './FullscreenToggle';
|
||||||
|
|
||||||
/**
|
/**
|
||||||
|
|||||||
@@ -1,7 +1,7 @@
|
|||||||
import { h } from 'preact';
|
import { h } from 'preact';
|
||||||
import modalStyles from './Modal.module.css';
|
import modalStyles from '@lib/ui/Modal.module.css';
|
||||||
import styles from './GameCompletionModal.module.css';
|
import styles from './GameCompletionModal.module.css';
|
||||||
import type { Game } from '../types/game';
|
import type { Game } from '@lib/domain/types';
|
||||||
|
|
||||||
interface GameCompletionModalProps {
|
interface GameCompletionModalProps {
|
||||||
open: boolean;
|
open: boolean;
|
||||||
|
|||||||
@@ -1,7 +1,7 @@
|
|||||||
import { h } from 'preact';
|
import { h } from 'preact';
|
||||||
import { useState } from 'preact/hooks';
|
import { useState } from 'preact/hooks';
|
||||||
import styles from './GameDetail.module.css';
|
import styles from './GameDetail.module.css';
|
||||||
import type { Game, EndlosGame } from '../types/game';
|
import type { Game, EndlosGame } from '@lib/domain/types';
|
||||||
|
|
||||||
interface GameDetailProps {
|
interface GameDetailProps {
|
||||||
game: Game | undefined;
|
game: Game | undefined;
|
||||||
|
|||||||
@@ -1,24 +0,0 @@
|
|||||||
/* GameHistory-specific styles only. Shared utility classes are now in global CSS. */
|
|
||||||
.screen {
|
|
||||||
position: absolute;
|
|
||||||
top: 0;
|
|
||||||
left: 0;
|
|
||||||
width: 100%;
|
|
||||||
min-height: 100vh;
|
|
||||||
display: none;
|
|
||||||
opacity: 0;
|
|
||||||
transform: translateX(100%);
|
|
||||||
transition: transform 0.3s ease, opacity 0.3s ease;
|
|
||||||
}
|
|
||||||
.screen-content {
|
|
||||||
display: flex;
|
|
||||||
flex-direction: column;
|
|
||||||
min-height: 100vh;
|
|
||||||
padding: 20px;
|
|
||||||
overflow-y: auto;
|
|
||||||
-webkit-overflow-scrolling: touch;
|
|
||||||
}
|
|
||||||
.screen-title {
|
|
||||||
font-size: 24px;
|
|
||||||
margin-bottom: 20px;
|
|
||||||
}
|
|
||||||
@@ -1,8 +1,8 @@
|
|||||||
import { h } from 'preact';
|
import { h } from 'preact';
|
||||||
import { Card } from './ui/Card';
|
import { Card } from '@lib/ui/Card';
|
||||||
import { Button } from './ui/Button';
|
import { Button } from '@lib/ui/Button';
|
||||||
import styles from './GameList.module.css';
|
import styles from './GameList.module.css';
|
||||||
import type { Game, GameFilter, StandardGame } from '../types/game';
|
import type { Game, GameFilter, StandardGame } from '@lib/domain/types';
|
||||||
|
|
||||||
interface GameListProps {
|
interface GameListProps {
|
||||||
games: Game[];
|
games: Game[];
|
||||||
|
|||||||
@@ -22,7 +22,7 @@ import { GameTypeStep } from './new-game/GameTypeStep';
|
|||||||
import { RaceToStep } from './new-game/RaceToStep';
|
import { RaceToStep } from './new-game/RaceToStep';
|
||||||
import { BreakRuleStep } from './new-game/BreakRuleStep';
|
import { BreakRuleStep } from './new-game/BreakRuleStep';
|
||||||
import { BreakOrderStep } from './new-game/BreakOrderStep';
|
import { BreakOrderStep } from './new-game/BreakOrderStep';
|
||||||
import type { BreakRule } from '../types/game';
|
import type { BreakRule } from '@lib/domain/types';
|
||||||
|
|
||||||
// PlayerSelectModal moved to ./new-game/PlayerSelectModal
|
// PlayerSelectModal moved to ./new-game/PlayerSelectModal
|
||||||
|
|
||||||
|
|||||||
@@ -1 +0,0 @@
|
|||||||
import { h } from "preact";
|
|
||||||
@@ -1,7 +1,7 @@
|
|||||||
import { h } from 'preact';
|
import { h } from 'preact';
|
||||||
import { useEffect, useState } from 'preact/hooks';
|
import { useEffect, useState } from 'preact/hooks';
|
||||||
import styles from '../NewGame.module.css';
|
import styles from '../NewGame.module.css';
|
||||||
import type { BreakRule } from '../../types/game';
|
import type { BreakRule } from '@lib/domain/types';
|
||||||
|
|
||||||
interface BreakOrderStepProps {
|
interface BreakOrderStepProps {
|
||||||
players: string[];
|
players: string[];
|
||||||
|
|||||||
@@ -1,7 +1,7 @@
|
|||||||
import { h } from 'preact';
|
import { h } from 'preact';
|
||||||
import { useState } from 'preact/hooks';
|
import { useState } from 'preact/hooks';
|
||||||
import styles from '../NewGame.module.css';
|
import styles from '../NewGame.module.css';
|
||||||
import type { BreakRule } from '../../types/game';
|
import type { BreakRule } from '@lib/domain/types';
|
||||||
|
|
||||||
interface BreakRuleStepProps {
|
interface BreakRuleStepProps {
|
||||||
onNext: (rule: BreakRule) => void;
|
onNext: (rule: BreakRule) => void;
|
||||||
|
|||||||
@@ -1,7 +1,7 @@
|
|||||||
import { h } from 'preact';
|
import { h } from 'preact';
|
||||||
import { Screen } from '../ui/Layout';
|
import { Screen } from '@lib/ui/Layout';
|
||||||
import GameDetail from '../GameDetail';
|
import GameDetail from '@lib/features/game-detail/GameDetail';
|
||||||
import type { Game, EndlosGame } from '../../types/game';
|
import type { Game, EndlosGame } from '@lib/domain/types';
|
||||||
|
|
||||||
interface GameDetailScreenProps {
|
interface GameDetailScreenProps {
|
||||||
game?: Game;
|
game?: Game;
|
||||||
|
|||||||
@@ -1,8 +1,8 @@
|
|||||||
import { h } from 'preact';
|
import { h } from 'preact';
|
||||||
import { Button } from '../ui/Button';
|
import { Button } from '@lib/ui/Button';
|
||||||
import { Screen } from '../ui/Layout';
|
import { Screen } from '@lib/ui/Layout';
|
||||||
import GameList from '../GameList';
|
import GameList from '@lib/features/game-list/GameList';
|
||||||
import type { Game, GameFilter } from '../../types/game';
|
import type { Game, GameFilter } from '@lib/domain/types';
|
||||||
|
|
||||||
interface GameListScreenProps {
|
interface GameListScreenProps {
|
||||||
games: Game[];
|
games: Game[];
|
||||||
|
|||||||
@@ -1,7 +1,16 @@
|
|||||||
import { h } from 'preact';
|
import { h } from 'preact';
|
||||||
import { Screen } from '../ui/Layout';
|
import { Screen } from '@lib/ui/Layout';
|
||||||
import { Player1Step, Player2Step, Player3Step, GameTypeStep, BreakRuleStep, BreakOrderStep, RaceToStep } from '../NewGame';
|
import {
|
||||||
import type { NewGameStep, NewGameData } from '../../types/game';
|
Player1Step,
|
||||||
|
Player2Step,
|
||||||
|
Player3Step,
|
||||||
|
GameTypeStep,
|
||||||
|
BreakRuleStep,
|
||||||
|
BreakOrderStep,
|
||||||
|
RaceToStep,
|
||||||
|
} from '@lib/features/new-game';
|
||||||
|
import type { NewGameStep, NewGameData, GameType } from '@lib/domain/types';
|
||||||
|
import { GAME_TYPES, RACE_TO_DEFAULT } from '@lib/domain/constants';
|
||||||
|
|
||||||
interface NewGameScreenProps {
|
interface NewGameScreenProps {
|
||||||
step: NewGameStep;
|
step: NewGameStep;
|
||||||
@@ -40,9 +49,13 @@ export default function NewGameScreen({
|
|||||||
};
|
};
|
||||||
|
|
||||||
const handleGameTypeNext = (type: string) => {
|
const handleGameTypeNext = (type: string) => {
|
||||||
|
const selectedType = type as GameType;
|
||||||
|
const match = GAME_TYPES.find((item) => item.value === selectedType);
|
||||||
|
const defaultRace = match ? String(match.defaultRaceTo) : String(RACE_TO_DEFAULT);
|
||||||
|
|
||||||
onDataChange({
|
onDataChange({
|
||||||
gameType: type as any, // Type assertion for now, could be improved with proper validation
|
gameType: selectedType,
|
||||||
raceTo: '8'
|
raceTo: defaultRace,
|
||||||
});
|
});
|
||||||
onStepChange('raceTo');
|
onStepChange('raceTo');
|
||||||
};
|
};
|
||||||
|
|||||||
@@ -1,5 +1,5 @@
|
|||||||
import { h } from 'preact';
|
import { h } from 'preact';
|
||||||
import type { ButtonProps } from '../../types/ui';
|
import type { ButtonProps } from '@lib/ui/types';
|
||||||
import styles from './Button.module.css';
|
import styles from './Button.module.css';
|
||||||
|
|
||||||
export function Button({
|
export function Button({
|
||||||
|
|||||||
@@ -1,6 +1,6 @@
|
|||||||
import { useState, useEffect, useCallback } from 'preact/hooks';
|
import { useState, useEffect, useCallback } from 'preact/hooks';
|
||||||
import type { Game, NewGameData, GameFilter } from '../types/game';
|
import type { Game, NewGameData, GameFilter } from '@lib/domain/types';
|
||||||
import { GameService } from '../services/gameService';
|
import { GameService } from '@lib/data/gameService';
|
||||||
|
|
||||||
export function useGameState() {
|
export function useGameState() {
|
||||||
const [games, setGames] = useState<Game[]>([]);
|
const [games, setGames] = useState<Game[]>([]);
|
||||||
|
|||||||
@@ -1,6 +1,6 @@
|
|||||||
import { useState, useCallback } from 'preact/hooks';
|
import { useState, useCallback } from 'preact/hooks';
|
||||||
import type { ModalState, ValidationState, CompletionModalState } from '../types/ui';
|
import type { ModalState, ValidationState, CompletionModalState } from '@lib/ui/types';
|
||||||
import type { Game } from '../types/game';
|
import type { Game } from '@lib/domain/types';
|
||||||
|
|
||||||
export function useModal() {
|
export function useModal() {
|
||||||
const [modal, setModal] = useState<ModalState>({ open: false, gameId: null });
|
const [modal, setModal] = useState<ModalState>({ open: false, gameId: null });
|
||||||
|
|||||||
@@ -1,5 +1,5 @@
|
|||||||
import { useState, useCallback } from 'preact/hooks';
|
import { useState, useCallback } from 'preact/hooks';
|
||||||
import type { NewGameStep, NewGameData } from '../types/game';
|
import type { NewGameStep, NewGameData } from '@lib/domain/types';
|
||||||
|
|
||||||
type Screen = 'game-list' | 'new-game' | 'game-detail';
|
type Screen = 'game-list' | 'new-game' | 'game-detail';
|
||||||
|
|
||||||
|
|||||||
33
src/lib/data/README.md
Normal file
33
src/lib/data/README.md
Normal file
@@ -0,0 +1,33 @@
|
|||||||
|
# Data Layer (`@lib/data`)
|
||||||
|
|
||||||
|
Responsible for persistence and data access abstractions. All I/O lives here.
|
||||||
|
|
||||||
|
## Modules
|
||||||
|
|
||||||
|
- `gameService.ts`
|
||||||
|
- High-level repository for CRUD operations on games.
|
||||||
|
- Bridges domain rules with `IndexedDBService`.
|
||||||
|
- Provides helpers: `loadGames`, `saveGame`, `createGame`, `updateGameScore`, `isGameCompleted`, `getGameWinner`, etc.
|
||||||
|
- `indexedDBService.ts`
|
||||||
|
- Low-level IndexedDB wrapper with schema management and convenience indices.
|
||||||
|
- Exposes granular operations (`loadGame`, `deleteGame`, `getGamesByFilter`, `updatePlayerStats`, …).
|
||||||
|
- `testing/testIndexedDB.ts`
|
||||||
|
- Browser-side harness to validate IndexedDB flows manually.
|
||||||
|
|
||||||
|
## Guidance
|
||||||
|
|
||||||
|
- Prefer calling `GameService` from UI/state hooks.
|
||||||
|
It encapsulates migration logic (localStorage fallback) and player stats updates.
|
||||||
|
- Keep new persistence concerns behind small classes or factory functions under `@lib/data`.
|
||||||
|
- When a data function starts bleeding UI concerns, move that logic upward into `@lib/state`.
|
||||||
|
|
||||||
|
## Example
|
||||||
|
|
||||||
|
```ts
|
||||||
|
import { GameService } from '@lib/data';
|
||||||
|
|
||||||
|
const games = await GameService.loadGames();
|
||||||
|
await GameService.saveGame(updatedGame);
|
||||||
|
```
|
||||||
|
|
||||||
|
|
||||||
@@ -1,4 +1,11 @@
|
|||||||
import type { Game, GameType, StandardGame, EndlosGame, NewGameData, BreakRule } from '../types/game';
|
import type {
|
||||||
|
Game,
|
||||||
|
GameType,
|
||||||
|
StandardGame,
|
||||||
|
EndlosGame,
|
||||||
|
NewGameData,
|
||||||
|
BreakRule,
|
||||||
|
} from '@lib/domain/types';
|
||||||
import { IndexedDBService } from './indexedDBService';
|
import { IndexedDBService } from './indexedDBService';
|
||||||
|
|
||||||
const LOCAL_STORAGE_KEY = 'bscscore_games';
|
const LOCAL_STORAGE_KEY = 'bscscore_games';
|
||||||
3
src/lib/data/index.ts
Normal file
3
src/lib/data/index.ts
Normal file
@@ -0,0 +1,3 @@
|
|||||||
|
export * from './gameService';
|
||||||
|
export * from './indexedDBService';
|
||||||
|
|
||||||
@@ -1,4 +1,4 @@
|
|||||||
import type { Game, GameType, StandardGame, EndlosGame, NewGameData } from '../types/game';
|
import type { Game } from '@lib/domain/types';
|
||||||
|
|
||||||
const DB_NAME = 'BSCScoreDB';
|
const DB_NAME = 'BSCScoreDB';
|
||||||
const DB_VERSION = 1;
|
const DB_VERSION = 1;
|
||||||
@@ -1,6 +1,6 @@
|
|||||||
import { IndexedDBService } from '../services/indexedDBService';
|
import { IndexedDBService } from '@lib/data/indexedDBService';
|
||||||
import { GameService } from '../services/gameService';
|
import { GameService } from '@lib/data/gameService';
|
||||||
import type { NewGameData } from '../types/game';
|
import type { NewGameData } from '@lib/domain/types';
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Test utility for IndexedDB functionality
|
* Test utility for IndexedDB functionality
|
||||||
64
src/lib/docs/architecture.md
Normal file
64
src/lib/docs/architecture.md
Normal file
@@ -0,0 +1,64 @@
|
|||||||
|
# BSC Score Modular Architecture
|
||||||
|
|
||||||
|
This document captures the reusable module layout introduced in the refactor.
|
||||||
|
Everything under `src/lib` is now consumable from other React/Preact hosts without depending on the Astro shell that ships in this repository.
|
||||||
|
|
||||||
|
## Module Overview
|
||||||
|
|
||||||
|
- `@lib/domain` – **Pure domain logic** (types, constants, validation helpers, formatters).
|
||||||
|
No framework dependencies, no browser APIs. Safe to re-use from Node or tests.
|
||||||
|
- `@lib/data` – **Persistence services** (IndexedDB access, repository abstractions, test harness).
|
||||||
|
Wraps browser APIs and isolates side-effects away from UI/state.
|
||||||
|
- `@lib/state` – **Composable hooks** that orchestrate domain + data layers.
|
||||||
|
Exported hooks expose serialisable state and imperative actions.
|
||||||
|
- `@lib/ui` – **Stateless presentational primitives** (buttons, cards, layout shell, generic modals).
|
||||||
|
Ship with co-located CSS modules and type-safe props.
|
||||||
|
- `@lib/features/*` – **Feature bundles** that compose UI + state to deliver end-user flows.
|
||||||
|
Current bundles:
|
||||||
|
- `game-list` (list + filter experience)
|
||||||
|
- `game-detail` (scoreboard with break tracking)
|
||||||
|
- `game-lifecycle` (completion modal + rematch workflow)
|
||||||
|
- `new-game` (wizard steps and player pickers)
|
||||||
|
|
||||||
|
## Import Surfaces
|
||||||
|
|
||||||
|
All entry points are re-exported via `@lib/index.ts`, so consumers can either:
|
||||||
|
|
||||||
|
```ts
|
||||||
|
import { GameService, useGameState, GameList } from '@lib';
|
||||||
|
```
|
||||||
|
|
||||||
|
or pick a scoped module:
|
||||||
|
|
||||||
|
```ts
|
||||||
|
import { GameService } from '@lib/data';
|
||||||
|
import { GameList } from '@lib/features/game-list';
|
||||||
|
```
|
||||||
|
|
||||||
|
## Cross-Cutting Rules
|
||||||
|
|
||||||
|
- **Domain first**: New feature logic should be expressed with domain types and helpers before touching hooks/UI.
|
||||||
|
- **One-way dependencies**:
|
||||||
|
```
|
||||||
|
domain → data → state → features → app shell
|
||||||
|
```
|
||||||
|
Lower layers must not import from higher ones.
|
||||||
|
- **CSS modules stay co-located** with the component they style. Consumers receive the compiled class names via the exported component props.
|
||||||
|
- **Documentation lives next to code**: every module has a `README.md` describing intent, public API, and integration notes.
|
||||||
|
|
||||||
|
## Migration Notes
|
||||||
|
|
||||||
|
- Legacy `src/components` now only hosts the Astro shell (`App.tsx`, `BscScoreApp.astro`, etc.).
|
||||||
|
All reusable React pieces were migrated under `src/lib`.
|
||||||
|
- Path aliases:
|
||||||
|
- `@/*` → `src/*`
|
||||||
|
- `@lib/*` → `src/lib/*`
|
||||||
|
Update your editor/tsconfig if you embed these modules elsewhere.
|
||||||
|
- Tests should import from `@lib` to avoid depending on Astro-specific wiring.
|
||||||
|
|
||||||
|
## Next Steps
|
||||||
|
|
||||||
|
- Promote more feature-level Storybook / Playwright fixtures into `src/lib/docs`.
|
||||||
|
- When adding new modules, extend `src/lib/index.ts` and document usage in the corresponding folder.
|
||||||
|
|
||||||
|
|
||||||
27
src/lib/domain/README.md
Normal file
27
src/lib/domain/README.md
Normal file
@@ -0,0 +1,27 @@
|
|||||||
|
# Domain Layer (`@lib/domain`)
|
||||||
|
|
||||||
|
Pure domain model primitives for BSC Score. Everything here is framework-agnostic and free of side effects.
|
||||||
|
|
||||||
|
## Exports
|
||||||
|
|
||||||
|
- `types.ts` – canonical TypeScript shapes (`Game`, `StandardGame`, `EndlosGame`, `NewGameData`, etc.).
|
||||||
|
- `constants.ts` – configuration, validation copy, UI sizing tokens.
|
||||||
|
- `validation.ts` – safe helpers for validating/sanitising player & game inputs.
|
||||||
|
- `gameUtils.ts` – derived state utilities (duration, winner detection, type guards).
|
||||||
|
|
||||||
|
## Usage Guidelines
|
||||||
|
|
||||||
|
- Treat the domain layer as the single source of truth for typings across the app (UI, services, tests).
|
||||||
|
- Keep functions pure and deterministic; no DOM, storage, or logging side effects beyond debug `console` statements.
|
||||||
|
- When extending the data model, update the corresponding domain `README.md` section and propagate new types through `@lib/domain/index.ts`.
|
||||||
|
|
||||||
|
## Example
|
||||||
|
|
||||||
|
```ts
|
||||||
|
import { Game, validateGameData, GAME_TYPES } from '@lib/domain';
|
||||||
|
|
||||||
|
const result = validateGameData(dataFromForm); // -> { isValid, errors }
|
||||||
|
const isEndlos = GAME_TYPES.some((type) => type.value === '8-Ball');
|
||||||
|
```
|
||||||
|
|
||||||
|
|
||||||
@@ -1,4 +1,4 @@
|
|||||||
import type { GameType } from '../types/game';
|
import type { GameType } from './types';
|
||||||
|
|
||||||
export const GAME_TYPES: Array<{ value: GameType; label: string; defaultRaceTo: number }> = [
|
export const GAME_TYPES: Array<{ value: GameType; label: string; defaultRaceTo: number }> = [
|
||||||
{ value: '8-Ball', label: '8-Ball', defaultRaceTo: 5 },
|
{ value: '8-Ball', label: '8-Ball', defaultRaceTo: 5 },
|
||||||
@@ -1,4 +1,4 @@
|
|||||||
import type { Game, StandardGame, EndlosGame } from '../types/game';
|
import type { Game, StandardGame, EndlosGame } from './types';
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Game utility functions for common operations
|
* Game utility functions for common operations
|
||||||
5
src/lib/domain/index.ts
Normal file
5
src/lib/domain/index.ts
Normal file
@@ -0,0 +1,5 @@
|
|||||||
|
export * from './types';
|
||||||
|
export * from './constants';
|
||||||
|
export * from './validation';
|
||||||
|
export * from './gameUtils';
|
||||||
|
|
||||||
@@ -1,5 +1,5 @@
|
|||||||
import { APP_CONFIG, VALIDATION_MESSAGES } from './constants';
|
import { APP_CONFIG, VALIDATION_MESSAGES } from './constants';
|
||||||
import type { NewGameData } from '../types/game';
|
import type { NewGameData } from './types';
|
||||||
|
|
||||||
export interface ValidationResult {
|
export interface ValidationResult {
|
||||||
isValid: boolean;
|
isValid: boolean;
|
||||||
30
src/lib/features/README.md
Normal file
30
src/lib/features/README.md
Normal file
@@ -0,0 +1,30 @@
|
|||||||
|
# Feature Bundles (`@lib/features`)
|
||||||
|
|
||||||
|
Feature directories compose domain, data, state, and UI primitives into end-user flows. Each folder exports React/Preact components that can be dropped into any host application.
|
||||||
|
|
||||||
|
## Available Features
|
||||||
|
|
||||||
|
- `game-list`
|
||||||
|
- `GameList` component that renders filters + game cards.
|
||||||
|
- `game-detail`
|
||||||
|
- `GameDetail` scoreboard with break tracking, undo triggers, and finish controls.
|
||||||
|
- `game-lifecycle`
|
||||||
|
- `GameCompletionModal` summarising winners + rematch CTA.
|
||||||
|
- `new-game`
|
||||||
|
- Wizard step components (`Player1Step`, `BreakOrderStep`, etc.) and modal pickers.
|
||||||
|
|
||||||
|
## Usage Example
|
||||||
|
|
||||||
|
```tsx
|
||||||
|
import { GameList, GameCompletionModal } from '@lib/features/game-list';
|
||||||
|
// or, via umbrella export:
|
||||||
|
import { GameDetail, GameCompletionModal } from '@lib';
|
||||||
|
```
|
||||||
|
|
||||||
|
## Conventions
|
||||||
|
|
||||||
|
- Feature components accept plain props (typically typed with `@lib/domain` types) and delegate callbacks to the consumer.
|
||||||
|
- State management lives in `@lib/state`. Features should remain stateless except for local UI state (e.g. input fields).
|
||||||
|
- Keep CSS modules inside the feature folder to avoid cross-feature leakage.
|
||||||
|
|
||||||
|
|
||||||
104
src/lib/features/game-detail/GameDetail.tsx
Normal file
104
src/lib/features/game-detail/GameDetail.tsx
Normal file
@@ -0,0 +1,104 @@
|
|||||||
|
import { h } from 'preact';
|
||||||
|
import styles from './GameDetail.module.css';
|
||||||
|
import type { Game, EndlosGame } from '@lib/domain/types';
|
||||||
|
|
||||||
|
interface GameDetailProps {
|
||||||
|
game: Game | undefined;
|
||||||
|
onFinishGame: () => void;
|
||||||
|
onUpdateScore: (player: number, change: number) => void;
|
||||||
|
onUpdateGame?: (game: EndlosGame) => void;
|
||||||
|
onUndo?: () => void;
|
||||||
|
onForfeit?: () => void;
|
||||||
|
onBack: () => void;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Game detail view for a single game.
|
||||||
|
*/
|
||||||
|
const GameDetail = ({ game, onFinishGame, onUpdateScore, onUpdateGame, onUndo, onForfeit, onBack }: GameDetailProps) => {
|
||||||
|
if (!game) return null;
|
||||||
|
|
||||||
|
const handleScoreUpdate = (playerIndex: number, change: number) => {
|
||||||
|
onUpdateScore(playerIndex, change);
|
||||||
|
// Silent update; toast notifications removed
|
||||||
|
};
|
||||||
|
|
||||||
|
|
||||||
|
const isCompleted = game.status === 'completed';
|
||||||
|
|
||||||
|
const playerNames = [game.player1, game.player2, game.player3].filter(Boolean);
|
||||||
|
const scores = [game.score1, game.score2, game.score3].filter((_, i) => playerNames[i]);
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div className={styles['game-detail']}>
|
||||||
|
<div className={styles['game-title']}>
|
||||||
|
{game.gameType}{game.raceTo ? ` | Race to ${game.raceTo}` : ''}
|
||||||
|
</div>
|
||||||
|
<div className={styles['scores-container']}>
|
||||||
|
{playerNames.map((name, idx) => {
|
||||||
|
const currentScore = scores[idx];
|
||||||
|
const progressPercentage = game.raceTo ? Math.min((currentScore / game.raceTo) * 100, 100) : 0;
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
className={styles['player-score'] + (name === 'Fränky' ? ' ' + styles['franky'] : '')}
|
||||||
|
key={name + idx}
|
||||||
|
>
|
||||||
|
<span className={styles['player-name']}>
|
||||||
|
{name}
|
||||||
|
{(() => {
|
||||||
|
const order = (game as any).breakOrder as number[] | undefined;
|
||||||
|
const breakerIdx = (game as any).currentBreakerIdx as number | undefined;
|
||||||
|
if (order && typeof breakerIdx === 'number' && order[breakerIdx] === idx + 1) {
|
||||||
|
return <span title="Break" aria-label="Break" style={{ display: 'inline-block', width: '1em', height: '1em', borderRadius: '50%', background: '#fff', marginLeft: 6, verticalAlign: 'middle' }} />;
|
||||||
|
}
|
||||||
|
return null;
|
||||||
|
})()}
|
||||||
|
</span>
|
||||||
|
<div className={styles['progress-bar']}>
|
||||||
|
<div
|
||||||
|
className={styles['progress-fill']}
|
||||||
|
style={{ width: `${progressPercentage}%` }}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
<span
|
||||||
|
className={styles['score']}
|
||||||
|
id={`score${idx + 1}`}
|
||||||
|
onClick={() => !isCompleted && onUpdateScore(idx + 1, 1)}
|
||||||
|
onKeyDown={(e) => {
|
||||||
|
if (!isCompleted && (e.key === 'Enter' || e.key === ' ')) {
|
||||||
|
e.preventDefault();
|
||||||
|
onUpdateScore(idx + 1, 1);
|
||||||
|
}
|
||||||
|
}}
|
||||||
|
role="button"
|
||||||
|
tabIndex={isCompleted ? -1 : 0}
|
||||||
|
aria-label={`Aktueller Punktestand für ${name}: ${scores[idx]}. Klicken oder Enter drücken zum Erhöhen.`}
|
||||||
|
>
|
||||||
|
{scores[idx]}
|
||||||
|
</span>
|
||||||
|
{/* +/- buttons removed per issue #29. Tap score to +1; use Undo to revert. */}
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
})}
|
||||||
|
</div>
|
||||||
|
<div className={styles['game-detail-controls']}>
|
||||||
|
<button className="btn" onClick={onBack} aria-label="Zurück zur Liste">Zurück zur Liste</button>
|
||||||
|
{onUndo && (
|
||||||
|
<button
|
||||||
|
className="btn btn--secondary"
|
||||||
|
onClick={() => {
|
||||||
|
onUndo();
|
||||||
|
}}
|
||||||
|
aria-label="Rückgängig"
|
||||||
|
>
|
||||||
|
↶ Rückgängig
|
||||||
|
</button>
|
||||||
|
)}
|
||||||
|
<button className="btn" disabled={isCompleted} onClick={onFinishGame} aria-label={isCompleted ? 'Abgeschlossen' : 'Spiel beenden'}>{isCompleted ? 'Abgeschlossen' : 'Spiel beenden'}</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
};
|
||||||
|
|
||||||
|
export default GameDetail;
|
||||||
34
src/lib/features/game-detail/README.md
Normal file
34
src/lib/features/game-detail/README.md
Normal file
@@ -0,0 +1,34 @@
|
|||||||
|
# Game Detail (`@lib/features/game-detail`)
|
||||||
|
|
||||||
|
`GameDetail` shows a single game's state, including live score controls and break indicators.
|
||||||
|
|
||||||
|
## Props
|
||||||
|
|
||||||
|
- `game: Game`
|
||||||
|
- `onUpdateScore(playerIndex: number, delta: number): void`
|
||||||
|
- `onFinishGame(): void`
|
||||||
|
- `onUpdateGame?(game: EndlosGame): void`
|
||||||
|
- `onUndo?(): void`
|
||||||
|
- `onForfeit?(): void`
|
||||||
|
- `onBack(): void`
|
||||||
|
|
||||||
|
## Highlights
|
||||||
|
|
||||||
|
- Handles both standard and endlos game modes.
|
||||||
|
- Displays current breaker marker based on `breakOrder` / `currentBreakerIdx`.
|
||||||
|
- Uses accessible button semantics so scores can be increased via keyboard.
|
||||||
|
|
||||||
|
## Example
|
||||||
|
|
||||||
|
```tsx
|
||||||
|
import { GameDetail } from '@lib/features/game-detail';
|
||||||
|
|
||||||
|
<GameDetail
|
||||||
|
game={selectedGame}
|
||||||
|
onUpdateScore={(player, change) => GameService.saveGame(...)}
|
||||||
|
onFinishGame={endGame}
|
||||||
|
onBack={showGameList}
|
||||||
|
/>;
|
||||||
|
```
|
||||||
|
|
||||||
|
|
||||||
2
src/lib/features/game-detail/index.ts
Normal file
2
src/lib/features/game-detail/index.ts
Normal file
@@ -0,0 +1,2 @@
|
|||||||
|
export { default as GameDetail } from './GameDetail';
|
||||||
|
|
||||||
63
src/lib/features/game-lifecycle/GameCompletionModal.tsx
Normal file
63
src/lib/features/game-lifecycle/GameCompletionModal.tsx
Normal file
@@ -0,0 +1,63 @@
|
|||||||
|
import { h } from 'preact';
|
||||||
|
import modalStyles from '@lib/ui/Modal.module.css';
|
||||||
|
import styles from './GameCompletionModal.module.css';
|
||||||
|
import type { Game } from '@lib/domain/types';
|
||||||
|
|
||||||
|
interface GameCompletionModalProps {
|
||||||
|
open: boolean;
|
||||||
|
game: Game | null;
|
||||||
|
onConfirm: () => void;
|
||||||
|
onClose: () => void;
|
||||||
|
onRematch: () => void;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Modal shown when a game is completed.
|
||||||
|
*/
|
||||||
|
const GameCompletionModal = ({ open, game, onConfirm, onClose, onRematch }: GameCompletionModalProps) => {
|
||||||
|
if (!open || !game) return null;
|
||||||
|
|
||||||
|
const playerNames = [game.player1, game.player2, game.player3].filter(Boolean);
|
||||||
|
const scores = [game.score1, game.score2, game.score3].filter((_, i) => playerNames[i]);
|
||||||
|
let maxScore, winners, winnerText;
|
||||||
|
|
||||||
|
if (game.forfeitedBy) {
|
||||||
|
winnerText = `${game.winner} hat gewonnen, da ${game.forfeitedBy} aufgegeben hat.`;
|
||||||
|
} else {
|
||||||
|
maxScore = Math.max(...scores);
|
||||||
|
winners = playerNames.filter((name, idx) => scores[idx] === maxScore);
|
||||||
|
winnerText = winners.length > 1
|
||||||
|
? `Unentschieden zwischen ${winners.join(' und ')}`
|
||||||
|
: `${winners[0]} hat gewonnen!`;
|
||||||
|
}
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div id="game-completion-modal" className={modalStyles['modal'] + ' ' + modalStyles['show']} role="dialog" aria-modal="true" aria-labelledby="completion-modal-title">
|
||||||
|
<div className={modalStyles['modal-content']}>
|
||||||
|
<div className={modalStyles['modal-header']}>
|
||||||
|
<span className={modalStyles['modal-title']} id="completion-modal-title">Spiel beendet</span>
|
||||||
|
<button className={modalStyles['close-button']} onClick={onClose} aria-label="Schließen">×</button>
|
||||||
|
</div>
|
||||||
|
<div className={modalStyles['modal-body']}>
|
||||||
|
<div className={styles['final-scores']}>
|
||||||
|
{playerNames.map((name, idx) => (
|
||||||
|
<div className={styles['final-score']} key={name + idx}>
|
||||||
|
<span className={styles['player-name']}>{name}</span>
|
||||||
|
<span className={styles['score']}>{scores[idx]}</span>
|
||||||
|
</div>
|
||||||
|
))}
|
||||||
|
</div>
|
||||||
|
<div className={styles['winner-announcement']}><h3>{winnerText}</h3></div>
|
||||||
|
|
||||||
|
</div>
|
||||||
|
<div className={modalStyles['modal-footer']}>
|
||||||
|
<button className={styles['btn'] + ' ' + styles['btn--warning']} onClick={onConfirm} aria-label="Bestätigen">Bestätigen</button>
|
||||||
|
<button className={styles['btn'] + ' ' + styles['btn--primary']} onClick={onRematch} aria-label="Rematch">Rematch</button>
|
||||||
|
<button className={styles['btn']} onClick={onClose} aria-label="Abbrechen">Abbrechen</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
};
|
||||||
|
|
||||||
|
export default GameCompletionModal;
|
||||||
30
src/lib/features/game-lifecycle/README.md
Normal file
30
src/lib/features/game-lifecycle/README.md
Normal file
@@ -0,0 +1,30 @@
|
|||||||
|
# Game Lifecycle (`@lib/features/game-lifecycle`)
|
||||||
|
|
||||||
|
Utility components that react to lifecycle transitions in a game session.
|
||||||
|
|
||||||
|
## GameCompletionModal
|
||||||
|
|
||||||
|
- Props:
|
||||||
|
- `open: boolean`
|
||||||
|
- `game: Game | null`
|
||||||
|
- `onConfirm(): void`
|
||||||
|
- `onClose(): void`
|
||||||
|
- `onRematch(): void`
|
||||||
|
- Renders final scores, winner messaging, and rematch CTA.
|
||||||
|
- Reuses `@lib/ui/Modal.module.css` for a consistent look-and-feel.
|
||||||
|
|
||||||
|
## Example
|
||||||
|
|
||||||
|
```tsx
|
||||||
|
import { GameCompletionModal } from '@lib/features/game-lifecycle';
|
||||||
|
|
||||||
|
<GameCompletionModal
|
||||||
|
open={state.open}
|
||||||
|
game={state.game}
|
||||||
|
onConfirm={finalise}
|
||||||
|
onRematch={startRematch}
|
||||||
|
onClose={closeModal}
|
||||||
|
/>;
|
||||||
|
```
|
||||||
|
|
||||||
|
|
||||||
2
src/lib/features/game-lifecycle/index.ts
Normal file
2
src/lib/features/game-lifecycle/index.ts
Normal file
@@ -0,0 +1,2 @@
|
|||||||
|
export { default as GameCompletionModal } from './GameCompletionModal';
|
||||||
|
|
||||||
129
src/lib/features/game-list/GameList.tsx
Normal file
129
src/lib/features/game-list/GameList.tsx
Normal file
@@ -0,0 +1,129 @@
|
|||||||
|
import { h } from 'preact';
|
||||||
|
import { Card } from '@lib/ui/Card';
|
||||||
|
import { Button } from '@lib/ui/Button';
|
||||||
|
import styles from './GameList.module.css';
|
||||||
|
import type { Game, GameFilter, StandardGame } from '@lib/domain/types';
|
||||||
|
|
||||||
|
interface GameListProps {
|
||||||
|
games: Game[];
|
||||||
|
filter: GameFilter;
|
||||||
|
setFilter: (filter: GameFilter) => void;
|
||||||
|
onShowGameDetail: (gameId: number) => void;
|
||||||
|
onDeleteGame: (gameId: number) => void;
|
||||||
|
}
|
||||||
|
|
||||||
|
export default function GameList({
|
||||||
|
games,
|
||||||
|
filter = 'all',
|
||||||
|
setFilter,
|
||||||
|
onShowGameDetail,
|
||||||
|
onDeleteGame
|
||||||
|
}: GameListProps) {
|
||||||
|
const filteredGames = games
|
||||||
|
.filter(game => {
|
||||||
|
if (filter === 'active') return game.status === 'active';
|
||||||
|
if (filter === 'completed') return game.status === 'completed';
|
||||||
|
return true;
|
||||||
|
})
|
||||||
|
.sort((a, b) => new Date(b.createdAt).getTime() - new Date(a.createdAt).getTime());
|
||||||
|
|
||||||
|
const getPlayerNames = (game: Game): string => {
|
||||||
|
if ('players' in game) {
|
||||||
|
return game.players.map(p => p.name).join(' vs ');
|
||||||
|
} else {
|
||||||
|
const standardGame = game as StandardGame;
|
||||||
|
return standardGame.player3
|
||||||
|
? `${standardGame.player1} vs ${standardGame.player2} vs ${standardGame.player3}`
|
||||||
|
: `${standardGame.player1} vs ${standardGame.player2}`;
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
const getScores = (game: Game): string => {
|
||||||
|
if ('players' in game) {
|
||||||
|
return game.players.map(p => p.score).join(' - ');
|
||||||
|
} else {
|
||||||
|
const standardGame = game as StandardGame;
|
||||||
|
return standardGame.player3
|
||||||
|
? `${standardGame.score1} - ${standardGame.score2} - ${standardGame.score3}`
|
||||||
|
: `${standardGame.score1} - ${standardGame.score2}`;
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
const filterButtons = [
|
||||||
|
{ key: 'all' as const, label: 'Alle', ariaLabel: 'Alle Spiele anzeigen' },
|
||||||
|
{ key: 'active' as const, label: 'Aktiv', ariaLabel: 'Nur aktive Spiele anzeigen' },
|
||||||
|
{ key: 'completed' as const, label: 'Abgeschlossen', ariaLabel: 'Nur abgeschlossene Spiele anzeigen' },
|
||||||
|
];
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div className={styles['game-list']}>
|
||||||
|
<div className={styles['filter-buttons']}>
|
||||||
|
{filterButtons.map(({ key, label, ariaLabel }) => (
|
||||||
|
<Button
|
||||||
|
key={key}
|
||||||
|
variant={filter === key ? 'primary' : 'secondary'}
|
||||||
|
size="small"
|
||||||
|
onClick={() => setFilter(key)}
|
||||||
|
aria-label={ariaLabel}
|
||||||
|
>
|
||||||
|
{label}
|
||||||
|
</Button>
|
||||||
|
))}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div className={styles['games-container']}>
|
||||||
|
{filteredGames.length === 0 ? (
|
||||||
|
<div className={styles['empty-state']}>Keine Spiele vorhanden</div>
|
||||||
|
) : (
|
||||||
|
filteredGames.map(game => {
|
||||||
|
const playerNames = getPlayerNames(game);
|
||||||
|
const scores = getScores(game);
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Card
|
||||||
|
key={game.id}
|
||||||
|
variant="elevated"
|
||||||
|
className={
|
||||||
|
styles['game-item'] + ' ' + (game.status === 'completed' ? styles['completed'] : styles['active'])
|
||||||
|
}
|
||||||
|
>
|
||||||
|
<div
|
||||||
|
className={styles['game-info']}
|
||||||
|
onClick={() => onShowGameDetail(game.id)}
|
||||||
|
onKeyDown={(e) => {
|
||||||
|
if (e.key === 'Enter' || e.key === ' ') {
|
||||||
|
e.preventDefault();
|
||||||
|
onShowGameDetail(game.id);
|
||||||
|
}
|
||||||
|
}}
|
||||||
|
role="button"
|
||||||
|
tabIndex={0}
|
||||||
|
aria-label={`Details für Spiel ${playerNames}`}
|
||||||
|
aria-describedby={`game-${game.id}-description`}
|
||||||
|
>
|
||||||
|
<div className={styles['game-type']}>
|
||||||
|
{game.gameType}{game.raceTo ? ` | ${game.raceTo}` : ''}
|
||||||
|
</div>
|
||||||
|
<div className={styles['player-names']}>{playerNames}</div>
|
||||||
|
<div className={styles['game-scores']}>{scores}</div>
|
||||||
|
<div id={`game-${game.id}-description`} className="sr-only">
|
||||||
|
{game.gameType} Spiel zwischen {playerNames} mit dem Stand {scores}.
|
||||||
|
{game.status === 'completed' ? 'Abgeschlossen' : 'Aktiv'}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<Button
|
||||||
|
variant="danger"
|
||||||
|
size="small"
|
||||||
|
onClick={() => onDeleteGame(game.id)}
|
||||||
|
aria-label={`Spiel löschen: ${playerNames}`}
|
||||||
|
>
|
||||||
|
🗑
|
||||||
|
</Button>
|
||||||
|
</Card>
|
||||||
|
);
|
||||||
|
})
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
33
src/lib/features/game-list/README.md
Normal file
33
src/lib/features/game-list/README.md
Normal file
@@ -0,0 +1,33 @@
|
|||||||
|
# Game List (`@lib/features/game-list`)
|
||||||
|
|
||||||
|
Single component `GameList` renders the scoreboard overview with filter tabs.
|
||||||
|
|
||||||
|
## Props
|
||||||
|
|
||||||
|
- `games: Game[]`
|
||||||
|
- `filter: GameFilter`
|
||||||
|
- `setFilter(filter: GameFilter): void`
|
||||||
|
- `onShowGameDetail(gameId: number): void`
|
||||||
|
- `onDeleteGame(gameId: number): void`
|
||||||
|
|
||||||
|
## Behaviour
|
||||||
|
|
||||||
|
- Sorts games by `createdAt` (desc) and filters according to `filter`.
|
||||||
|
- Derives player names/scores for both `StandardGame` and `EndlosGame`.
|
||||||
|
- Uses `@lib/ui` primitives (`Button`, `Card`) for visuals.
|
||||||
|
|
||||||
|
## Example
|
||||||
|
|
||||||
|
```tsx
|
||||||
|
import { GameList } from '@lib/features/game-list';
|
||||||
|
|
||||||
|
<GameList
|
||||||
|
games={games}
|
||||||
|
filter={filter}
|
||||||
|
setFilter={setFilter}
|
||||||
|
onShowGameDetail={showDetail}
|
||||||
|
onDeleteGame={openDeleteModal}
|
||||||
|
/>;
|
||||||
|
```
|
||||||
|
|
||||||
|
|
||||||
2
src/lib/features/game-list/index.ts
Normal file
2
src/lib/features/game-list/index.ts
Normal file
@@ -0,0 +1,2 @@
|
|||||||
|
export { default as GameList } from './GameList';
|
||||||
|
|
||||||
46
src/lib/features/new-game/README.md
Normal file
46
src/lib/features/new-game/README.md
Normal file
@@ -0,0 +1,46 @@
|
|||||||
|
# New Game Wizard (`@lib/features/new-game`)
|
||||||
|
|
||||||
|
Composable building blocks for the multi-step "start a new game" workflow.
|
||||||
|
|
||||||
|
## Exports
|
||||||
|
|
||||||
|
- `Player1Step`, `Player2Step`, `Player3Step` – Player name capture with history + quick picks.
|
||||||
|
- `GameTypeStep` – Game type selector.
|
||||||
|
- `RaceToStep` – Numeric race-to chooser with infinity support.
|
||||||
|
- `BreakRuleStep`, `BreakOrderStep` – Break configuration helpers.
|
||||||
|
- `PlayerSelectModal` – Modal surface for long player lists.
|
||||||
|
|
||||||
|
All exports are surfaced via `@lib/features/new-game`.
|
||||||
|
|
||||||
|
## Props & Contracts
|
||||||
|
|
||||||
|
- Steps expect pure callbacks (`onNext`, `onCancel`) and derive their own UI state.
|
||||||
|
- Player history arrays control quick-pick ordering. Empty arrays fall back gracefully.
|
||||||
|
- Styling is shared via `NewGame.module.css` to keep a consistent visual language.
|
||||||
|
|
||||||
|
## Integrating the Wizard
|
||||||
|
|
||||||
|
```tsx
|
||||||
|
import { Player1Step, Player2Step } from '@lib/features/new-game';
|
||||||
|
import { useNewGameWizard } from '@lib/state';
|
||||||
|
|
||||||
|
const wizard = useNewGameWizard();
|
||||||
|
|
||||||
|
return (
|
||||||
|
<>
|
||||||
|
{wizard.newGameStep === 'player1' && (
|
||||||
|
<Player1Step
|
||||||
|
playerNameHistory={playerHistory}
|
||||||
|
onNext={(name) => {
|
||||||
|
wizard.updateGameData({ player1: name });
|
||||||
|
wizard.nextStep('player2');
|
||||||
|
}}
|
||||||
|
onCancel={wizard.resetWizard}
|
||||||
|
/>
|
||||||
|
)}
|
||||||
|
{/* render subsequent steps analogously */}
|
||||||
|
</>
|
||||||
|
);
|
||||||
|
```
|
||||||
|
|
||||||
|
|
||||||
9
src/lib/features/new-game/index.ts
Normal file
9
src/lib/features/new-game/index.ts
Normal file
@@ -0,0 +1,9 @@
|
|||||||
|
export { PlayerSelectModal } from './steps/PlayerSelectModal';
|
||||||
|
export { Player1Step } from './steps/Player1Step';
|
||||||
|
export { Player2Step } from './steps/Player2Step';
|
||||||
|
export { Player3Step } from './steps/Player3Step';
|
||||||
|
export { GameTypeStep } from './steps/GameTypeStep';
|
||||||
|
export { RaceToStep } from './steps/RaceToStep';
|
||||||
|
export { BreakRuleStep } from './steps/BreakRuleStep';
|
||||||
|
export { BreakOrderStep } from './steps/BreakOrderStep';
|
||||||
|
|
||||||
113
src/lib/features/new-game/steps/BreakOrderStep.tsx
Normal file
113
src/lib/features/new-game/steps/BreakOrderStep.tsx
Normal file
@@ -0,0 +1,113 @@
|
|||||||
|
import { h } from 'preact';
|
||||||
|
import { useEffect, useState } from 'preact/hooks';
|
||||||
|
import styles from '../NewGame.module.css';
|
||||||
|
import type { BreakRule } from '@lib/domain/types';
|
||||||
|
|
||||||
|
interface BreakOrderStepProps {
|
||||||
|
players: string[];
|
||||||
|
rule: BreakRule;
|
||||||
|
onNext: (first: number, second?: number) => void;
|
||||||
|
onCancel: () => void;
|
||||||
|
initialFirst?: number;
|
||||||
|
initialSecond?: number;
|
||||||
|
}
|
||||||
|
|
||||||
|
export const BreakOrderStep = ({ players, rule, onNext, onCancel, initialFirst = 1, initialSecond }: BreakOrderStepProps) => {
|
||||||
|
const playerCount = players.filter(Boolean).length;
|
||||||
|
const [first, setFirst] = useState<number>(initialFirst);
|
||||||
|
const [second, setSecond] = useState<number | undefined>(initialSecond);
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
if (!initialSecond && rule === 'wechselbreak' && playerCount === 3) {
|
||||||
|
setSecond(2);
|
||||||
|
}
|
||||||
|
}, [initialSecond, rule, playerCount]);
|
||||||
|
|
||||||
|
const handleFirst = (idx: number) => {
|
||||||
|
setFirst(idx);
|
||||||
|
if (rule === 'winnerbreak' || (rule === 'wechselbreak' && playerCount === 2)) {
|
||||||
|
onNext(idx);
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
const handleSecond = (idx: number) => {
|
||||||
|
setSecond(idx);
|
||||||
|
onNext(first, idx);
|
||||||
|
};
|
||||||
|
|
||||||
|
return (
|
||||||
|
<form className={styles['new-game-form']} aria-label="Break-Reihenfolge wählen">
|
||||||
|
<div className={styles['screen-title']}>Wer hat den ersten Anstoss?</div>
|
||||||
|
<div className={styles['progress-indicator']} style={{ marginBottom: 24 }}>
|
||||||
|
<span className={styles['progress-dot']} />
|
||||||
|
<span className={styles['progress-dot']} />
|
||||||
|
<span className={styles['progress-dot']} />
|
||||||
|
<span className={styles['progress-dot']} />
|
||||||
|
<span className={styles['progress-dot']} />
|
||||||
|
<span className={styles['progress-dot']} />
|
||||||
|
<span className={styles['progress-dot'] + ' ' + styles['active']} />
|
||||||
|
</div>
|
||||||
|
<div style={{ marginBottom: 16, fontWeight: 600 }}>Wer hat den ersten Anstoss?</div>
|
||||||
|
<div style={{ display: 'flex', gap: 12, flexWrap: 'wrap' }}>
|
||||||
|
{players.filter(Boolean).map((name, idx) => (
|
||||||
|
<button
|
||||||
|
key={`first-${idx}`}
|
||||||
|
type="button"
|
||||||
|
className={`${styles['quick-pick-btn']} ${first === (idx + 1) ? styles['selected'] : ''}`}
|
||||||
|
onClick={() => handleFirst(idx + 1)}
|
||||||
|
aria-label={`Zuerst: ${name}`}
|
||||||
|
>
|
||||||
|
{name}
|
||||||
|
</button>
|
||||||
|
))}
|
||||||
|
</div>
|
||||||
|
{rule === 'wechselbreak' && playerCount === 3 && (
|
||||||
|
<>
|
||||||
|
<div style={{ marginTop: 24, marginBottom: 16, fontWeight: 600 }}>Wer hat den zweiten Anstoss?</div>
|
||||||
|
<div style={{ display: 'flex', gap: 12, flexWrap: 'wrap' }}>
|
||||||
|
{players.filter(Boolean).map((name, idx) => (
|
||||||
|
<button
|
||||||
|
key={`second-${idx}`}
|
||||||
|
type="button"
|
||||||
|
className={`${styles['quick-pick-btn']} ${second === (idx + 1) ? styles['selected'] : ''}`}
|
||||||
|
onClick={() => handleSecond(idx + 1)}
|
||||||
|
aria-label={`Zweites Break: ${name}`}
|
||||||
|
>
|
||||||
|
{name}
|
||||||
|
</button>
|
||||||
|
))}
|
||||||
|
</div>
|
||||||
|
</>
|
||||||
|
)}
|
||||||
|
<div className={styles['arrow-nav']} style={{ display: 'flex', justifyContent: 'space-between', alignItems: 'center', marginTop: 48 }}>
|
||||||
|
<button type="button" className={styles['arrow-btn']} aria-label="Zurück" onClick={onCancel} style={{ fontSize: 48, width: 80, height: 80, borderRadius: '50%', background: '#222', color: '#fff', border: 'none', boxShadow: '0 2px 8px rgba(0,0,0,0.15)', cursor: 'pointer' }}>
|
||||||
|
←
|
||||||
|
</button>
|
||||||
|
<button
|
||||||
|
type="button"
|
||||||
|
className={styles['arrow-btn']}
|
||||||
|
aria-label="Weiter"
|
||||||
|
onClick={() => {
|
||||||
|
if (rule === 'wechselbreak' && playerCount === 3) {
|
||||||
|
if (first > 0 && (second ?? 0) > 0) {
|
||||||
|
handleSecond(second as number);
|
||||||
|
}
|
||||||
|
} else {
|
||||||
|
if (first > 0) {
|
||||||
|
onNext(first);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}}
|
||||||
|
disabled={
|
||||||
|
(rule === 'wechselbreak' && playerCount === 3) ? !(first > 0 && (second ?? 0) > 0) : !(first > 0)
|
||||||
|
}
|
||||||
|
style={{ fontSize: 48, width: 80, height: 80, borderRadius: '50%', background: '#222', color: '#fff', border: 'none', boxShadow: '0 2px 8px rgba(0,0,0,0.15)', cursor: 'pointer', opacity: ((rule === 'wechselbreak' && playerCount === 3) ? !(first > 0 && (second ?? 0) > 0) : !(first > 0)) ? 0.5 : 1 }}
|
||||||
|
>
|
||||||
|
→
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</form>
|
||||||
|
);
|
||||||
|
};
|
||||||
|
|
||||||
|
|
||||||
55
src/lib/features/new-game/steps/BreakRuleStep.tsx
Normal file
55
src/lib/features/new-game/steps/BreakRuleStep.tsx
Normal file
@@ -0,0 +1,55 @@
|
|||||||
|
import { h } from 'preact';
|
||||||
|
import { useState } from 'preact/hooks';
|
||||||
|
import styles from '../NewGame.module.css';
|
||||||
|
import type { BreakRule } from '@lib/domain/types';
|
||||||
|
|
||||||
|
interface BreakRuleStepProps {
|
||||||
|
onNext: (rule: BreakRule) => void;
|
||||||
|
onCancel: () => void;
|
||||||
|
initialValue?: BreakRule;
|
||||||
|
}
|
||||||
|
|
||||||
|
export const BreakRuleStep = ({ onNext, onCancel, initialValue = 'winnerbreak' }: BreakRuleStepProps) => {
|
||||||
|
const [rule, setRule] = useState<BreakRule>(initialValue ?? 'winnerbreak');
|
||||||
|
|
||||||
|
return (
|
||||||
|
<form className={styles['new-game-form']} aria-label="Break-Regel wählen">
|
||||||
|
<div className={styles['screen-title']}>Break-Regel wählen</div>
|
||||||
|
<div className={styles['progress-indicator']} style={{ marginBottom: 24 }}>
|
||||||
|
<span className={styles['progress-dot']} />
|
||||||
|
<span className={styles['progress-dot']} />
|
||||||
|
<span className={styles['progress-dot']} />
|
||||||
|
<span className={styles['progress-dot']} />
|
||||||
|
<span className={styles['progress-dot']} />
|
||||||
|
<span className={styles['progress-dot'] + ' ' + styles['active']} />
|
||||||
|
<span className={styles['progress-dot']} />
|
||||||
|
</div>
|
||||||
|
<div style={{ display: 'flex', gap: 12, marginTop: 12 }}>
|
||||||
|
{[
|
||||||
|
{ key: 'winnerbreak', label: 'Winnerbreak' },
|
||||||
|
{ key: 'wechselbreak', label: 'Wechselbreak' },
|
||||||
|
].map(opt => (
|
||||||
|
<button
|
||||||
|
key={opt.key}
|
||||||
|
type="button"
|
||||||
|
className={`${styles['quick-pick-btn']} ${rule === (opt.key as BreakRule) ? styles['selected'] : ''}`}
|
||||||
|
onClick={() => { setRule(opt.key as BreakRule); onNext(opt.key as BreakRule); }}
|
||||||
|
aria-label={`Break-Regel wählen: ${opt.label}`}
|
||||||
|
>
|
||||||
|
{opt.label}
|
||||||
|
</button>
|
||||||
|
))}
|
||||||
|
</div>
|
||||||
|
<div className={styles['arrow-nav']} style={{ display: 'flex', justifyContent: 'space-between', alignItems: 'center', marginTop: 48 }}>
|
||||||
|
<button type="button" className={styles['arrow-btn']} aria-label="Zurück" onClick={onCancel} style={{ fontSize: 48, width: 80, height: 80, borderRadius: '50%', background: '#222', color: '#fff', border: 'none', boxShadow: '0 2px 8px rgba(0,0,0,0.15)', cursor: 'pointer' }}>
|
||||||
|
←
|
||||||
|
</button>
|
||||||
|
<button type="button" className={styles['arrow-btn']} aria-label="Weiter" onClick={() => onNext(rule)} style={{ fontSize: 48, width: 80, height: 80, borderRadius: '50%', background: '#222', color: '#fff', border: 'none', boxShadow: '0 2px 8px rgba(0,0,0,0.15)', cursor: 'pointer' }}>
|
||||||
|
→
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</form>
|
||||||
|
);
|
||||||
|
};
|
||||||
|
|
||||||
|
|
||||||
@@ -1,6 +1,7 @@
|
|||||||
import { h } from 'preact';
|
import { h } from 'preact';
|
||||||
import { useState } from 'preact/hooks';
|
import { useState } from 'preact/hooks';
|
||||||
import styles from '../NewGame.module.css';
|
import styles from '../NewGame.module.css';
|
||||||
|
import { GAME_TYPES } from '@lib/domain/constants';
|
||||||
|
|
||||||
interface GameTypeStepProps {
|
interface GameTypeStepProps {
|
||||||
onNext: (type: string) => void;
|
onNext: (type: string) => void;
|
||||||
@@ -10,7 +11,6 @@ interface GameTypeStepProps {
|
|||||||
|
|
||||||
export const GameTypeStep = ({ onNext, onCancel, initialValue = '' }: GameTypeStepProps) => {
|
export const GameTypeStep = ({ onNext, onCancel, initialValue = '' }: GameTypeStepProps) => {
|
||||||
const [gameType, setGameType] = useState(initialValue);
|
const [gameType, setGameType] = useState(initialValue);
|
||||||
const gameTypes = ['8-Ball', '9-Ball', '10-Ball'];
|
|
||||||
|
|
||||||
const handleSelect = (selectedType: string) => {
|
const handleSelect = (selectedType: string) => {
|
||||||
setGameType(selectedType);
|
setGameType(selectedType);
|
||||||
@@ -41,14 +41,14 @@ export const GameTypeStep = ({ onNext, onCancel, initialValue = '' }: GameTypeSt
|
|||||||
|
|
||||||
<div className={styles['form-content']}>
|
<div className={styles['form-content']}>
|
||||||
<div className={styles['game-type-selection']}>
|
<div className={styles['game-type-selection']}>
|
||||||
{gameTypes.map(type => (
|
{GAME_TYPES.map(({ value, label }) => (
|
||||||
<button
|
<button
|
||||||
key={type}
|
key={value}
|
||||||
type="button"
|
type="button"
|
||||||
className={`${styles['game-type-btn']} ${gameType === type ? styles.selected : ''}`}
|
className={`${styles['game-type-btn']} ${gameType === value ? styles.selected : ''}`}
|
||||||
onClick={() => handleSelect(type)}
|
onClick={() => handleSelect(value)}
|
||||||
>
|
>
|
||||||
{type}
|
{label}
|
||||||
</button>
|
</button>
|
||||||
))}
|
))}
|
||||||
</div>
|
</div>
|
||||||
@@ -1,7 +1,13 @@
|
|||||||
import { h } from 'preact';
|
import { h } from 'preact';
|
||||||
import { useEffect, useRef, useState } from 'preact/hooks';
|
import { useEffect, useRef, useState } from 'preact/hooks';
|
||||||
import styles from '../NewGame.module.css';
|
import styles from '../NewGame.module.css';
|
||||||
import { UI_CONSTANTS, ERROR_MESSAGES, ARIA_LABELS, FORM_CONFIG, ERROR_STYLES } from '../../utils/constants';
|
import {
|
||||||
|
UI_CONSTANTS,
|
||||||
|
ERROR_MESSAGES,
|
||||||
|
ARIA_LABELS,
|
||||||
|
FORM_CONFIG,
|
||||||
|
ERROR_STYLES,
|
||||||
|
} from '@lib/domain/constants';
|
||||||
import { PlayerSelectModal } from './PlayerSelectModal';
|
import { PlayerSelectModal } from './PlayerSelectModal';
|
||||||
|
|
||||||
interface PlayerStepProps {
|
interface PlayerStepProps {
|
||||||
@@ -1,6 +1,11 @@
|
|||||||
import { h } from 'preact';
|
import { h } from 'preact';
|
||||||
import { useEffect, useState } from 'preact/hooks';
|
import { useEffect, useState } from 'preact/hooks';
|
||||||
import styles from '../NewGame.module.css';
|
import styles from '../NewGame.module.css';
|
||||||
|
import {
|
||||||
|
RACE_TO_QUICK_PICKS,
|
||||||
|
RACE_TO_DEFAULT,
|
||||||
|
RACE_TO_INFINITY,
|
||||||
|
} from '@lib/domain/constants';
|
||||||
|
|
||||||
interface RaceToStepProps {
|
interface RaceToStepProps {
|
||||||
onNext: (raceTo: string | number) => void;
|
onNext: (raceTo: string | number) => void;
|
||||||
@@ -10,23 +15,25 @@ interface RaceToStepProps {
|
|||||||
}
|
}
|
||||||
|
|
||||||
export const RaceToStep = ({ onNext, onCancel, initialValue = '', gameType }: RaceToStepProps) => {
|
export const RaceToStep = ({ onNext, onCancel, initialValue = '', gameType }: RaceToStepProps) => {
|
||||||
const quickPicks = [1, 2, 3, 4, 5, 6, 7, 8, 9];
|
const quickPicks = [...RACE_TO_QUICK_PICKS];
|
||||||
const defaultValue = 5;
|
const defaultValue = RACE_TO_DEFAULT;
|
||||||
const [raceTo, setRaceTo] = useState<string | number>(initialValue !== '' ? initialValue : defaultValue);
|
const [raceTo, setRaceTo] = useState<string | number>(
|
||||||
|
initialValue !== '' ? initialValue : defaultValue
|
||||||
|
);
|
||||||
|
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
if ((initialValue === '' || initialValue === undefined) && raceTo !== defaultValue) {
|
if (initialValue === '' || initialValue === undefined) {
|
||||||
setRaceTo(defaultValue);
|
setRaceTo(defaultValue);
|
||||||
}
|
} else {
|
||||||
if (initialValue !== '' && initialValue !== undefined && initialValue !== raceTo) {
|
|
||||||
setRaceTo(initialValue);
|
setRaceTo(initialValue);
|
||||||
}
|
}
|
||||||
}, [gameType, initialValue, defaultValue]);
|
}, [defaultValue, initialValue, gameType]);
|
||||||
|
|
||||||
const handleQuickPick = (value: number) => {
|
const handleQuickPick = (value: number | typeof RACE_TO_INFINITY) => {
|
||||||
const selected = value === 0 ? 'Infinity' : value;
|
const selected = value === RACE_TO_INFINITY ? RACE_TO_INFINITY : value;
|
||||||
setRaceTo(selected);
|
setRaceTo(selected);
|
||||||
const raceToValue = selected === 'Infinity' ? Infinity : (parseInt(String(selected), 10) || 0);
|
const raceToValue =
|
||||||
|
selected === RACE_TO_INFINITY ? Infinity : parseInt(String(selected), 10) || 0;
|
||||||
onNext(raceToValue);
|
onNext(raceToValue);
|
||||||
};
|
};
|
||||||
|
|
||||||
@@ -56,8 +63,10 @@ export const RaceToStep = ({ onNext, onCancel, initialValue = '', gameType }: Ra
|
|||||||
<div className={styles['endlos-container']}>
|
<div className={styles['endlos-container']}>
|
||||||
<button
|
<button
|
||||||
type="button"
|
type="button"
|
||||||
className={`${styles['race-to-btn']} ${styles['endlos-btn']} ${raceTo === 'Infinity' ? styles.selected : ''}`}
|
className={`${styles['race-to-btn']} ${styles['endlos-btn']} ${
|
||||||
onClick={() => handleQuickPick(0)}
|
raceTo === RACE_TO_INFINITY ? styles.selected : ''
|
||||||
|
}`}
|
||||||
|
onClick={() => handleQuickPick(RACE_TO_INFINITY)}
|
||||||
>
|
>
|
||||||
Endlos
|
Endlos
|
||||||
</button>
|
</button>
|
||||||
@@ -67,7 +76,9 @@ export const RaceToStep = ({ onNext, onCancel, initialValue = '', gameType }: Ra
|
|||||||
<button
|
<button
|
||||||
key={value}
|
key={value}
|
||||||
type="button"
|
type="button"
|
||||||
className={`${styles['race-to-btn']} ${parseInt(String(raceTo), 10) === value ? styles.selected : ''}`}
|
className={`${styles['race-to-btn']} ${
|
||||||
|
parseInt(String(raceTo), 10) === value ? styles.selected : ''
|
||||||
|
}`}
|
||||||
onClick={() => handleQuickPick(value)}
|
onClick={() => handleQuickPick(value)}
|
||||||
>
|
>
|
||||||
{value}
|
{value}
|
||||||
9
src/lib/index.ts
Normal file
9
src/lib/index.ts
Normal file
@@ -0,0 +1,9 @@
|
|||||||
|
export * from './domain';
|
||||||
|
export * from './data';
|
||||||
|
export * from './state';
|
||||||
|
export * from './ui';
|
||||||
|
export * from './features/game-list';
|
||||||
|
export * from './features/game-detail';
|
||||||
|
export * from './features/game-lifecycle';
|
||||||
|
export * from './features/new-game';
|
||||||
|
|
||||||
38
src/lib/state/README.md
Normal file
38
src/lib/state/README.md
Normal file
@@ -0,0 +1,38 @@
|
|||||||
|
# State Layer (`@lib/state`)
|
||||||
|
|
||||||
|
Compose domain + data layers into reusable hooks. Hooks are Preact-friendly but React-compatible thanks to the astro-preact compat flag.
|
||||||
|
|
||||||
|
## Hooks
|
||||||
|
|
||||||
|
- `useGameState`
|
||||||
|
- Loads/synchronises game collections.
|
||||||
|
- Exposes CRUD ops (`addGame`, `updateGame`, `deleteGame`), filtering helpers, and cached player history.
|
||||||
|
- Handles persistence errors and loading states.
|
||||||
|
- `useNavigation`
|
||||||
|
- Simple screen router for the 3 major views (list, new game, detail).
|
||||||
|
- Tracks selected game id.
|
||||||
|
- `useNewGameWizard`
|
||||||
|
- Holds transient wizard form state and immutable steps.
|
||||||
|
- Provides `startWizard`, `resetWizard`, `updateGameData`, `nextStep`.
|
||||||
|
- `useModal`, `useValidationModal`, `useCompletionModal`
|
||||||
|
- Encapsulate modal visibility state, ensuring consistent APIs across components.
|
||||||
|
|
||||||
|
## Usage
|
||||||
|
|
||||||
|
```ts
|
||||||
|
import { useGameState, useNavigation, useModal } from '@lib/state';
|
||||||
|
|
||||||
|
const gameState = useGameState();
|
||||||
|
const navigation = useNavigation();
|
||||||
|
const modal = useModal();
|
||||||
|
|
||||||
|
// gameState.games, navigation.screen, modal.openModal(), ...
|
||||||
|
```
|
||||||
|
|
||||||
|
## Design Notes
|
||||||
|
|
||||||
|
- Hooks avoid direct DOM work—UI components receive ready-to-render props and callbacks.
|
||||||
|
- Side effects (storage, logging) are delegated to `@lib/data`.
|
||||||
|
- All exports are re-exported via `@lib/state/index.ts`.
|
||||||
|
|
||||||
|
|
||||||
8
src/lib/state/index.ts
Normal file
8
src/lib/state/index.ts
Normal file
@@ -0,0 +1,8 @@
|
|||||||
|
export { useGameState } from './useGameState';
|
||||||
|
export {
|
||||||
|
useModal,
|
||||||
|
useValidationModal,
|
||||||
|
useCompletionModal,
|
||||||
|
} from './useModal';
|
||||||
|
export { useNavigation, useNewGameWizard } from './useNavigation';
|
||||||
|
|
||||||
121
src/lib/state/useGameState.ts
Normal file
121
src/lib/state/useGameState.ts
Normal file
@@ -0,0 +1,121 @@
|
|||||||
|
import { useState, useEffect, useCallback } from 'preact/hooks';
|
||||||
|
import type { Game, NewGameData, GameFilter } from '@lib/domain/types';
|
||||||
|
import { GameService } from '@lib/data/gameService';
|
||||||
|
|
||||||
|
export function useGameState() {
|
||||||
|
const [games, setGames] = useState<Game[]>([]);
|
||||||
|
const [filter, setFilter] = useState<GameFilter>('all');
|
||||||
|
const [loading, setLoading] = useState(true);
|
||||||
|
const [error, setError] = useState<string | null>(null);
|
||||||
|
|
||||||
|
// Load games from IndexedDB on mount
|
||||||
|
useEffect(() => {
|
||||||
|
const loadGames = async () => {
|
||||||
|
try {
|
||||||
|
setLoading(true);
|
||||||
|
setError(null);
|
||||||
|
const savedGames = await GameService.loadGames();
|
||||||
|
setGames(savedGames);
|
||||||
|
} catch (err) {
|
||||||
|
console.error('Failed to load games:', err);
|
||||||
|
setError('Failed to load games from storage');
|
||||||
|
} finally {
|
||||||
|
setLoading(false);
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
loadGames();
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
const addGame = useCallback(async (gameData: NewGameData): Promise<number> => {
|
||||||
|
try {
|
||||||
|
const newGame = GameService.createGame(gameData);
|
||||||
|
await GameService.saveGame(newGame);
|
||||||
|
setGames(prevGames => [newGame, ...prevGames]);
|
||||||
|
return newGame.id;
|
||||||
|
} catch (err) {
|
||||||
|
console.error('Failed to add game:', err);
|
||||||
|
setError('Failed to save new game');
|
||||||
|
throw err;
|
||||||
|
}
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
const updateGame = useCallback(async (gameId: number, updatedGame: Game) => {
|
||||||
|
try {
|
||||||
|
await GameService.saveGame(updatedGame);
|
||||||
|
setGames(prevGames =>
|
||||||
|
prevGames.map(game => game.id === gameId ? updatedGame : game)
|
||||||
|
);
|
||||||
|
} catch (err) {
|
||||||
|
console.error('Failed to update game:', err);
|
||||||
|
setError('Failed to save game changes');
|
||||||
|
throw err;
|
||||||
|
}
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
const deleteGame = useCallback(async (gameId: number) => {
|
||||||
|
try {
|
||||||
|
await GameService.deleteGame(gameId);
|
||||||
|
setGames(prevGames => prevGames.filter(game => game.id !== gameId));
|
||||||
|
} catch (err) {
|
||||||
|
console.error('Failed to delete game:', err);
|
||||||
|
setError('Failed to delete game');
|
||||||
|
throw err;
|
||||||
|
}
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
const getGameById = useCallback((gameId: number): Game | undefined => {
|
||||||
|
return games.find(game => game.id === gameId);
|
||||||
|
}, [games]);
|
||||||
|
|
||||||
|
const getFilteredGames = useCallback(async (): Promise<Game[]> => {
|
||||||
|
try {
|
||||||
|
return await GameService.getGamesByFilter(filter);
|
||||||
|
} catch (err) {
|
||||||
|
console.error('Failed to get filtered games:', err);
|
||||||
|
setError('Failed to load filtered games');
|
||||||
|
return games.filter(game => {
|
||||||
|
if (filter === 'active') return game.status === 'active';
|
||||||
|
if (filter === 'completed') return game.status === 'completed';
|
||||||
|
return true;
|
||||||
|
});
|
||||||
|
}
|
||||||
|
}, [filter, games]);
|
||||||
|
|
||||||
|
const getPlayerNameHistory = useCallback((): string[] => {
|
||||||
|
// Extract player names from current games for immediate UI use
|
||||||
|
const nameLastUsed: Record<string, number> = {};
|
||||||
|
|
||||||
|
games.forEach(game => {
|
||||||
|
const timestamp = new Date(game.updatedAt).getTime();
|
||||||
|
|
||||||
|
if ('players' in game) {
|
||||||
|
// EndlosGame
|
||||||
|
game.players.forEach(player => {
|
||||||
|
nameLastUsed[player.name] = Math.max(nameLastUsed[player.name] || 0, timestamp);
|
||||||
|
});
|
||||||
|
} else {
|
||||||
|
// StandardGame
|
||||||
|
if (game.player1) nameLastUsed[game.player1] = Math.max(nameLastUsed[game.player1] || 0, timestamp);
|
||||||
|
if (game.player2) nameLastUsed[game.player2] = Math.max(nameLastUsed[game.player2] || 0, timestamp);
|
||||||
|
if (game.player3) nameLastUsed[game.player3] = Math.max(nameLastUsed[game.player3] || 0, timestamp);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
return [...new Set(Object.keys(nameLastUsed))].sort((a, b) => nameLastUsed[b] - nameLastUsed[a]);
|
||||||
|
}, [games]);
|
||||||
|
|
||||||
|
return {
|
||||||
|
games,
|
||||||
|
filter,
|
||||||
|
setFilter,
|
||||||
|
loading,
|
||||||
|
error,
|
||||||
|
addGame,
|
||||||
|
updateGame,
|
||||||
|
deleteGame,
|
||||||
|
getGameById,
|
||||||
|
getFilteredGames,
|
||||||
|
getPlayerNameHistory,
|
||||||
|
};
|
||||||
|
}
|
||||||
60
src/lib/state/useModal.ts
Normal file
60
src/lib/state/useModal.ts
Normal file
@@ -0,0 +1,60 @@
|
|||||||
|
import { useState, useCallback } from 'preact/hooks';
|
||||||
|
import type { ModalState, ValidationState, CompletionModalState } from '@lib/ui/types';
|
||||||
|
import type { Game } from '@lib/domain/types';
|
||||||
|
|
||||||
|
export function useModal() {
|
||||||
|
const [modal, setModal] = useState<ModalState>({ open: false, gameId: null });
|
||||||
|
|
||||||
|
const openModal = useCallback((gameId?: number) => {
|
||||||
|
setModal({ open: true, gameId });
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
const closeModal = useCallback(() => {
|
||||||
|
setModal({ open: false, gameId: null });
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
return {
|
||||||
|
modal,
|
||||||
|
openModal,
|
||||||
|
closeModal,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
export function useValidationModal() {
|
||||||
|
const [validation, setValidation] = useState<ValidationState>({ open: false, message: '' });
|
||||||
|
|
||||||
|
const showValidation = useCallback((message: string) => {
|
||||||
|
setValidation({ open: true, message });
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
const closeValidation = useCallback(() => {
|
||||||
|
setValidation({ open: false, message: '' });
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
return {
|
||||||
|
validation,
|
||||||
|
showValidation,
|
||||||
|
closeValidation,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
export function useCompletionModal() {
|
||||||
|
const [completionModal, setCompletionModal] = useState<CompletionModalState>({
|
||||||
|
open: false,
|
||||||
|
game: null
|
||||||
|
});
|
||||||
|
|
||||||
|
const openCompletionModal = useCallback((game: Game) => {
|
||||||
|
setCompletionModal({ open: true, game });
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
const closeCompletionModal = useCallback(() => {
|
||||||
|
setCompletionModal({ open: false, game: null });
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
return {
|
||||||
|
completionModal,
|
||||||
|
openCompletionModal,
|
||||||
|
closeCompletionModal,
|
||||||
|
};
|
||||||
|
}
|
||||||
82
src/lib/state/useNavigation.ts
Normal file
82
src/lib/state/useNavigation.ts
Normal file
@@ -0,0 +1,82 @@
|
|||||||
|
import { useState, useCallback } from 'preact/hooks';
|
||||||
|
import type { NewGameStep, NewGameData } from '@lib/domain/types';
|
||||||
|
|
||||||
|
type Screen = 'game-list' | 'new-game' | 'game-detail';
|
||||||
|
|
||||||
|
export function useNavigation() {
|
||||||
|
const [screen, setScreen] = useState<Screen>('game-list');
|
||||||
|
const [currentGameId, setCurrentGameId] = useState<number | null>(null);
|
||||||
|
|
||||||
|
const showGameList = useCallback(() => {
|
||||||
|
setScreen('game-list');
|
||||||
|
setCurrentGameId(null);
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
const showNewGame = useCallback(() => {
|
||||||
|
setScreen('new-game');
|
||||||
|
setCurrentGameId(null);
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
const showGameDetail = useCallback((gameId: number) => {
|
||||||
|
setCurrentGameId(gameId);
|
||||||
|
setScreen('game-detail');
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
return {
|
||||||
|
screen,
|
||||||
|
currentGameId,
|
||||||
|
showGameList,
|
||||||
|
showNewGame,
|
||||||
|
showGameDetail,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
export function useNewGameWizard() {
|
||||||
|
const [newGameStep, setNewGameStep] = useState<NewGameStep>(null);
|
||||||
|
const [newGameData, setNewGameData] = useState<NewGameData>({
|
||||||
|
player1: '',
|
||||||
|
player2: '',
|
||||||
|
player3: '',
|
||||||
|
gameType: '',
|
||||||
|
raceTo: '',
|
||||||
|
});
|
||||||
|
|
||||||
|
const startWizard = useCallback(() => {
|
||||||
|
setNewGameStep('player1');
|
||||||
|
setNewGameData({
|
||||||
|
player1: '',
|
||||||
|
player2: '',
|
||||||
|
player3: '',
|
||||||
|
gameType: '',
|
||||||
|
raceTo: '',
|
||||||
|
});
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
const resetWizard = useCallback(() => {
|
||||||
|
setNewGameStep(null);
|
||||||
|
setNewGameData({
|
||||||
|
player1: '',
|
||||||
|
player2: '',
|
||||||
|
player3: '',
|
||||||
|
gameType: '',
|
||||||
|
raceTo: '',
|
||||||
|
});
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
const updateGameData = useCallback((data: Partial<NewGameData>) => {
|
||||||
|
setNewGameData(prev => ({ ...prev, ...data }));
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
const nextStep = useCallback((step: NewGameStep) => {
|
||||||
|
setNewGameStep(step);
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
return {
|
||||||
|
newGameStep,
|
||||||
|
newGameData,
|
||||||
|
startWizard,
|
||||||
|
resetWizard,
|
||||||
|
updateGameData,
|
||||||
|
nextStep,
|
||||||
|
};
|
||||||
|
}
|
||||||
32
src/lib/ui/Button.tsx
Normal file
32
src/lib/ui/Button.tsx
Normal file
@@ -0,0 +1,32 @@
|
|||||||
|
import { h } from 'preact';
|
||||||
|
import type { ButtonProps } from '@lib/ui/types';
|
||||||
|
import styles from './Button.module.css';
|
||||||
|
|
||||||
|
export function Button({
|
||||||
|
variant = 'secondary',
|
||||||
|
size = 'medium',
|
||||||
|
disabled = false,
|
||||||
|
children,
|
||||||
|
onClick,
|
||||||
|
'aria-label': ariaLabel,
|
||||||
|
...rest
|
||||||
|
}: ButtonProps) {
|
||||||
|
const classNames = [
|
||||||
|
styles.button,
|
||||||
|
styles[variant],
|
||||||
|
styles[size],
|
||||||
|
disabled && styles.disabled,
|
||||||
|
].filter(Boolean).join(' ');
|
||||||
|
|
||||||
|
return (
|
||||||
|
<button
|
||||||
|
className={classNames}
|
||||||
|
onClick={onClick}
|
||||||
|
disabled={disabled}
|
||||||
|
aria-label={ariaLabel}
|
||||||
|
{...rest}
|
||||||
|
>
|
||||||
|
{children}
|
||||||
|
</button>
|
||||||
|
);
|
||||||
|
}
|
||||||
35
src/lib/ui/README.md
Normal file
35
src/lib/ui/README.md
Normal file
@@ -0,0 +1,35 @@
|
|||||||
|
# UI Primitives (`@lib/ui`)
|
||||||
|
|
||||||
|
Reusable presentation components with co-located CSS modules. No business logic; just view concerns.
|
||||||
|
|
||||||
|
## Components
|
||||||
|
|
||||||
|
- `Button` – Variant + size aware button with shared styling.
|
||||||
|
- `Card` – Basic container with optional elevated/outlined variants.
|
||||||
|
- `Layout` / `Screen` – Page chrome primitives used by the Astro shell.
|
||||||
|
- `Modal` – Generic confirmation modal (title, message, confirm/cancel).
|
||||||
|
- `ValidationModal` – Specialized modal for validation feedback.
|
||||||
|
|
||||||
|
## Types
|
||||||
|
|
||||||
|
- `types.ts` defines `ButtonProps`, modal state types, etc. Re-exported via `@lib/ui`.
|
||||||
|
|
||||||
|
## Usage
|
||||||
|
|
||||||
|
```tsx
|
||||||
|
import { Button, Card, Layout } from '@lib/ui';
|
||||||
|
|
||||||
|
<Layout>
|
||||||
|
<Card variant="elevated">
|
||||||
|
<Button variant="primary">Start</Button>
|
||||||
|
</Card>
|
||||||
|
</Layout>
|
||||||
|
```
|
||||||
|
|
||||||
|
## Styling
|
||||||
|
|
||||||
|
- Each component ships with a `.module.css` file.
|
||||||
|
Astro/Vite handles module scoping automatically—consumers simply import the component.
|
||||||
|
- Custom class names can be injected through the exposed `className` props when required.
|
||||||
|
|
||||||
|
|
||||||
7
src/lib/ui/index.ts
Normal file
7
src/lib/ui/index.ts
Normal file
@@ -0,0 +1,7 @@
|
|||||||
|
export * from './types';
|
||||||
|
export { Button } from './Button';
|
||||||
|
export { Card } from './Card';
|
||||||
|
export { Layout, Screen } from './Layout';
|
||||||
|
export { default as Modal } from './Modal';
|
||||||
|
export { default as ValidationModal } from './ValidationModal';
|
||||||
|
|
||||||
@@ -10,6 +10,11 @@
|
|||||||
"compilerOptions": {
|
"compilerOptions": {
|
||||||
"jsx": "react-jsx",
|
"jsx": "react-jsx",
|
||||||
"jsxImportSource": "preact",
|
"jsxImportSource": "preact",
|
||||||
"lib": ["ES2020", "DOM", "DOM.Iterable"]
|
"lib": ["ES2020", "DOM", "DOM.Iterable"],
|
||||||
|
"baseUrl": ".",
|
||||||
|
"paths": {
|
||||||
|
"@/*": ["src/*"],
|
||||||
|
"@lib/*": ["src/lib/*"]
|
||||||
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
Reference in New Issue
Block a user