- Implemented `ops-view-logs` for displaying and filtering logs with streaming capabilities. - Created `ops-view-overview` to show server, email, DNS statistics, and charts. - Developed `ops-view-security` for monitoring security metrics, blocked IPs, and authentication attempts. - Added `ops-view-stats` to present comprehensive statistics on server, email, DNS, and security metrics. - Introduced shared styles and components including `ops-sectionheading` for consistent UI.
12 KiB
DCRouter OpsServer Implementation Plan
Command to reread CLAUDE.md: cat /home/philkunz/.claude/CLAUDE.md
Overview
This document outlines the implementation plan for adding a TypedRequest-based API to the DCRouter OpsServer, following the patterns established in the cloudly project. The goal is to create a type-safe, reactive management dashboard with real-time statistics and monitoring capabilities.
Architecture Overview
The implementation follows a clear separation of concerns:
- Backend: TypedRequest handlers in OpsServer
- Frontend: Reactive web components with Smartstate
- Communication: Type-safe requests via TypedRequest pattern
- State Management: Centralized state with reactive updates
Implementation Phases
Phase 1: Interface Definition ✓
Create TypeScript interfaces for all API operations:
Directory Structure ✓
ts_interfaces/
plugins.ts # TypedRequest interfaces import
data/ # Data type definitions
auth.ts # IIdentity interface
stats.ts # Server, Email, DNS, Security types
index.ts # Exports
requests/ # Request interfaces
admin.ts # Authentication requests
config.ts # Configuration management
logs.ts # Log retrieval with IVirtualStream
stats.ts # Statistics endpoints
index.ts # Exports
Key Interfaces Defined ✓
-
Server Statistics
IReq_GetServerStatistics
- Server metrics with history
-
Email Operations
IReq_GetEmailStatistics
- Email delivery statsIReq_GetQueueStatus
- Queue monitoring
-
DNS Management
IReq_GetDnsStatistics
- DNS query metrics
-
Rate Limiting
IReq_GetRateLimitStatus
- Rate limit info
-
Security Metrics
IReq_GetSecurityMetrics
- Security stats and trendsIReq_GetActiveConnections
- Connection monitoring
-
Logging
IReq_GetRecentLogs
- Paginated log retrievalIReq_GetLogStream
- Real-time log streaming with IVirtualStream
-
Configuration
IReq_GetConfiguration
- Read configIReq_UpdateConfiguration
- Update config
-
Authentication
IReq_AdminLoginWithUsernameAndPassword
- Admin loginIReq_AdminLogout
- LogoutIReq_VerifyIdentity
- Token verification
-
Health Check
IReq_GetHealthStatus
- Service health monitoring
Phase 2: Backend Implementation ✓
2.1 Enhance OpsServer (ts/opsserver/classes.opsserver.ts
) ✓
- Add TypedRouter initialization
- Use TypedServer's built-in typedrouter
- CORS is already handled by TypedServer
- Add handler registration method
// Example structure following cloudly pattern
public typedrouter = new plugins.typedrequest.TypedRouter();
constructor(private dcRouterRef: DcRouter) {
// Add our typedrouter to the dcRouter's main typedrouter
this.dcRouterRef.typedrouter.addTypedRouter(this.typedrouter);
}
public async start() {
// TypedServer already has a built-in typedrouter at /typedrequest
this.server = new plugins.typedserver.utilityservers.UtilityWebsiteServer({
domain: 'localhost',
feedMetadata: null,
serveDir: paths.distServe,
});
// The server's typedrouter is automatically available
// Add the main dcRouter typedrouter to the server's typedrouter
this.server.typedrouter.addTypedRouter(this.dcRouterRef.typedrouter);
this.setupHandlers();
await this.server.start(3000);
}
Note: TypedServer automatically provides the /typedrequest
endpoint with its built-in typedrouter. We just need to add our routers to it using the addTypedRouter()
method.
Hierarchical TypedRouter Structure
Following cloudly's pattern, we'll use a hierarchical router structure:
TypedServer (built-in typedrouter at /typedrequest)
└── DcRouter.typedrouter (main router)
└── OpsServer.typedrouter (ops-specific handlers)
├── StatsHandler.typedrouter
├── ConfigHandler.typedrouter
└── SecurityHandler.typedrouter
This allows clean separation of concerns while keeping all handlers accessible through the single /typedrequest
endpoint.
2.2 Create Handler Classes ✓
Create modular handlers in ts/opsserver/handlers/
:
stats.handler.ts
- Server and performance statisticssecurity.handler.ts
- Security and reputation metricsconfig.handler.ts
- Configuration managementlogs.handler.ts
- Log retrieval and streamingadmin.handler.ts
- Authentication and session management
Each handler should:
- Have its own typedrouter that gets added to OpsServer's router
- Access the main DCRouter instance
- Register handlers using TypedHandler instances
- Format responses according to interfaces
- Handle errors gracefully
Example handler structure:
export class StatsHandler {
public typedrouter = new plugins.typedrequest.TypedRouter();
constructor(private opsServerRef: OpsServer) {
// Add this handler's router to the parent
this.opsServerRef.typedrouter.addTypedRouter(this.typedrouter);
this.registerHandlers();
}
private registerHandlers() {
this.typedrouter.addTypedHandler(
new plugins.typedrequest.TypedHandler<IReq_GetServerStatistics>(
'getServerStatistics',
async (dataArg, toolsArg) => {
const stats = await this.collectServerStats();
return stats;
}
)
);
}
}
Phase 3: Frontend State Management ✓
3.1 Set up Smartstate (ts_web/appstate.ts
) ✓
- Initialize Smartstate instance
- Create state parts with appropriate persistence
- Define initial state structures
// State structure example
interface IStatsState {
serverStats: IRes_ServerStatistics | null;
emailStats: IRes_EmailStatistics | null;
dnsStats: IRes_DnsStatistics | null;
lastUpdated: number;
isLoading: boolean;
error: string | null;
}
3.2 State Parts to Create ✓
statsState
- Runtime statistics (soft persistence)configState
- Configuration data (soft persistence)uiState
- UI preferences (persistent)loginState
- Authentication state (persistent)
Phase 4: Frontend Integration ✓
4.1 API Client Setup ✓
- TypedRequest instances created inline within actions
- Base URL handled through relative paths
- Error handling integrated in actions
- Following cloudly pattern of creating requests within actions
4.2 Create Actions (ts_web/appstate.ts
) ✓
loginAction
- Authentication with JWTlogoutAction
- Clear authentication statefetchAllStatsAction
- Batch fetch all statisticsfetchConfigurationAction
- Get configurationupdateConfigurationAction
- Update configurationfetchRecentLogsAction
- Get recent logstoggleAutoRefreshAction
- Toggle auto-refreshsetActiveViewAction
- Change active view- Error handling in all actions
4.3 Update Dashboard Component (ts_web/elements/ops-dashboard.ts
) ✓
- Subscribe to state changes (login and UI state)
- Implement reactive UI updates
- Use dees-simple-login and dees-simple-appdash components
- Create view components for different sections
- Implement auto-refresh timer functionality
Phase 5: Component Structure ✓
Created modular view components in ts_web/elements/
:
ops-view-overview.ts
- Overview with server, email, and DNS statisticsops-view-stats.ts
- Detailed statistics with tables and metricsops-view-logs.ts
- Log viewer with filtering and searchops-view-config.ts
- Configuration editor with JSON editingops-view-security.ts
- Security metrics and threat monitoringshared/ops-sectionheading.ts
- Reusable section heading componentshared/css.ts
- Shared CSS styles
Phase 6: Optional Enhancements
6.1 Authentication ✓ (Implemented)
- JWT-based authentication using
@push.rocks/smartjwt
- Guards for identity validation and admin access
- Login/logout endpoints following cloudly pattern
- Login component (frontend)
- Protected route handling (frontend)
- Session persistence (frontend)
6.2 Real-time Updates (future)
- WebSocket integration for live stats
- Push notifications for critical events
- Event streaming for logs
Technical Stack
Dependencies to Use
@api.global/typedserver
- Server with built-in typedrouter at/typedrequest
@api.global/typedrequest
- TypedRouter and TypedHandler classes@design.estate/dees-domtools
- Frontend TypedRequest client@push.rocks/smartstate
- State management@design.estate/dees-element
- Web components@design.estate/dees-catalog
- UI components
Existing Dependencies to Leverage
- Current DCRouter instance and statistics
- Existing error handling patterns
- Logger infrastructure
- Security modules
Development Workflow
- Start with interfaces - Define all types first
- Implement one handler - Start with server stats
- Create minimal frontend - Test with one endpoint
- Iterate - Add more handlers and UI components
- Polish - Add error handling, loading states, etc.
Testing Strategy
- Unit tests for handlers
- Integration tests for API endpoints
- Frontend component tests
- End-to-end testing with real DCRouter instance
Success Criteria
- Type-safe communication between frontend and backend
- Real-time statistics display
- Responsive and reactive UI
- Clean, maintainable code structure
- Consistent with cloudly patterns
- Easy to extend with new features
Notes
- Follow existing code conventions in the project
- Use pnpm for all package management
- Ensure all tests pass before marking complete
- Document any deviations from the plan
Progress Status
Completed ✓
-
Phase 1: Interface Definition - All TypedRequest interfaces created following cloudly pattern
- Created proper TypedRequest interfaces with
method
,request
, andresponse
properties - Used
IVirtualStream
for log streaming - Added
@api.global/typedrequest-interfaces
dependency - All interfaces compile successfully
- Created proper TypedRequest interfaces with
-
Phase 2: Backend Implementation - TypedRouter integration and handlers
- Enhanced OpsServer with hierarchical TypedRouter structure
- Created all handler classes with proper TypedHandler registration
- Implemented mock data responses for all endpoints
- Fixed all TypeScript compilation errors
- VirtualStream used for log streaming with Uint8Array encoding
- JWT Authentication - Following cloudly pattern:
- Added
@push.rocks/smartjwt
and@push.rocks/smartguard
dependencies - Updated IIdentity interface to match cloudly structure
- Implemented JWT-based authentication with RSA keypairs
- Created validIdentityGuard and adminIdentityGuard
- Added guard helpers for protecting endpoints
- Full test coverage for JWT authentication flows
- Added
-
Phase 3: Frontend State Management - Smartstate implementation
- Initialized Smartstate with proper state parts
- Created state interfaces for all data types
- Implemented persistent vs soft state persistence
- Set up reactive subscriptions
-
Phase 4: Frontend Integration - Complete dashboard implementation
- Created all state management actions with TypedRequest
- Implemented JWT authentication flow in frontend
- Built reactive dashboard with dees-simple-login and dees-simple-appdash
- Added auto-refresh functionality
- Fixed all interface import issues (using dist_ts_interfaces)
-
Phase 5: Component Structure - View components
- Created all view components following cloudly patterns
- Implemented reactive data binding with state subscriptions
- Added interactive features (filtering, editing, refresh controls)
- Used @design.estate/dees-catalog components throughout
- Created shared components and styles
Next Steps
- Write comprehensive tests for handlers and frontend components
- Implement real data sources (replace mock data)
- Add WebSocket support for real-time updates
- Enhance error handling and user feedback
- Add more detailed charts and visualizations
This plan is a living document. Update it as implementation progresses.