mirror of
https://github.com/koala73/worldmonitor.git
synced 2026-04-25 17:14:57 +02:00
* feat: harness engineering P0 - linting, testing, architecture docs
Add foundational infrastructure for agent-first development:
- AGENTS.md: agent entry point with progressive disclosure to deeper docs
- ARCHITECTURE.md: 12-section system reference with source-file refs and ownership rule
- Biome 2.4.7 linter with project-tuned rules, CI workflow (lint-code.yml)
- Architectural boundary lint enforcing forward-only dependency direction (lint-boundaries.mjs)
- Unit test CI workflow (test.yml), all 1083 tests passing
- Fixed 9 pre-existing test failures (bootstrap sync, deploy-config headers, globe parity, redis mocks, geometry URL, import.meta.env null safety)
- Fixed 12 architectural boundary violations (types moved to proper layers)
- Added 3 missing cache tier entries in gateway.ts
- Synced cache-keys.ts with bootstrap.js
- Renamed docs/architecture.mdx to "Design Philosophy" with cross-references
- Deprecated legacy docs/Docs_To_Review/ARCHITECTURE.md
- Harness engineering roadmap tracking doc
* fix: address PR review feedback on harness-engineering-p0
- countries-geojson.test.mjs: skip gracefully when CDN unreachable
instead of failing CI on network issues
- country-geometry-overrides.test.mts: relax timing assertion
(250ms -> 2000ms) for constrained CI environments
- lint-boundaries.mjs: implement the documented api/ boundary check
(was documented but missing, causing false green)
* fix(lint): scan api/ .ts files in boundary check
The api/ boundary check only scanned .js/.mjs files, missing the 25
sebuf RPC .ts edge functions. Now scans .ts files with correct rules:
- Legacy .js: fully self-contained (no server/ or src/ imports)
- RPC .ts: may import server/ and src/generated/ (bundled at deploy),
but blocks imports from src/ application code
* fix(lint): detect import() type expressions in boundary lint
- Move AppContext back to app/app-context.ts (aggregate type that
references components/services/utils belongs at the top, not types/)
- Move HappyContentCategory and TechHQ to types/ (simple enums/interfaces)
- Boundary lint now catches import('@/layer') expressions, not just
from '@/layer' imports
- correlation-engine imports of AppContext marked boundary-ignore
(type-only imports of top-level aggregate)
8.1 KiB
8.1 KiB
AGENTS.md
Agent entry point for WorldMonitor. Read this first, then follow links for depth.
What This Project Is
Real-time global intelligence dashboard. TypeScript SPA (Vite + Preact) with 86 panel components, 60+ Vercel Edge API endpoints, a Tauri desktop app with Node.js sidecar, and a Railway relay service. Aggregates 30+ external data sources (geopolitics, military, finance, climate, cyber, maritime, aviation).
Repository Map
.
├── src/ # Browser SPA (TypeScript, class-based components)
│ ├── app/ # App orchestration (data-loader, refresh-scheduler, panel-layout)
│ ├── components/ # 86 UI panels + map components (Panel subclasses)
│ ├── config/ # Variant configs, panel/layer definitions, market symbols
│ ├── services/ # Business logic (120+ service files, organized by domain)
│ ├── types/ # TypeScript type definitions
│ ├── utils/ # Shared utilities (circuit-breaker, theme, URL state, DOM)
│ ├── workers/ # Web Workers (analysis, ML/ONNX, vector DB)
│ ├── generated/ # Proto-generated client/server stubs (DO NOT EDIT)
│ ├── locales/ # i18n translation files
│ └── App.ts # Main application entry
├── api/ # Vercel Edge Functions (plain JS, self-contained)
│ ├── _*.js # Shared helpers (CORS, rate-limit, API key, relay)
│ ├── health.js # Health check endpoint
│ ├── bootstrap.js # Bulk data hydration endpoint
│ └── <domain>/ # Domain-specific endpoints (aviation/, climate/, etc.)
├── server/ # Server-side shared code (used by Edge Functions)
│ ├── _shared/ # Redis, rate-limit, LLM, caching, response headers
│ ├── gateway.ts # Domain gateway factory (CORS, auth, cache tiers)
│ ├── router.ts # Route matching
│ └── worldmonitor/ # Domain handlers (mirrors proto service structure)
├── proto/ # Protobuf definitions (sebuf framework)
│ ├── buf.yaml # Buf configuration
│ └── worldmonitor/ # Service definitions with HTTP annotations
├── shared/ # Cross-platform data (JSON configs for markets, RSS domains)
├── scripts/ # Seed scripts, build helpers, data fetchers
├── src-tauri/ # Tauri desktop shell (Rust + Node.js sidecar)
│ └── sidecar/ # Node.js sidecar API server
├── tests/ # Unit/integration tests (node:test runner)
├── e2e/ # Playwright E2E specs
├── docs/ # Mintlify documentation site
├── docker/ # Docker build for Railway services
├── deploy/ # Deployment configs
└── blog-site/ # Static blog (built into public/blog/)
How to Run
npm install # Install deps (also runs blog-site postinstall)
npm run dev # Start Vite dev server (full variant)
npm run dev:tech # Start tech-only variant
npm run typecheck # tsc --noEmit (strict mode)
npm run typecheck:api # Typecheck API layer separately
npm run test:data # Run unit/integration tests
npm run test:sidecar # Run sidecar + API handler tests
npm run test:e2e # Run all Playwright E2E tests
make generate # Regenerate proto stubs (requires buf + sebuf plugins)
Architecture Rules
Dependency Direction
types -> config -> services -> components -> app -> App.ts
types/has zero internal importsconfig/imports only fromtypes/services/imports fromtypes/andconfig/components/imports from all aboveapp/orchestrates components and services
API Layer Constraints
api/*.jsare Vercel Edge Functions: self-contained JS only- They CANNOT import from
../src/or../server/(different runtime) - Only same-directory
_*.jshelpers and npm packages - Enforced by
tests/edge-functions.test.mjsand pre-push hook esbuild check
Server Layer
server/code is bundled INTO Edge Functions at deploy time via gatewayserver/_shared/contains Redis client, rate limiting, LLM helpersserver/worldmonitor/<domain>/has RPC handlers matching proto services- All handlers use
cachedFetchJson()for Redis caching with stampede protection
Proto Contract Flow
proto/ definitions -> buf generate -> src/generated/{client,server}/ -> handlers wire up
- GET fields need
(sebuf.http.query)annotation repeated stringfields needparseStringArray()in handlerint64maps tostringin TypeScript- CI checks proto freshness via
.github/workflows/proto-check.yml
Variant System
The app ships multiple variants with different panel/layer configurations:
full(default): All featurestech: Technology-focused subsetfinance: Financial markets focuscommodity: Commodity markets focushappy: Positive news only
Variant is set via VITE_VARIANT env var. Config lives in src/config/variants/.
Key Patterns
Adding a New API Endpoint
- Define proto message in
proto/worldmonitor/<domain>/ - Add RPC with
(sebuf.http.config)annotation - Run
make generate - Create handler in
server/worldmonitor/<domain>/ - Wire handler in domain's
handler.ts - Use
cachedFetchJson()for caching, include request params in cache key
Adding a New Panel
- Create
src/components/MyPanel.tsextendingPanel - Register in
src/config/panels.ts - Add to variant configs in
src/config/variants/ - Wire data loading in
src/app/data-loader.ts
Circuit Breakers
src/utils/circuit-breaker.tsfor client-side- Used in data loaders to prevent cascade failures
- Separate breaker per data domain
Caching
- Redis (Upstash) via
server/_shared/redis.ts cachedFetchJson()coalesces concurrent cache misses- Cache tiers: fast (5m), medium (10m), slow (30m), static (2h), daily (24h)
- Cache key MUST include request-varying params
Testing
- Unit/Integration:
tests/*.test.{mjs,mts}usingnode:testrunner - Sidecar tests:
api/*.test.mjs,src-tauri/sidecar/*.test.mjs - E2E:
e2e/*.spec.tsusing Playwright - Visual regression: Golden screenshot comparison per variant
CI Checks (GitHub Actions)
| Workflow | Trigger | What it checks |
|---|---|---|
typecheck.yml |
PR + push to main | tsc --noEmit for src and API |
lint.yml |
PR (markdown changes) | markdownlint-cli2 |
proto-check.yml |
PR (proto changes) | Generated code freshness |
build-desktop.yml |
Manual | Tauri desktop build |
test-linux-app.yml |
Manual | Linux AppImage smoke test |
Pre-Push Hook
Runs automatically before git push:
- TypeScript check (src + API)
- CJS syntax validation
- Edge function esbuild bundle check
- Edge function import guardrail test
- Markdown lint
- MDX lint (Mintlify compatibility)
- Version sync check
Deployment
- Web: Vercel (auto-deploy on push to main)
- Relay/Seeds: Railway (Docker, cron services)
- Desktop: Tauri builds via GitHub Actions
- Docs: Mintlify (proxied through Vercel at
/docs)
Critical Conventions
fetch.bind(globalThis)is BANNED. Use(...args) => globalThis.fetch(...args)instead- Edge Functions cannot use
node:http,node:https,node:zlib - Always include
User-Agentheader in server-side fetch calls - Yahoo Finance requests must be staggered (150ms delays)
- New data sources MUST have bootstrap hydration wired in
api/bootstrap.js - Redis seed scripts MUST write
seed-meta:<key>for health monitoring