Spaces:
Sleeping
Sleeping
File size: 10,364 Bytes
4343907 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 |
// useMetrics Composable
// Real-time system and agent metrics management
import { ref, computed, onMounted, onUnmounted, type Ref } from 'vue'
import { useWebSocket } from './useWebSocket'
import type { SystemMetrics, AgentMetrics, ResourceUsage } from '@/types'
interface MetricsComposable {
// System Metrics
systemMetrics: Ref<SystemMetrics | null>
systemLoading: Ref<boolean>
systemError: Ref<string | null>
// Agent Metrics
agentMetrics: Ref<Record<string, AgentMetrics>>
agentLoading: Ref<boolean>
agentError: Ref<string | null>
// Computed
systemHealthScore: Ref<number>
topPerformingAgents: Ref<AgentMetrics[]>
systemAlerts: Ref<string[]>
// Actions
refreshSystemMetrics: () => Promise<void>
refreshAgentMetrics: (agentId?: string) => Promise<void>
exportMetrics: (format: 'json' | 'csv') => Promise<void>
clearErrors: () => void
// Utils
getMetricTrend: (current: number, previous: number) => 'up' | 'down' | 'stable'
formatMetricValue: (value: number, type: string) => string
}
export function useMetrics(): MetricsComposable {
// State
const systemMetrics = ref<SystemMetrics | null>(null)
const systemLoading = ref(false)
const systemError = ref<string | null>(null)
const agentMetrics = ref<Record<string, AgentMetrics>>({})
const agentLoading = ref(false)
const agentError = ref<string | null>(null)
// WebSocket for real-time updates
const { connected, on, off } = useWebSocket()
// API client
async function apiCall(endpoint: string) {
const response = await fetch(`/api/v1${endpoint}`)
if (!response.ok) {
const errorData = await response.json().catch(() => ({}))
throw new Error(errorData.message || `HTTP ${response.status}`)
}
return response.json()
}
// Computed
const systemHealthScore = computed(() => {
if (!systemMetrics.value) return 0
const metrics = systemMetrics.value
let score = 100
// Deduct points for high resource usage
if (metrics.memoryUsage.percentage > 80) score -= 20
if (metrics.cpuUsage.percentage > 80) score -= 20
// Deduct points for high error rate
if (metrics.errorRate > 5) score -= 15
if (metrics.errorRate > 10) score -= 25
// Deduct points for network issues
if (metrics.networkLatency > 500) score -= 10
if (metrics.networkLatency > 1000) score -= 20
// Deduct points for inactive agents
const activePercentage = (metrics.activeAgents / metrics.totalAgents) * 100
if (activePercentage < 80) score -= 10
if (activePercentage < 50) score -= 20
return Math.max(0, score)
})
const topPerformingAgents = computed(() => {
return Object.values(agentMetrics.value)
.sort((a, b) => {
// Sort by success rate first, then by response time
if (a.successRate !== b.successRate) {
return b.successRate - a.successRate
}
return a.avgResponseTime - b.avgResponseTime
})
.slice(0, 5) // Top 5 performers
})
const systemAlerts = computed(() => {
const alerts: string[] = []
if (!systemMetrics.value) return alerts
const metrics = systemMetrics.value
if (metrics.memoryUsage.percentage > 90) {
alerts.push('Critical: Memory usage above 90%')
} else if (metrics.memoryUsage.percentage > 80) {
alerts.push('Warning: High memory usage')
}
if (metrics.cpuUsage.percentage > 90) {
alerts.push('Critical: CPU usage above 90%')
} else if (metrics.cpuUsage.percentage > 80) {
alerts.push('Warning: High CPU usage')
}
if (metrics.errorRate > 10) {
alerts.push('Critical: High error rate detected')
} else if (metrics.errorRate > 5) {
alerts.push('Warning: Elevated error rate')
}
if (metrics.networkLatency > 1000) {
alerts.push('Critical: Network latency above 1s')
} else if (metrics.networkLatency > 500) {
alerts.push('Warning: High network latency')
}
const inactiveAgents = metrics.totalAgents - metrics.activeAgents
if (inactiveAgents > metrics.totalAgents * 0.5) {
alerts.push('Warning: More than 50% of agents are inactive')
}
return alerts
})
// Actions
async function refreshSystemMetrics(): Promise<void> {
systemLoading.value = true
systemError.value = null
try {
const response = await apiCall('/system/metrics')
systemMetrics.value = response.data
} catch (err) {
systemError.value = err instanceof Error ? err.message : 'Failed to fetch system metrics'
throw err
} finally {
systemLoading.value = false
}
}
async function refreshAgentMetrics(agentId?: string): Promise<void> {
agentLoading.value = true
agentError.value = null
try {
const endpoint = agentId
? `/agents/${agentId}/metrics`
: '/agents/metrics'
const response = await apiCall(endpoint)
if (agentId) {
agentMetrics.value[agentId] = response.data
} else {
agentMetrics.value = response.data
}
} catch (err) {
agentError.value = err instanceof Error ? err.message : 'Failed to fetch agent metrics'
throw err
} finally {
agentLoading.value = false
}
}
async function exportMetrics(format: 'json' | 'csv'): Promise<void> {
try {
const response = await fetch(`/api/v1/metrics/export?format=${format}`)
if (!response.ok) {
throw new Error('Failed to export metrics')
}
const blob = await response.blob()
const url = URL.createObjectURL(blob)
const link = document.createElement('a')
link.href = url
link.download = `saap-metrics-${new Date().toISOString().split('T')[0]}.${format}`
document.body.appendChild(link)
link.click()
document.body.removeChild(link)
URL.revokeObjectURL(url)
} catch (err) {
const message = err instanceof Error ? err.message : 'Failed to export metrics'
systemError.value = message
throw new Error(message)
}
}
function clearErrors(): void {
systemError.value = null
agentError.value = null
}
// Utils
function getMetricTrend(current: number, previous: number): 'up' | 'down' | 'stable' {
const threshold = 0.05 // 5% change threshold
const change = Math.abs(current - previous) / previous
if (change < threshold) return 'stable'
return current > previous ? 'up' : 'down'
}
function formatMetricValue(value: number, type: string): string {
switch (type) {
case 'percentage':
return `${Math.round(value)}%`
case 'bytes':
return formatBytes(value)
case 'duration':
return formatDuration(value)
case 'rate':
return `${value.toFixed(2)}/min`
case 'latency':
return `${value}ms`
case 'count':
return value.toLocaleString()
default:
return value.toString()
}
}
function formatBytes(bytes: number): string {
if (bytes >= 1024 ** 3) {
return `${(bytes / (1024 ** 3)).toFixed(1)}GB`
}
if (bytes >= 1024 ** 2) {
return `${(bytes / (1024 ** 2)).toFixed(1)}MB`
}
if (bytes >= 1024) {
return `${(bytes / 1024).toFixed(1)}KB`
}
return `${bytes}B`
}
function formatDuration(ms: number): string {
if (ms < 1000) {
return `${ms}ms`
}
if (ms < 60000) {
return `${(ms / 1000).toFixed(1)}s`
}
return `${Math.round(ms / 60000)}m`
}
// WebSocket event handlers
function handleMetricsUpdated(event: any) {
if (event.data.type === 'system') {
systemMetrics.value = event.data.metrics
} else if (event.data.type === 'agent') {
agentMetrics.value[event.data.agentId] = event.data.metrics
}
}
// Lifecycle
onMounted(() => {
// Subscribe to WebSocket events
on('metrics_updated', handleMetricsUpdated)
// Initial data fetch
if (connected.value) {
Promise.all([
refreshSystemMetrics().catch(() => {}),
refreshAgentMetrics().catch(() => {})
])
}
// Set up periodic refresh (fallback if WebSocket fails)
const refreshInterval = setInterval(() => {
if (!connected.value) {
refreshSystemMetrics().catch(() => {})
refreshAgentMetrics().catch(() => {})
}
}, 30000) // 30 seconds
onUnmounted(() => {
clearInterval(refreshInterval)
})
})
onUnmounted(() => {
// Unsubscribe from WebSocket events
off('metrics_updated', handleMetricsUpdated)
})
return {
// System Metrics
systemMetrics,
systemLoading,
systemError,
// Agent Metrics
agentMetrics,
agentLoading,
agentError,
// Computed
systemHealthScore,
topPerformingAgents,
systemAlerts,
// Actions
refreshSystemMetrics,
refreshAgentMetrics,
exportMetrics,
clearErrors,
// Utils
getMetricTrend,
formatMetricValue
}
}
// Helper function to create mock metrics for development
export function createMockSystemMetrics(): SystemMetrics {
return {
totalAgents: 8,
activeAgents: 6,
totalMessages: 1247,
messagesPerMinute: 15.3,
avgResponseTime: 1250,
systemUptime: Date.now() - (3 * 24 * 60 * 60 * 1000), // 3 days ago
memoryUsage: {
current: 8.5 * 1024 ** 3, // 8.5 GB
maximum: 16 * 1024 ** 3, // 16 GB
percentage: 53,
trend: 'stable'
},
cpuUsage: {
current: 45,
maximum: 100,
percentage: 45,
trend: 'increasing'
},
networkLatency: 125,
errorRate: 2.1
}
}
export function createMockAgentMetrics(agentId: string): AgentMetrics {
return {
agentId,
messagesProcessed: Math.floor(Math.random() * 500) + 50,
successRate: Math.random() * 20 + 80, // 80-100%
avgResponseTime: Math.random() * 2000 + 500, // 0.5-2.5s
errorCount: Math.floor(Math.random() * 10),
uptime: Date.now() - (Math.random() * 24 * 60 * 60 * 1000), // Up to 24h ago
memoryUsage: Math.random() * 512 * 1024 * 1024, // Up to 512MB
cpuUsage: Math.random() * 50, // 0-50%
lastActivity: new Date(Date.now() - Math.random() * 60 * 60 * 1000).toISOString() // Up to 1h ago
}
}
|