feat: AgentHealth scanner improvements with extended defaults and OS-aware badges
- Update scanner defaults from 15min to 12 hours - Add 1 week and 2 week frequency options - Rename AgentScanners to AgentHealth - Add OS-aware package manager badges (APT, DNF, Windows/Winget, Docker) - Fix useMemo import and usage
This commit is contained in:
665
aggregator-web/src/components/AgentHealth.tsx
Normal file
665
aggregator-web/src/components/AgentHealth.tsx
Normal file
@@ -0,0 +1,665 @@
|
|||||||
|
import React, { useState, useMemo } from 'react';
|
||||||
|
import { useMutation, useQuery, useQueryClient } from '@tanstack/react-query';
|
||||||
|
import {
|
||||||
|
RefreshCw,
|
||||||
|
Activity,
|
||||||
|
Play,
|
||||||
|
HardDrive,
|
||||||
|
Cpu,
|
||||||
|
Container,
|
||||||
|
Package,
|
||||||
|
Shield,
|
||||||
|
Fingerprint,
|
||||||
|
CheckCircle,
|
||||||
|
AlertCircle,
|
||||||
|
XCircle,
|
||||||
|
Upload,
|
||||||
|
} from 'lucide-react';
|
||||||
|
import { formatRelativeTime } from '@/lib/utils';
|
||||||
|
import { agentApi, securityApi } from '@/lib/api';
|
||||||
|
import toast from 'react-hot-toast';
|
||||||
|
import { cn } from '@/lib/utils';
|
||||||
|
import { AgentSubsystem } from '@/types';
|
||||||
|
import { AgentUpdatesModal } from './AgentUpdatesModal';
|
||||||
|
|
||||||
|
interface AgentHealthProps {
|
||||||
|
agentId: string;
|
||||||
|
}
|
||||||
|
|
||||||
|
// Map subsystem types to icons and display names
|
||||||
|
const subsystemConfig: Record<string, { icon: React.ReactNode; name: string; description: string; category: string }> = {
|
||||||
|
updates: {
|
||||||
|
icon: <Package className="h-4 w-4" />,
|
||||||
|
name: 'Package Update Scanner',
|
||||||
|
description: 'Scans for available package updates',
|
||||||
|
category: 'system',
|
||||||
|
},
|
||||||
|
storage: {
|
||||||
|
icon: <HardDrive className="h-4 w-4" />,
|
||||||
|
name: 'Disk Usage Reporter',
|
||||||
|
description: 'Reports disk usage metrics and storage availability',
|
||||||
|
category: 'storage',
|
||||||
|
},
|
||||||
|
system: {
|
||||||
|
icon: <Cpu className="h-4 w-4" />,
|
||||||
|
name: 'System Metrics Scanner',
|
||||||
|
description: 'Reports CPU, memory, processes, and system uptime',
|
||||||
|
category: 'system',
|
||||||
|
},
|
||||||
|
docker: {
|
||||||
|
icon: <Container className="h-4 w-4" />,
|
||||||
|
name: 'Docker Image Scanner',
|
||||||
|
description: 'Scans Docker containers for available image updates',
|
||||||
|
category: 'system',
|
||||||
|
},
|
||||||
|
};
|
||||||
|
|
||||||
|
export function AgentHealth({ agentId }: AgentHealthProps) {
|
||||||
|
const [showUpdateModal, setShowUpdateModal] = useState(false);
|
||||||
|
const queryClient = useQueryClient();
|
||||||
|
|
||||||
|
// Fetch subsystems from API
|
||||||
|
const { data: subsystems = [], isLoading, refetch } = useQuery({
|
||||||
|
queryKey: ['subsystems', agentId],
|
||||||
|
queryFn: async () => {
|
||||||
|
const data = await agentApi.getSubsystems(agentId);
|
||||||
|
return data;
|
||||||
|
},
|
||||||
|
refetchInterval: 30000, // Refresh every 30 seconds
|
||||||
|
});
|
||||||
|
|
||||||
|
// Fetch agent data for Update Agent button
|
||||||
|
const { data: agent } = useQuery({
|
||||||
|
queryKey: ['agent', agentId],
|
||||||
|
queryFn: () => agentApi.getAgent(agentId),
|
||||||
|
refetchInterval: 30000,
|
||||||
|
});
|
||||||
|
|
||||||
|
// Fetch security health status
|
||||||
|
const { data: securityOverview, isLoading: securityLoading } = useQuery({
|
||||||
|
queryKey: ['security-overview'],
|
||||||
|
queryFn: async () => {
|
||||||
|
const data = await securityApi.getOverview();
|
||||||
|
return data;
|
||||||
|
},
|
||||||
|
refetchInterval: 60000, // Refresh every minute
|
||||||
|
});
|
||||||
|
|
||||||
|
// Helper function to get security status color and icon
|
||||||
|
const getSecurityStatusDisplay = (status: string) => {
|
||||||
|
switch (status) {
|
||||||
|
case 'healthy':
|
||||||
|
case 'operational':
|
||||||
|
return {
|
||||||
|
color: 'text-green-600 bg-green-100 border-green-200',
|
||||||
|
icon: <CheckCircle className="h-4 w-4 text-green-600" />
|
||||||
|
};
|
||||||
|
case 'enforced':
|
||||||
|
return {
|
||||||
|
color: 'text-blue-600 bg-blue-100 border-blue-200',
|
||||||
|
icon: <Shield className="h-4 w-4 text-blue-600" />
|
||||||
|
};
|
||||||
|
case 'degraded':
|
||||||
|
return {
|
||||||
|
color: 'text-amber-600 bg-amber-100 border-amber-200',
|
||||||
|
icon: <AlertCircle className="h-4 w-4 text-amber-600" />
|
||||||
|
};
|
||||||
|
case 'unhealthy':
|
||||||
|
case 'unavailable':
|
||||||
|
return {
|
||||||
|
color: 'text-red-600 bg-red-100 border-red-200',
|
||||||
|
icon: <XCircle className="h-4 w-4 text-red-600" />
|
||||||
|
};
|
||||||
|
default:
|
||||||
|
return {
|
||||||
|
color: 'text-gray-600 bg-gray-100 border-gray-200',
|
||||||
|
icon: <AlertCircle className="h-4 w-4 text-gray-600" />
|
||||||
|
};
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
// Get security icon for subsystem type
|
||||||
|
const getSecurityIcon = (type: string) => {
|
||||||
|
switch (type) {
|
||||||
|
case 'ed25519_signing':
|
||||||
|
return <Shield className="h-4 w-4" />;
|
||||||
|
case 'nonce_validation':
|
||||||
|
return <RefreshCw className="h-4 w-4" />;
|
||||||
|
case 'machine_binding':
|
||||||
|
return <Fingerprint className="h-4 w-4" />;
|
||||||
|
case 'command_validation':
|
||||||
|
return <CheckCircle className="h-4 w-4" />;
|
||||||
|
default:
|
||||||
|
return <Shield className="h-4 w-4" />;
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
// Get display name for security subsystem
|
||||||
|
const getSecurityDisplayName = (type: string) => {
|
||||||
|
switch (type) {
|
||||||
|
case 'ed25519_signing':
|
||||||
|
return 'Ed25519 Signing';
|
||||||
|
case 'nonce_validation':
|
||||||
|
return 'Nonce Protection';
|
||||||
|
case 'machine_binding':
|
||||||
|
return 'Machine Binding';
|
||||||
|
case 'command_validation':
|
||||||
|
return 'Command Validation';
|
||||||
|
default:
|
||||||
|
return type;
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
// Toggle subsystem enabled/disabled
|
||||||
|
const toggleSubsystemMutation = useMutation({
|
||||||
|
mutationFn: async ({ subsystem, enabled }: { subsystem: string; enabled: boolean }) => {
|
||||||
|
if (enabled) {
|
||||||
|
return await agentApi.enableSubsystem(agentId, subsystem);
|
||||||
|
} else {
|
||||||
|
return await agentApi.disableSubsystem(agentId, subsystem);
|
||||||
|
}
|
||||||
|
},
|
||||||
|
onSuccess: (_, variables) => {
|
||||||
|
toast.success(`${subsystemConfig[variables.subsystem]?.name || variables.subsystem} ${variables.enabled ? 'enabled' : 'disabled'}`);
|
||||||
|
queryClient.invalidateQueries({ queryKey: ['subsystems', agentId] });
|
||||||
|
},
|
||||||
|
onError: (error: any, variables) => {
|
||||||
|
toast.error(`Failed to ${variables.enabled ? 'enable' : 'disable'} subsystem: ${error.response?.data?.error || error.message}`);
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
// Update subsystem interval
|
||||||
|
const updateIntervalMutation = useMutation({
|
||||||
|
mutationFn: async ({ subsystem, intervalMinutes }: { subsystem: string; intervalMinutes: number }) => {
|
||||||
|
return await agentApi.setSubsystemInterval(agentId, subsystem, intervalMinutes);
|
||||||
|
},
|
||||||
|
onSuccess: (_, variables) => {
|
||||||
|
toast.success(`Interval updated to ${variables.intervalMinutes} minutes`);
|
||||||
|
queryClient.invalidateQueries({ queryKey: ['subsystems', agentId] });
|
||||||
|
},
|
||||||
|
onError: (error: any) => {
|
||||||
|
toast.error(`Failed to update interval: ${error.response?.data?.error || error.message}`);
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
// Toggle auto-run
|
||||||
|
const toggleAutoRunMutation = useMutation({
|
||||||
|
mutationFn: async ({ subsystem, autoRun }: { subsystem: string; autoRun: boolean }) => {
|
||||||
|
return await agentApi.setSubsystemAutoRun(agentId, subsystem, autoRun);
|
||||||
|
},
|
||||||
|
onSuccess: (_, variables) => {
|
||||||
|
toast.success(`Auto-run ${variables.autoRun ? 'enabled' : 'disabled'}`);
|
||||||
|
queryClient.invalidateQueries({ queryKey: ['subsystems', agentId] });
|
||||||
|
},
|
||||||
|
onError: (error: any) => {
|
||||||
|
toast.error(`Failed to toggle auto-run: ${error.response?.data?.error || error.message}`);
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
// Trigger manual scan
|
||||||
|
const triggerScanMutation = useMutation({
|
||||||
|
mutationFn: async (subsystem: string) => {
|
||||||
|
return await agentApi.triggerSubsystem(agentId, subsystem);
|
||||||
|
},
|
||||||
|
onSuccess: (_, subsystem) => {
|
||||||
|
toast.success(`${subsystemConfig[subsystem]?.name || subsystem} scan triggered`);
|
||||||
|
queryClient.invalidateQueries({ queryKey: ['subsystems', agentId] });
|
||||||
|
},
|
||||||
|
onError: (error: any) => {
|
||||||
|
toast.error(`Failed to trigger scan: ${error.response?.data?.error || error.message}`);
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
const handleToggleEnabled = (subsystem: string, currentEnabled: boolean) => {
|
||||||
|
toggleSubsystemMutation.mutate({ subsystem, enabled: !currentEnabled });
|
||||||
|
};
|
||||||
|
|
||||||
|
const handleIntervalChange = (subsystem: string, intervalMinutes: number) => {
|
||||||
|
updateIntervalMutation.mutate({ subsystem, intervalMinutes });
|
||||||
|
};
|
||||||
|
|
||||||
|
const handleToggleAutoRun = (subsystem: string, currentAutoRun: boolean) => {
|
||||||
|
toggleAutoRunMutation.mutate({ subsystem, autoRun: !currentAutoRun });
|
||||||
|
};
|
||||||
|
|
||||||
|
const handleTriggerScan = (subsystem: string) => {
|
||||||
|
triggerScanMutation.mutate(subsystem);
|
||||||
|
};
|
||||||
|
|
||||||
|
// Get package manager badges based on OS type
|
||||||
|
const getPackageManagerBadges = (osType: string) => {
|
||||||
|
const os = osType.toLowerCase();
|
||||||
|
const badges = [];
|
||||||
|
|
||||||
|
if (os.includes('windows')) {
|
||||||
|
badges.push(
|
||||||
|
<span key="windows" className="text-[10px] px-1 py-0.5 bg-blue-100 rounded text-blue-700">Windows</span>,
|
||||||
|
<span key="winget" className="text-[10px] px-1 py-0.5 bg-blue-100 rounded text-blue-700">Winget</span>
|
||||||
|
);
|
||||||
|
} else if (os.includes('fedora') || os.includes('rhel') || os.includes('centos')) {
|
||||||
|
badges.push(
|
||||||
|
<span key="dnf" className="text-[10px] px-1 py-0.5 bg-green-100 rounded text-green-700">DNF</span>
|
||||||
|
);
|
||||||
|
} else if (os.includes('debian') || os.includes('ubuntu') || os.includes('linux')) {
|
||||||
|
badges.push(
|
||||||
|
<span key="apt" className="text-[10px] px-1 py-0.5 bg-purple-100 rounded text-purple-700">APT</span>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
// Docker is cross-platform
|
||||||
|
badges.push(
|
||||||
|
<span key="docker" className="text-[10px] px-1 py-0.5 bg-gray-100 rounded text-gray-600">Docker</span>
|
||||||
|
);
|
||||||
|
|
||||||
|
return badges;
|
||||||
|
};
|
||||||
|
|
||||||
|
const frequencyOptions = [
|
||||||
|
{ value: 5, label: '5 min' },
|
||||||
|
{ value: 15, label: '15 min' },
|
||||||
|
{ value: 30, label: '30 min' },
|
||||||
|
{ value: 60, label: '1 hour' },
|
||||||
|
{ value: 240, label: '4 hours' },
|
||||||
|
{ value: 720, label: '12 hours' },
|
||||||
|
{ value: 1440, label: '24 hours' },
|
||||||
|
{ value: 10080, label: '1 week' },
|
||||||
|
{ value: 20160, label: '2 weeks' },
|
||||||
|
];
|
||||||
|
|
||||||
|
|
||||||
|
const enabledCount = useMemo(() => subsystems.filter(s => s.enabled).length, [subsystems]);
|
||||||
|
const autoRunCount = useMemo(() => subsystems.filter(s => s.auto_run && s.enabled).length, [subsystems]);
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div className="space-y-6">
|
||||||
|
{/* Subsystems Section - Continuous Surface */}
|
||||||
|
<div>
|
||||||
|
<div className="flex items-center justify-between mb-4">
|
||||||
|
<div>
|
||||||
|
<h3 className="text-base font-semibold text-gray-900">Subsystems</h3>
|
||||||
|
<p className="text-xs text-gray-600 mt-0.5">
|
||||||
|
{enabledCount} enabled • {autoRunCount} auto-running • {subsystems.length} total
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
<button
|
||||||
|
onClick={() => setShowUpdateModal(true)}
|
||||||
|
className="text-sm text-primary-600 hover:text-primary-800 flex items-center space-x-1 border border-primary-300 px-2 py-1 rounded"
|
||||||
|
>
|
||||||
|
<Upload className="h-4 w-4" />
|
||||||
|
<span>Update Agent</span>
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{isLoading ? (
|
||||||
|
<div className="flex items-center justify-center py-12">
|
||||||
|
<RefreshCw className="h-6 w-6 animate-spin text-gray-400" />
|
||||||
|
<span className="ml-2 text-gray-600">Loading subsystems...</span>
|
||||||
|
</div>
|
||||||
|
) : subsystems.length === 0 ? (
|
||||||
|
<div className="text-center py-12">
|
||||||
|
<Activity className="mx-auto h-12 w-12 text-gray-400" />
|
||||||
|
<h3 className="mt-2 text-sm font-medium text-gray-900">No subsystems found</h3>
|
||||||
|
<p className="mt-1 text-sm text-gray-500">
|
||||||
|
Subsystems will be created automatically when the agent checks in.
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
) : (
|
||||||
|
<div className="overflow-x-auto">
|
||||||
|
<table className="min-w-full text-sm">
|
||||||
|
<thead>
|
||||||
|
<tr className="border-b border-gray-200">
|
||||||
|
<th className="text-left py-2 pr-4 font-medium text-gray-700">Subsystem</th>
|
||||||
|
<th className="text-left py-2 pr-4 font-medium text-gray-700">Category</th>
|
||||||
|
<th className="text-center py-2 pr-4 font-medium text-gray-700">Enabled</th>
|
||||||
|
<th className="text-center py-2 pr-4 font-medium text-gray-700">Auto-Run</th>
|
||||||
|
<th className="text-center py-2 pr-4 font-medium text-gray-700">Interval</th>
|
||||||
|
<th className="text-right py-2 pr-4 font-medium text-gray-700">Last Run</th>
|
||||||
|
<th className="text-right py-2 pr-4 font-medium text-gray-700">Next Run</th>
|
||||||
|
<th className="text-center py-2 font-medium text-gray-700">Actions</th>
|
||||||
|
</tr>
|
||||||
|
</thead>
|
||||||
|
<tbody className="divide-y divide-gray-100">
|
||||||
|
{subsystems.map((subsystem: AgentSubsystem) => {
|
||||||
|
const config = subsystemConfig[subsystem.subsystem] || {
|
||||||
|
icon: <Activity className="h-4 w-4" />,
|
||||||
|
name: subsystem.subsystem,
|
||||||
|
description: 'Custom subsystem',
|
||||||
|
category: 'system',
|
||||||
|
};
|
||||||
|
|
||||||
|
return (
|
||||||
|
<tr key={subsystem.id} className="hover:bg-gray-50">
|
||||||
|
{/* Subsystem Name */}
|
||||||
|
<td className="py-3 pr-4 text-gray-900">
|
||||||
|
<div className="flex items-center space-x-2">
|
||||||
|
<span className="text-gray-600">{config.icon}</span>
|
||||||
|
<div>
|
||||||
|
<div className="font-medium">{config.name}</div>
|
||||||
|
<div className="text-xs text-gray-500">
|
||||||
|
{subsystem.subsystem === 'updates' ? (
|
||||||
|
<div className="flex items-center space-x-1">
|
||||||
|
<span>Scans for available package updates</span>
|
||||||
|
<div className="flex items-center space-x-1 ml-1">
|
||||||
|
{getPackageManagerBadges(agent?.os_type || '')}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
) : (
|
||||||
|
config.description
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</td>
|
||||||
|
|
||||||
|
{/* Category */}
|
||||||
|
<td className="py-3 pr-4 text-gray-600 capitalize text-xs">{config.category}</td>
|
||||||
|
|
||||||
|
{/* Enabled Toggle */}
|
||||||
|
<td className="py-3 pr-4 text-center">
|
||||||
|
<button
|
||||||
|
onClick={() => handleToggleEnabled(subsystem.subsystem, subsystem.enabled)}
|
||||||
|
disabled={toggleSubsystemMutation.isPending}
|
||||||
|
className={cn(
|
||||||
|
'px-3 py-1 rounded text-xs font-medium transition-colors',
|
||||||
|
subsystem.enabled
|
||||||
|
? 'bg-green-100 text-green-700 hover:bg-green-200'
|
||||||
|
: 'bg-gray-100 text-gray-600 hover:bg-gray-200'
|
||||||
|
)}
|
||||||
|
>
|
||||||
|
{subsystem.enabled ? 'ON' : 'OFF'}
|
||||||
|
</button>
|
||||||
|
</td>
|
||||||
|
|
||||||
|
{/* Auto-Run Toggle */}
|
||||||
|
<td className="py-3 pr-4 text-center">
|
||||||
|
<button
|
||||||
|
onClick={() => handleToggleAutoRun(subsystem.subsystem, subsystem.auto_run)}
|
||||||
|
disabled={!subsystem.enabled || toggleAutoRunMutation.isPending}
|
||||||
|
className={cn(
|
||||||
|
'px-3 py-1 rounded text-xs font-medium transition-colors',
|
||||||
|
!subsystem.enabled ? 'bg-gray-50 text-gray-400 cursor-not-allowed' :
|
||||||
|
subsystem.auto_run
|
||||||
|
? 'bg-blue-100 text-blue-700 hover:bg-blue-200'
|
||||||
|
: 'bg-gray-100 text-gray-600 hover:bg-gray-200'
|
||||||
|
)}
|
||||||
|
>
|
||||||
|
{subsystem.auto_run ? 'AUTO' : 'MANUAL'}
|
||||||
|
</button>
|
||||||
|
</td>
|
||||||
|
|
||||||
|
{/* Interval Selector */}
|
||||||
|
<td className="py-3 pr-4 text-center">
|
||||||
|
{subsystem.enabled ? (
|
||||||
|
<select
|
||||||
|
value={subsystem.interval_minutes}
|
||||||
|
onChange={(e) => handleIntervalChange(subsystem.subsystem, parseInt(e.target.value))}
|
||||||
|
disabled={updateIntervalMutation.isPending}
|
||||||
|
className="px-2 py-1 text-xs border border-gray-300 rounded hover:border-gray-400 focus:outline-none focus:ring-2 focus:ring-blue-500"
|
||||||
|
>
|
||||||
|
{frequencyOptions.map(option => (
|
||||||
|
<option key={option.value} value={option.value}>
|
||||||
|
{option.label}
|
||||||
|
</option>
|
||||||
|
))}
|
||||||
|
</select>
|
||||||
|
) : (
|
||||||
|
<span className="text-xs text-gray-400">-</span>
|
||||||
|
)}
|
||||||
|
</td>
|
||||||
|
|
||||||
|
{/* Last Run */}
|
||||||
|
<td className="py-3 pr-4 text-right text-xs text-gray-600">
|
||||||
|
{subsystem.last_run_at ? formatRelativeTime(subsystem.last_run_at) : '-'}
|
||||||
|
</td>
|
||||||
|
|
||||||
|
{/* Next Run */}
|
||||||
|
<td className="py-3 pr-4 text-right text-xs text-gray-600">
|
||||||
|
{subsystem.next_run_at && subsystem.auto_run ? formatRelativeTime(subsystem.next_run_at) : '-'}
|
||||||
|
</td>
|
||||||
|
|
||||||
|
{/* Actions */}
|
||||||
|
<td className="py-3 text-center">
|
||||||
|
<button
|
||||||
|
onClick={() => handleTriggerScan(subsystem.subsystem)}
|
||||||
|
disabled={!subsystem.enabled || triggerScanMutation.isPending}
|
||||||
|
className={cn(
|
||||||
|
'px-3 py-1 rounded text-xs font-medium transition-colors inline-flex items-center space-x-1',
|
||||||
|
!subsystem.enabled
|
||||||
|
? 'bg-gray-50 text-gray-400 cursor-not-allowed'
|
||||||
|
: 'bg-blue-100 text-blue-700 hover:bg-blue-200'
|
||||||
|
)}
|
||||||
|
title="Trigger manual scan"
|
||||||
|
>
|
||||||
|
<Play className="h-3 w-3" />
|
||||||
|
<span>Scan</span>
|
||||||
|
</button>
|
||||||
|
</td>
|
||||||
|
</tr>
|
||||||
|
);
|
||||||
|
})}
|
||||||
|
</tbody>
|
||||||
|
</table>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Security Health Section - Continuous Surface */}
|
||||||
|
<div>
|
||||||
|
<div className="flex items-center justify-between mb-4">
|
||||||
|
<div className="flex items-center space-x-2">
|
||||||
|
<Shield className="h-5 w-5 text-blue-600" />
|
||||||
|
<h3 className="text-base font-semibold text-gray-900">Security Health</h3>
|
||||||
|
</div>
|
||||||
|
<button
|
||||||
|
onClick={() => queryClient.invalidateQueries({ queryKey: ['security-overview'] })}
|
||||||
|
disabled={securityLoading}
|
||||||
|
className="flex items-center space-x-1 px-3 py-1 text-xs text-gray-600 hover:text-gray-800 hover:bg-gray-50/50 rounded-md transition-colors"
|
||||||
|
>
|
||||||
|
<RefreshCw className={cn('h-3 w-3', securityLoading && 'animate-spin')} />
|
||||||
|
<span>Refresh</span>
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{securityLoading ? (
|
||||||
|
<div className="flex items-center justify-center py-6">
|
||||||
|
<RefreshCw className="h-5 w-5 animate-spin text-gray-400" />
|
||||||
|
<span className="ml-2 text-sm text-gray-600">Loading security status...</span>
|
||||||
|
</div>
|
||||||
|
) : securityOverview ? (
|
||||||
|
<div className="p-4 space-y-3">
|
||||||
|
{/* Overall Status - Compact */}
|
||||||
|
<div className="flex items-center justify-between p-3 bg-white/70 backdrop-blur-sm rounded-lg border border-gray-200/30">
|
||||||
|
<div className="flex items-center space-x-3">
|
||||||
|
<div className={cn(
|
||||||
|
'w-3 h-3 rounded-full',
|
||||||
|
securityOverview.overall_status === 'healthy' ? 'bg-green-500' :
|
||||||
|
securityOverview.overall_status === 'degraded' ? 'bg-amber-500' : 'bg-red-500'
|
||||||
|
)}></div>
|
||||||
|
<div>
|
||||||
|
<p className="text-xs font-medium text-gray-900">Overall Status</p>
|
||||||
|
<p className="text-xs text-gray-600">
|
||||||
|
{securityOverview.overall_status === 'healthy' ? 'All systems nominal' :
|
||||||
|
securityOverview.overall_status === 'degraded' ? `${securityOverview.alerts.length} issue(s)` :
|
||||||
|
'Critical issues'}
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div className={cn(
|
||||||
|
'inline-flex items-center gap-1 px-2 py-1 rounded-full text-xs font-medium border',
|
||||||
|
securityOverview.overall_status === 'healthy' ? 'bg-green-100 text-green-700 border-green-200' :
|
||||||
|
securityOverview.overall_status === 'degraded' ? 'bg-amber-100 text-amber-700 border-amber-200' :
|
||||||
|
'bg-red-100 text-red-700 border-red-200'
|
||||||
|
)}>
|
||||||
|
{securityOverview.overall_status === 'healthy' && <CheckCircle className="w-3 h-3" />}
|
||||||
|
{securityOverview.overall_status === 'degraded' && <AlertCircle className="w-3 h-3" />}
|
||||||
|
{securityOverview.overall_status === 'unhealthy' && <XCircle className="w-3 h-3" />}
|
||||||
|
{securityOverview.overall_status.toUpperCase()}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Security Grid - 2x2 Layout */}
|
||||||
|
<div className="grid grid-cols-2 gap-3">
|
||||||
|
{Object.entries(securityOverview.subsystems).map(([key, subsystem]) => {
|
||||||
|
const statusColors = {
|
||||||
|
healthy: 'bg-green-100 text-green-700 border-green-200',
|
||||||
|
enforced: 'bg-blue-100 text-blue-700 border-blue-200',
|
||||||
|
degraded: 'bg-amber-100 text-amber-700 border-amber-200',
|
||||||
|
unhealthy: 'bg-red-100 text-red-700 border-red-200'
|
||||||
|
};
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div key={key} className="group relative">
|
||||||
|
<div className={cn(
|
||||||
|
'p-3 bg-white/70 backdrop-blur-sm rounded-lg border border-gray-200/30',
|
||||||
|
'hover:bg-white/90 hover:shadow-sm transition-all duration-150 cursor-pointer'
|
||||||
|
)}>
|
||||||
|
<div className="flex items-center justify-between">
|
||||||
|
<div className="flex items-center space-x-2">
|
||||||
|
<div className="p-1.5 rounded-md bg-gray-50/80 group-hover:bg-gray-100 transition-colors">
|
||||||
|
{getSecurityIcon(key)}
|
||||||
|
</div>
|
||||||
|
<div className="min-w-0">
|
||||||
|
<p className="text-xs font-medium text-gray-900 truncate">
|
||||||
|
{getSecurityDisplayName(key)}
|
||||||
|
</p>
|
||||||
|
<p className="text-xs text-gray-600 truncate">
|
||||||
|
{key === 'command_validation' ?
|
||||||
|
`${subsystem.metrics?.total_pending_commands || 0} pending` :
|
||||||
|
key === 'ed25519_signing' ?
|
||||||
|
'Key valid' :
|
||||||
|
key === 'machine_binding' ?
|
||||||
|
`${subsystem.checks?.recent_violations || 0} violations` :
|
||||||
|
key === 'nonce_validation' ?
|
||||||
|
`${subsystem.checks?.validation_failures || 0} blocked` :
|
||||||
|
subsystem.status}
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div className={cn(
|
||||||
|
'px-1.5 py-0.5 rounded text-[10px] font-medium border',
|
||||||
|
statusColors[subsystem.status as keyof typeof statusColors] || statusColors.unhealthy
|
||||||
|
)}>
|
||||||
|
{subsystem.status === 'healthy' && <CheckCircle className="w-3 h-3 inline" />}
|
||||||
|
{subsystem.status === 'enforced' && <Shield className="w-3 h-3 inline" />}
|
||||||
|
{subsystem.status === 'degraded' && <AlertCircle className="w-3 h-3 inline" />}
|
||||||
|
{subsystem.status === 'unhealthy' && <XCircle className="w-3 h-3 inline" />}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
})}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Detailed Info Panel */}
|
||||||
|
<div className="grid grid-cols-1 gap-2">
|
||||||
|
{Object.entries(securityOverview.subsystems).map(([key, subsystem]) => {
|
||||||
|
const checks = subsystem.checks || {};
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div key={`${key}-details`} className="opacity-70 hover:opacity-100 transition-opacity">
|
||||||
|
<div className="p-2 bg-gray-50/70 rounded border border-gray-200/50">
|
||||||
|
<p className="text-[10px] text-gray-700 font-mono truncate">
|
||||||
|
{key === 'nonce_validation' ?
|
||||||
|
`Nonces: ${subsystem.metrics?.total_pending_commands || 0} | Max: ${checks.max_age_minutes || 5}m | Failures: ${checks.validation_failures || 0}` :
|
||||||
|
key === 'machine_binding' ?
|
||||||
|
`Bound: ${checks.bound_agents || 'N/A'} | Violations: ${checks.recent_violations || 0} | Method: Hardware` :
|
||||||
|
key === 'ed25519_signing' ?
|
||||||
|
`Key: ${checks.public_key_fingerprint?.substring(0, 16) || 'N/A'}... | Algo: ${checks.algorithm || 'Ed25519'}` :
|
||||||
|
key === 'command_validation' ?
|
||||||
|
`Processed: ${subsystem.metrics?.commands_last_hour || 0}/hr | Pending: ${subsystem.metrics?.total_pending_commands || 0}` :
|
||||||
|
`Status: ${subsystem.status}`}
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
})}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Security Alerts & Recommendations */}
|
||||||
|
{(securityOverview.alerts.length > 0 || securityOverview.recommendations.length > 0) && (
|
||||||
|
<div className="flex gap-2">
|
||||||
|
{securityOverview.alerts.length > 0 && (
|
||||||
|
<div className="flex-1 p-2 bg-red-50 rounded border border-red-200">
|
||||||
|
<div className="flex items-center gap-1 mb-1">
|
||||||
|
<XCircle className="h-3 w-3 text-red-500" />
|
||||||
|
<p className="text-xs font-medium text-red-800">Alerts ({securityOverview.alerts.length})</p>
|
||||||
|
</div>
|
||||||
|
<ul className="text-[10px] text-red-700 space-y-0.5">
|
||||||
|
{securityOverview.alerts.slice(0, 1).map((alert, index) => (
|
||||||
|
<li key={index} className="truncate">• {alert}</li>
|
||||||
|
))}
|
||||||
|
{securityOverview.alerts.length > 1 && (
|
||||||
|
<li className="text-red-600">+{securityOverview.alerts.length - 1} more</li>
|
||||||
|
)}
|
||||||
|
</ul>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{securityOverview.recommendations.length > 0 && (
|
||||||
|
<div className="flex-1 p-2 bg-amber-50 rounded border border-amber-200">
|
||||||
|
<div className="flex items-center gap-1 mb-1">
|
||||||
|
<AlertCircle className="h-3 w-3 text-amber-500" />
|
||||||
|
<p className="text-xs font-medium text-amber-800">Recs ({securityOverview.recommendations.length})</p>
|
||||||
|
</div>
|
||||||
|
<ul className="text-[10px] text-amber-700 space-y-0.5">
|
||||||
|
{securityOverview.recommendations.slice(0, 1).map((rec, index) => (
|
||||||
|
<li key={index} className="truncate">• {rec}</li>
|
||||||
|
))}
|
||||||
|
{securityOverview.recommendations.length > 1 && (
|
||||||
|
<li className="text-amber-600">+{securityOverview.recommendations.length - 1} more</li>
|
||||||
|
)}
|
||||||
|
</ul>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{/* Stats Row */}
|
||||||
|
<div className="flex justify-between pt-2 border-t border-gray-200/50">
|
||||||
|
<div className="text-center">
|
||||||
|
<p className="text-[11px] font-medium text-gray-900">{Object.keys(securityOverview.subsystems).length}</p>
|
||||||
|
<p className="text-[10px] text-gray-600">Systems</p>
|
||||||
|
</div>
|
||||||
|
<div className="text-center">
|
||||||
|
<p className="text-[11px] font-medium text-gray-900">
|
||||||
|
{Object.values(securityOverview.subsystems).filter(s => s.status === 'healthy' || s.status === 'enforced').length}
|
||||||
|
</p>
|
||||||
|
<p className="text-[10px] text-gray-600">Healthy</p>
|
||||||
|
</div>
|
||||||
|
<div className="text-center">
|
||||||
|
<p className="text-[11px] font-medium text-gray-900">{securityOverview.alerts.length}</p>
|
||||||
|
<p className="text-[10px] text-gray-600">Alerts</p>
|
||||||
|
</div>
|
||||||
|
<div className="text-center">
|
||||||
|
<p className="text-[11px] font-medium text-gray-600">
|
||||||
|
{new Date(securityOverview.timestamp).toLocaleTimeString()}
|
||||||
|
</p>
|
||||||
|
<p className="text-[10px] text-gray-600">Updated</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
) : (
|
||||||
|
<div className="text-center py-6">
|
||||||
|
<Shield className="mx-auto h-6 w-6 text-gray-400" />
|
||||||
|
<p className="mt-1 text-xs text-gray-600">Unable to load security status</p>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Agent Updates Modal */}
|
||||||
|
<AgentUpdatesModal
|
||||||
|
isOpen={showUpdateModal}
|
||||||
|
onClose={() => {
|
||||||
|
setShowUpdateModal(false);
|
||||||
|
}}
|
||||||
|
selectedAgentIds={[agentId]} // Single agent for this scanner view
|
||||||
|
onAgentsUpdated={() => {
|
||||||
|
// Refresh agent and subsystems data after update
|
||||||
|
queryClient.invalidateQueries({ queryKey: ['agent', agentId] });
|
||||||
|
queryClient.invalidateQueries({ queryKey: ['subsystems', agentId] });
|
||||||
|
}}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
Reference in New Issue
Block a user