Refactor ASN scoring logic and entity routes; add new frontend utilities
Co-authored-by: Qwen-Coder <qwen-coder@alibabacloud.com>
This commit is contained in:
@ -8,6 +8,19 @@ from ..models import DetectionsListResponse, Detection
|
|||||||
|
|
||||||
router = APIRouter(prefix="/api/detections", tags=["detections"])
|
router = APIRouter(prefix="/api/detections", tags=["detections"])
|
||||||
|
|
||||||
|
# Mapping label ASN → score float (0 = très suspect, 1 = légitime)
|
||||||
|
_ASN_LABEL_SCORES: dict[str, float] = {
|
||||||
|
'human': 0.9, 'bot': 0.05, 'proxy': 0.25, 'vpn': 0.3,
|
||||||
|
'tor': 0.1, 'datacenter': 0.4, 'scanner': 0.05, 'malicious': 0.05,
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
def _label_to_score(label: str) -> float | None:
|
||||||
|
"""Convertit un label de réputation ASN en score numérique."""
|
||||||
|
if not label:
|
||||||
|
return None
|
||||||
|
return _ASN_LABEL_SCORES.get(label.lower(), 0.5)
|
||||||
|
|
||||||
|
|
||||||
@router.get("", response_model=DetectionsListResponse)
|
@router.get("", response_model=DetectionsListResponse)
|
||||||
async def get_detections(
|
async def get_detections(
|
||||||
@ -154,12 +167,6 @@ async def get_detections(
|
|||||||
params["offset"] = offset
|
params["offset"] = offset
|
||||||
gresult = db.query(grouped_query, params)
|
gresult = db.query(grouped_query, params)
|
||||||
|
|
||||||
def _label_to_score(label: str) -> float | None:
|
|
||||||
if not label: return None
|
|
||||||
mapping = {'human': 0.9, 'bot': 0.05, 'proxy': 0.25, 'vpn': 0.3,
|
|
||||||
'tor': 0.1, 'datacenter': 0.4, 'scanner': 0.05, 'malicious': 0.05}
|
|
||||||
return mapping.get(label.lower(), 0.5)
|
|
||||||
|
|
||||||
detections = []
|
detections = []
|
||||||
for row in gresult.result_rows:
|
for row in gresult.result_rows:
|
||||||
# row: src_ip, first_seen, last_seen, detection_count, unique_ja4s, unique_hosts,
|
# row: src_ip, first_seen, last_seen, detection_count, unique_ja4s, unique_hosts,
|
||||||
@ -252,21 +259,6 @@ async def get_detections(
|
|||||||
params["offset"] = offset
|
params["offset"] = offset
|
||||||
|
|
||||||
result = db.query(main_query, params)
|
result = db.query(main_query, params)
|
||||||
|
|
||||||
def _label_to_score(label: str) -> float | None:
|
|
||||||
if not label:
|
|
||||||
return None
|
|
||||||
mapping = {
|
|
||||||
'human': 0.9,
|
|
||||||
'bot': 0.05,
|
|
||||||
'proxy': 0.25,
|
|
||||||
'vpn': 0.3,
|
|
||||||
'tor': 0.1,
|
|
||||||
'datacenter': 0.4,
|
|
||||||
'scanner': 0.05,
|
|
||||||
'malicious': 0.05,
|
|
||||||
}
|
|
||||||
return mapping.get(label.lower(), 0.5)
|
|
||||||
|
|
||||||
detections = [
|
detections = [
|
||||||
Detection(
|
Detection(
|
||||||
|
|||||||
@ -39,7 +39,7 @@ def get_entity_stats(entity_type: str, entity_value: str, hours: int = 24) -> Op
|
|||||||
GROUP BY entity_type, entity_value
|
GROUP BY entity_type, entity_value
|
||||||
"""
|
"""
|
||||||
|
|
||||||
result = db.connect().query(query, {
|
result = db.query(query, {
|
||||||
'entity_type': entity_type,
|
'entity_type': entity_type,
|
||||||
'entity_value': entity_value,
|
'entity_value': entity_value,
|
||||||
'hours': hours
|
'hours': hours
|
||||||
@ -73,7 +73,7 @@ def get_related_attributes(entity_type: str, entity_value: str, hours: int = 24)
|
|||||||
(SELECT groupUniqArrayArray(countries) FROM mabase_prod.view_dashboard_entities WHERE entity_type = %(entity_type)s AND entity_value = %(entity_value)s AND log_date >= toDate(now() - INTERVAL %(hours)s HOUR) AND notEmpty(countries)) as countries
|
(SELECT groupUniqArrayArray(countries) FROM mabase_prod.view_dashboard_entities WHERE entity_type = %(entity_type)s AND entity_value = %(entity_value)s AND log_date >= toDate(now() - INTERVAL %(hours)s HOUR) AND notEmpty(countries)) as countries
|
||||||
"""
|
"""
|
||||||
|
|
||||||
result = db.connect().query(query, {
|
result = db.query(query, {
|
||||||
'entity_type': entity_type,
|
'entity_type': entity_type,
|
||||||
'entity_value': entity_value,
|
'entity_value': entity_value,
|
||||||
'hours': hours
|
'hours': hours
|
||||||
@ -120,7 +120,7 @@ def get_array_values(entity_type: str, entity_value: str, array_field: str, hour
|
|||||||
ORDER BY count DESC
|
ORDER BY count DESC
|
||||||
"""
|
"""
|
||||||
|
|
||||||
result = db.connect().query(query, {
|
result = db.query(query, {
|
||||||
'entity_type': entity_type,
|
'entity_type': entity_type,
|
||||||
'entity_value': entity_value,
|
'entity_value': entity_value,
|
||||||
'hours': hours
|
'hours': hours
|
||||||
@ -318,6 +318,26 @@ async def get_subnet_investigation(
|
|||||||
raise HTTPException(status_code=500, detail=f"Erreur: {str(e)}")
|
raise HTTPException(status_code=500, detail=f"Erreur: {str(e)}")
|
||||||
|
|
||||||
|
|
||||||
|
@router.get("/types")
|
||||||
|
async def get_entity_types():
|
||||||
|
"""
|
||||||
|
Retourne la liste des types d'entités supportés.
|
||||||
|
NOTE: Cette route DOIT être déclarée avant /{entity_type}/... pour ne pas être masquée.
|
||||||
|
"""
|
||||||
|
return {
|
||||||
|
"entity_types": sorted(VALID_ENTITY_TYPES),
|
||||||
|
"descriptions": {
|
||||||
|
"ip": "Adresse IP source",
|
||||||
|
"ja4": "Fingerprint JA4 TLS",
|
||||||
|
"user_agent": "User-Agent HTTP",
|
||||||
|
"client_header": "Client Header",
|
||||||
|
"host": "Host HTTP",
|
||||||
|
"path": "Path URL",
|
||||||
|
"query_param": "Query Param"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
@router.get("/{entity_type}/{entity_value:path}", response_model=EntityInvestigation)
|
@router.get("/{entity_type}/{entity_value:path}", response_model=EntityInvestigation)
|
||||||
async def get_entity_investigation(
|
async def get_entity_investigation(
|
||||||
entity_type: str,
|
entity_type: str,
|
||||||
@ -340,10 +360,10 @@ async def get_entity_investigation(
|
|||||||
- Query-Params
|
- Query-Params
|
||||||
"""
|
"""
|
||||||
# Valider le type d'entité
|
# Valider le type d'entité
|
||||||
if entity_type not in ENTITY_TYPES:
|
if entity_type not in VALID_ENTITY_TYPES:
|
||||||
raise HTTPException(
|
raise HTTPException(
|
||||||
status_code=400,
|
status_code=400,
|
||||||
detail=f"Type d'entité invalide. Types supportés: {', '.join(ENTITY_TYPES.keys())}"
|
detail=f"Type d'entité invalide. Types supportés: {', '.join(VALID_ENTITY_TYPES)}"
|
||||||
)
|
)
|
||||||
|
|
||||||
# Stats générales
|
# Stats générales
|
||||||
@ -385,10 +405,10 @@ async def get_entity_related(
|
|||||||
"""
|
"""
|
||||||
Récupère uniquement les attributs associés à une entité
|
Récupère uniquement les attributs associés à une entité
|
||||||
"""
|
"""
|
||||||
if entity_type not in ENTITY_TYPES:
|
if entity_type not in VALID_ENTITY_TYPES:
|
||||||
raise HTTPException(
|
raise HTTPException(
|
||||||
status_code=400,
|
status_code=400,
|
||||||
detail=f"Type d'entité invalide. Types supportés: {', '.join(ENTITY_TYPES.keys())}"
|
detail=f"Type d'entité invalide. Types supportés: {', '.join(VALID_ENTITY_TYPES)}"
|
||||||
)
|
)
|
||||||
|
|
||||||
related = get_related_attributes(entity_type, entity_value, hours)
|
related = get_related_attributes(entity_type, entity_value, hours)
|
||||||
@ -410,7 +430,7 @@ async def get_entity_user_agents(
|
|||||||
"""
|
"""
|
||||||
Récupère les User-Agents associés à une entité
|
Récupère les User-Agents associés à une entité
|
||||||
"""
|
"""
|
||||||
if entity_type not in ENTITY_TYPES:
|
if entity_type not in VALID_ENTITY_TYPES:
|
||||||
raise HTTPException(status_code=400, detail="Type d'entité invalide")
|
raise HTTPException(status_code=400, detail="Type d'entité invalide")
|
||||||
|
|
||||||
user_agents = get_array_values(entity_type, entity_value, 'user_agents', hours)
|
user_agents = get_array_values(entity_type, entity_value, 'user_agents', hours)
|
||||||
@ -432,7 +452,7 @@ async def get_entity_client_headers(
|
|||||||
"""
|
"""
|
||||||
Récupère les Client-Headers associés à une entité
|
Récupère les Client-Headers associés à une entité
|
||||||
"""
|
"""
|
||||||
if entity_type not in ENTITY_TYPES:
|
if entity_type not in VALID_ENTITY_TYPES:
|
||||||
raise HTTPException(status_code=400, detail="Type d'entité invalide")
|
raise HTTPException(status_code=400, detail="Type d'entité invalide")
|
||||||
|
|
||||||
client_headers = get_array_values(entity_type, entity_value, 'client_headers', hours)
|
client_headers = get_array_values(entity_type, entity_value, 'client_headers', hours)
|
||||||
@ -454,7 +474,7 @@ async def get_entity_paths(
|
|||||||
"""
|
"""
|
||||||
Récupère les Paths associés à une entité
|
Récupère les Paths associés à une entité
|
||||||
"""
|
"""
|
||||||
if entity_type not in ENTITY_TYPES:
|
if entity_type not in VALID_ENTITY_TYPES:
|
||||||
raise HTTPException(status_code=400, detail="Type d'entité invalide")
|
raise HTTPException(status_code=400, detail="Type d'entité invalide")
|
||||||
|
|
||||||
paths = get_array_values(entity_type, entity_value, 'paths', hours)
|
paths = get_array_values(entity_type, entity_value, 'paths', hours)
|
||||||
@ -476,7 +496,7 @@ async def get_entity_query_params(
|
|||||||
"""
|
"""
|
||||||
Récupère les Query-Params associés à une entité
|
Récupère les Query-Params associés à une entité
|
||||||
"""
|
"""
|
||||||
if entity_type not in ENTITY_TYPES:
|
if entity_type not in VALID_ENTITY_TYPES:
|
||||||
raise HTTPException(status_code=400, detail="Type d'entité invalide")
|
raise HTTPException(status_code=400, detail="Type d'entité invalide")
|
||||||
|
|
||||||
query_params = get_array_values(entity_type, entity_value, 'query_params', hours)
|
query_params = get_array_values(entity_type, entity_value, 'query_params', hours)
|
||||||
@ -487,22 +507,3 @@ async def get_entity_query_params(
|
|||||||
"query_params": query_params,
|
"query_params": query_params,
|
||||||
"total": len(query_params)
|
"total": len(query_params)
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
@router.get("/types")
|
|
||||||
async def get_entity_types():
|
|
||||||
"""
|
|
||||||
Retourne la liste des types d'entités supportés
|
|
||||||
"""
|
|
||||||
return {
|
|
||||||
"entity_types": list(ENTITY_TYPES.values()),
|
|
||||||
"descriptions": {
|
|
||||||
"ip": "Adresse IP source",
|
|
||||||
"ja4": "Fingerprint JA4 TLS",
|
|
||||||
"user_agent": "User-Agent HTTP",
|
|
||||||
"client_header": "Client Header",
|
|
||||||
"host": "Host HTTP",
|
|
||||||
"path": "Path URL",
|
|
||||||
"query_param": "Query Param"
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|||||||
@ -1,5 +1,5 @@
|
|||||||
import { BrowserRouter, Routes, Route, Link, Navigate, useLocation, useNavigate, useParams, useSearchParams } from 'react-router-dom';
|
import { BrowserRouter, Routes, Route, Link, Navigate, useLocation, useNavigate, useParams, useSearchParams } from 'react-router-dom';
|
||||||
import { useEffect, useState, useCallback } from 'react';
|
import { useEffect, useState } from 'react';
|
||||||
import { DetectionsList } from './components/DetectionsList';
|
import { DetectionsList } from './components/DetectionsList';
|
||||||
import { DetailsView } from './components/DetailsView';
|
import { DetailsView } from './components/DetailsView';
|
||||||
import { InvestigationView } from './components/InvestigationView';
|
import { InvestigationView } from './components/InvestigationView';
|
||||||
@ -21,6 +21,7 @@ import { HeaderFingerprintView } from './components/HeaderFingerprintView';
|
|||||||
import { MLFeaturesView } from './components/MLFeaturesView';
|
import { MLFeaturesView } from './components/MLFeaturesView';
|
||||||
import ClusteringView from './components/ClusteringView';
|
import ClusteringView from './components/ClusteringView';
|
||||||
import { useTheme } from './ThemeContext';
|
import { useTheme } from './ThemeContext';
|
||||||
|
import { useMetrics } from './hooks/useMetrics';
|
||||||
import { Tooltip } from './components/ui/Tooltip';
|
import { Tooltip } from './components/ui/Tooltip';
|
||||||
import { TIPS } from './components/ui/tooltips';
|
import { TIPS } from './components/ui/tooltips';
|
||||||
|
|
||||||
@ -403,31 +404,16 @@ function MainContent({ counts: _counts }: { counts: AlertCounts | null }) {
|
|||||||
// ─── App ──────────────────────────────────────────────────────────────────────
|
// ─── App ──────────────────────────────────────────────────────────────────────
|
||||||
|
|
||||||
export default function App() {
|
export default function App() {
|
||||||
const [counts, setCounts] = useState<AlertCounts | null>(null);
|
const { data: metricsData } = useMetrics();
|
||||||
|
|
||||||
const fetchCounts = useCallback(async () => {
|
const counts = metricsData
|
||||||
try {
|
? {
|
||||||
const res = await fetch('/api/metrics');
|
critical: metricsData.summary.critical_count ?? 0,
|
||||||
if (res.ok) {
|
high: metricsData.summary.high_count ?? 0,
|
||||||
const data = await res.json();
|
medium: metricsData.summary.medium_count ?? 0,
|
||||||
const s = data.summary;
|
total: metricsData.summary.total_detections ?? 0,
|
||||||
setCounts({
|
|
||||||
critical: s.critical_count ?? 0,
|
|
||||||
high: s.high_count ?? 0,
|
|
||||||
medium: s.medium_count ?? 0,
|
|
||||||
total: s.total_detections ?? 0,
|
|
||||||
});
|
|
||||||
}
|
}
|
||||||
} catch {
|
: null;
|
||||||
// silently ignore — metrics are informational
|
|
||||||
}
|
|
||||||
}, []);
|
|
||||||
|
|
||||||
useEffect(() => {
|
|
||||||
fetchCounts();
|
|
||||||
const id = setInterval(fetchCounts, 30_000);
|
|
||||||
return () => clearInterval(id);
|
|
||||||
}, [fetchCounts]);
|
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<BrowserRouter>
|
<BrowserRouter>
|
||||||
|
|||||||
@ -147,11 +147,6 @@ export const detectionsApi = {
|
|||||||
};
|
};
|
||||||
|
|
||||||
export const variabilityApi = {
|
export const variabilityApi = {
|
||||||
getVariability: (type: string, value: string) =>
|
getVariability: (type: string, value: string) =>
|
||||||
api.get<VariabilityResponse>(`/variability/${type}/${encodeURIComponent(value)}`),
|
api.get<VariabilityResponse>(`/variability/${type}/${encodeURIComponent(value)}`),
|
||||||
};
|
};
|
||||||
|
|
||||||
export const attributesApi = {
|
|
||||||
getAttributes: (type: string, limit?: number) =>
|
|
||||||
api.get<AttributeListResponse>(`/attributes/${type}`, { params: { limit } }),
|
|
||||||
};
|
|
||||||
|
|||||||
@ -1,5 +1,6 @@
|
|||||||
import { useState, useEffect } from 'react';
|
import { useState, useEffect } from 'react';
|
||||||
import { useNavigate } from 'react-router-dom';
|
import { useNavigate } from 'react-router-dom';
|
||||||
|
import { formatNumber } from '../utils/dateUtils';
|
||||||
|
|
||||||
// ─── Types ────────────────────────────────────────────────────────────────────
|
// ─── Types ────────────────────────────────────────────────────────────────────
|
||||||
|
|
||||||
@ -29,9 +30,6 @@ type SortField = 'unique_ips' | 'unique_countries' | 'targeted_hosts';
|
|||||||
|
|
||||||
// ─── Helpers ──────────────────────────────────────────────────────────────────
|
// ─── Helpers ──────────────────────────────────────────────────────────────────
|
||||||
|
|
||||||
function formatNumber(n: number): string {
|
|
||||||
return n.toLocaleString(navigator.language || undefined);
|
|
||||||
}
|
|
||||||
|
|
||||||
function getCountryFlag(code: string): string {
|
function getCountryFlag(code: string): string {
|
||||||
if (!code || code.length !== 2) return '🌐';
|
if (!code || code.length !== 2) return '🌐';
|
||||||
|
|||||||
@ -3,6 +3,7 @@ import { useNavigate } from 'react-router-dom';
|
|||||||
import DataTable, { Column } from './ui/DataTable';
|
import DataTable, { Column } from './ui/DataTable';
|
||||||
import { InfoTip } from './ui/Tooltip';
|
import { InfoTip } from './ui/Tooltip';
|
||||||
import { TIPS } from './ui/tooltips';
|
import { TIPS } from './ui/tooltips';
|
||||||
|
import { formatNumber } from '../utils/dateUtils';
|
||||||
|
|
||||||
// ─── Types ────────────────────────────────────────────────────────────────────
|
// ─── Types ────────────────────────────────────────────────────────────────────
|
||||||
|
|
||||||
@ -33,9 +34,6 @@ type ActiveTab = 'targets' | 'attackers' | 'timeline';
|
|||||||
|
|
||||||
// ─── Helpers ──────────────────────────────────────────────────────────────────
|
// ─── Helpers ──────────────────────────────────────────────────────────────────
|
||||||
|
|
||||||
function formatNumber(n: number): string {
|
|
||||||
return n.toLocaleString(navigator.language || undefined);
|
|
||||||
}
|
|
||||||
|
|
||||||
// ─── Sub-components ───────────────────────────────────────────────────────────
|
// ─── Sub-components ───────────────────────────────────────────────────────────
|
||||||
|
|
||||||
|
|||||||
@ -2,6 +2,7 @@ import { useState, useEffect, useRef } from 'react';
|
|||||||
import { useNavigate } from 'react-router-dom';
|
import { useNavigate } from 'react-router-dom';
|
||||||
import DataTable, { Column } from './ui/DataTable';
|
import DataTable, { Column } from './ui/DataTable';
|
||||||
import { TIPS } from './ui/tooltips';
|
import { TIPS } from './ui/tooltips';
|
||||||
|
import { formatNumber } from '../utils/dateUtils';
|
||||||
|
|
||||||
// ─── Types ────────────────────────────────────────────────────────────────────
|
// ─── Types ────────────────────────────────────────────────────────────────────
|
||||||
|
|
||||||
@ -27,9 +28,6 @@ interface ClusterIP {
|
|||||||
|
|
||||||
// ─── Helpers ──────────────────────────────────────────────────────────────────
|
// ─── Helpers ──────────────────────────────────────────────────────────────────
|
||||||
|
|
||||||
function formatNumber(n: number): string {
|
|
||||||
return n.toLocaleString(navigator.language || undefined);
|
|
||||||
}
|
|
||||||
|
|
||||||
function mismatchColor(pct: number): string {
|
function mismatchColor(pct: number): string {
|
||||||
if (pct > 50) return 'text-threat-critical';
|
if (pct > 50) return 'text-threat-critical';
|
||||||
|
|||||||
@ -1,4 +1,5 @@
|
|||||||
import { useState, useEffect } from 'react';
|
import { useState, useEffect } from 'react';
|
||||||
|
import { formatNumber } from '../utils/dateUtils';
|
||||||
|
|
||||||
// ─── Types ────────────────────────────────────────────────────────────────────
|
// ─── Types ────────────────────────────────────────────────────────────────────
|
||||||
|
|
||||||
@ -24,9 +25,6 @@ interface HeatmapMatrix {
|
|||||||
|
|
||||||
// ─── Helpers ──────────────────────────────────────────────────────────────────
|
// ─── Helpers ──────────────────────────────────────────────────────────────────
|
||||||
|
|
||||||
function formatNumber(n: number): string {
|
|
||||||
return n.toLocaleString(navigator.language || undefined);
|
|
||||||
}
|
|
||||||
|
|
||||||
function heatmapCellStyle(value: number, maxValue: number): React.CSSProperties {
|
function heatmapCellStyle(value: number, maxValue: number): React.CSSProperties {
|
||||||
if (maxValue === 0 || value === 0) return { backgroundColor: 'transparent' };
|
if (maxValue === 0 || value === 0) return { backgroundColor: 'transparent' };
|
||||||
|
|||||||
@ -2,6 +2,7 @@ import { useState, useEffect, useMemo } from 'react';
|
|||||||
import { useNavigate } from 'react-router-dom';
|
import { useNavigate } from 'react-router-dom';
|
||||||
import DataTable, { Column } from './ui/DataTable';
|
import DataTable, { Column } from './ui/DataTable';
|
||||||
import { TIPS } from './ui/tooltips';
|
import { TIPS } from './ui/tooltips';
|
||||||
|
import { formatNumber } from '../utils/dateUtils';
|
||||||
|
|
||||||
// ─── Types ────────────────────────────────────────────────────────────────────
|
// ─── Types ────────────────────────────────────────────────────────────────────
|
||||||
|
|
||||||
@ -47,9 +48,6 @@ interface ScatterPoint {
|
|||||||
|
|
||||||
// ─── Helpers ──────────────────────────────────────────────────────────────────
|
// ─── Helpers ──────────────────────────────────────────────────────────────────
|
||||||
|
|
||||||
function formatNumber(n: number): string {
|
|
||||||
return n.toLocaleString(navigator.language || undefined);
|
|
||||||
}
|
|
||||||
|
|
||||||
function attackTypeEmoji(type: string): string {
|
function attackTypeEmoji(type: string): string {
|
||||||
switch (type) {
|
switch (type) {
|
||||||
|
|||||||
@ -1,6 +1,6 @@
|
|||||||
import { useState, useEffect } from 'react';
|
import { useState, useEffect } from 'react';
|
||||||
import { useNavigate } from 'react-router-dom';
|
import { useNavigate } from 'react-router-dom';
|
||||||
import { formatDateShort } from '../utils/dateUtils';
|
import { formatDateShort } { formatNumber; } from '../utils/dateUtils'
|
||||||
|
|
||||||
// ─── Types ────────────────────────────────────────────────────────────────────
|
// ─── Types ────────────────────────────────────────────────────────────────────
|
||||||
|
|
||||||
@ -51,9 +51,6 @@ type ActiveTab = 'rotators' | 'persistent' | 'sophistication' | 'hunt';
|
|||||||
|
|
||||||
// ─── Helpers ──────────────────────────────────────────────────────────────────
|
// ─── Helpers ──────────────────────────────────────────────────────────────────
|
||||||
|
|
||||||
function formatNumber(n: number): string {
|
|
||||||
return n.toLocaleString(navigator.language || undefined);
|
|
||||||
}
|
|
||||||
|
|
||||||
function formatDate(iso: string): string {
|
function formatDate(iso: string): string {
|
||||||
if (!iso) return '—';
|
if (!iso) return '—';
|
||||||
|
|||||||
@ -2,6 +2,7 @@ import { useState, useEffect, useMemo } from 'react';
|
|||||||
import { useNavigate } from 'react-router-dom';
|
import { useNavigate } from 'react-router-dom';
|
||||||
import DataTable, { Column } from './ui/DataTable';
|
import DataTable, { Column } from './ui/DataTable';
|
||||||
import { TIPS } from './ui/tooltips';
|
import { TIPS } from './ui/tooltips';
|
||||||
|
import { formatNumber } from '../utils/dateUtils';
|
||||||
|
|
||||||
// ─── Types ────────────────────────────────────────────────────────────────────
|
// ─── Types ────────────────────────────────────────────────────────────────────
|
||||||
|
|
||||||
@ -51,9 +52,6 @@ type ActiveTab = 'detections' | 'matrix';
|
|||||||
|
|
||||||
// ─── Helpers ──────────────────────────────────────────────────────────────────
|
// ─── Helpers ──────────────────────────────────────────────────────────────────
|
||||||
|
|
||||||
function formatNumber(n: number): string {
|
|
||||||
return n.toLocaleString(navigator.language || undefined);
|
|
||||||
}
|
|
||||||
|
|
||||||
function confidenceBar(conf: number): JSX.Element {
|
function confidenceBar(conf: number): JSX.Element {
|
||||||
const pct = Math.round(conf * 100);
|
const pct = Math.round(conf * 100);
|
||||||
|
|||||||
26
frontend/src/components/ui/Feedback.tsx
Normal file
26
frontend/src/components/ui/Feedback.tsx
Normal file
@ -0,0 +1,26 @@
|
|||||||
|
/**
|
||||||
|
* Composants UI réutilisables pour les états de chargement et d'erreur.
|
||||||
|
* Utiliser ces composants plutôt que de re-déclarer des versions locales.
|
||||||
|
*/
|
||||||
|
|
||||||
|
/** Spinner centré — affiché pendant le chargement d'une section. */
|
||||||
|
export function LoadingSpinner() {
|
||||||
|
return (
|
||||||
|
<div className="flex items-center justify-center py-12">
|
||||||
|
<div className="w-8 h-8 border-2 border-accent-primary border-t-transparent rounded-full animate-spin" />
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
interface ErrorMessageProps {
|
||||||
|
message: string;
|
||||||
|
}
|
||||||
|
|
||||||
|
/** Bandeau d'erreur rouge — affiché quand une requête échoue. */
|
||||||
|
export function ErrorMessage({ message }: ErrorMessageProps) {
|
||||||
|
return (
|
||||||
|
<div className="bg-threat-critical/10 border border-threat-critical/30 rounded-lg p-4 text-threat-critical">
|
||||||
|
⚠️ {message}
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
@ -16,23 +16,9 @@ export const CONFIG = {
|
|||||||
/** Clé localStorage pour la préférence de thème */
|
/** Clé localStorage pour la préférence de thème */
|
||||||
THEME_STORAGE_KEY: 'soc_theme',
|
THEME_STORAGE_KEY: 'soc_theme',
|
||||||
|
|
||||||
// ── Pagination ────────────────────────────────────────────────────────────
|
|
||||||
/** Taille de page par défaut pour les listes */
|
|
||||||
DEFAULT_PAGE_SIZE: 50,
|
|
||||||
|
|
||||||
/** Tailles de page disponibles */
|
|
||||||
PAGE_SIZES: [25, 50, 100, 250] as const,
|
|
||||||
|
|
||||||
// ── Rafraîchissement ──────────────────────────────────────────────────────
|
// ── Rafraîchissement ──────────────────────────────────────────────────────
|
||||||
/** Intervalle de rafraîchissement automatique des métriques (ms). 0 = désactivé */
|
/** Intervalle de rafraîchissement automatique des métriques (ms). */
|
||||||
METRICS_REFRESH_MS: 0,
|
METRICS_REFRESH_MS: 30_000,
|
||||||
|
|
||||||
// ── Détections ────────────────────────────────────────────────────────────
|
|
||||||
/** Score d'anomalie en-dessous duquel une IP est considérée critique */
|
|
||||||
CRITICAL_THRESHOLD: -0.5,
|
|
||||||
|
|
||||||
/** Score d'anomalie en-dessous duquel une IP est considérée HIGH */
|
|
||||||
HIGH_THRESHOLD: -0.3,
|
|
||||||
|
|
||||||
// ── Anubis ────────────────────────────────────────────────────────────────
|
// ── Anubis ────────────────────────────────────────────────────────────────
|
||||||
/**
|
/**
|
||||||
@ -49,8 +35,5 @@ export const CONFIG = {
|
|||||||
* WEIGH → trafic suspect — scoré par l'IsolationForest avec signal anubis_is_flagged=1
|
* WEIGH → trafic suspect — scoré par l'IsolationForest avec signal anubis_is_flagged=1
|
||||||
*/
|
*/
|
||||||
ANUBIS_RULES_URL: 'https://github.com/TecharoHQ/anubis/tree/main/data',
|
ANUBIS_RULES_URL: 'https://github.com/TecharoHQ/anubis/tree/main/data',
|
||||||
|
|
||||||
// ── Application ───────────────────────────────────────────────────────────
|
|
||||||
APP_NAME: 'JA4 SOC Dashboard',
|
|
||||||
APP_VERSION: '12',
|
|
||||||
} as const;
|
} as const;
|
||||||
|
|
||||||
|
|||||||
57
frontend/src/hooks/useFetch.ts
Normal file
57
frontend/src/hooks/useFetch.ts
Normal file
@ -0,0 +1,57 @@
|
|||||||
|
import { useState, useEffect } from 'react';
|
||||||
|
|
||||||
|
interface FetchState<T> {
|
||||||
|
data: T | null;
|
||||||
|
loading: boolean;
|
||||||
|
error: string | null;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Hook générique pour les appels fetch avec gestion loading/error.
|
||||||
|
* Annule automatiquement la requête si le composant est démonté
|
||||||
|
* ou si l'URL change avant que la réponse arrive.
|
||||||
|
*
|
||||||
|
* @param url URL relative ou absolue à appeler (typiquement "/api/...")
|
||||||
|
* @param deps Dépendances supplémentaires qui déclenchent un re-fetch
|
||||||
|
* (en plus de url). Équivalent au tableau de deps de useEffect.
|
||||||
|
*
|
||||||
|
* @example
|
||||||
|
* const { data, loading, error } = useFetch<MyType>('/api/metrics');
|
||||||
|
*/
|
||||||
|
export function useFetch<T>(url: string, deps: unknown[] = []): FetchState<T> {
|
||||||
|
const [data, setData] = useState<T | null>(null);
|
||||||
|
const [loading, setLoading] = useState(true);
|
||||||
|
const [error, setError] = useState<string | null>(null);
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
let cancelled = false;
|
||||||
|
|
||||||
|
setLoading(true);
|
||||||
|
setError(null);
|
||||||
|
|
||||||
|
fetch(url)
|
||||||
|
.then((res) => {
|
||||||
|
if (!res.ok) throw new Error(`HTTP ${res.status}: ${res.statusText}`);
|
||||||
|
return res.json() as Promise<T>;
|
||||||
|
})
|
||||||
|
.then((json) => {
|
||||||
|
if (!cancelled) {
|
||||||
|
setData(json);
|
||||||
|
setLoading(false);
|
||||||
|
}
|
||||||
|
})
|
||||||
|
.catch((err: unknown) => {
|
||||||
|
if (!cancelled) {
|
||||||
|
setError(err instanceof Error ? err.message : 'Erreur inconnue');
|
||||||
|
setLoading(false);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
return () => {
|
||||||
|
cancelled = true;
|
||||||
|
};
|
||||||
|
// eslint-disable-next-line react-hooks/exhaustive-deps
|
||||||
|
}, [url, ...deps]);
|
||||||
|
|
||||||
|
return { data, loading, error };
|
||||||
|
}
|
||||||
@ -1,5 +1,6 @@
|
|||||||
import { useState, useEffect } from 'react';
|
import { useState, useEffect } from 'react';
|
||||||
import { metricsApi, MetricsResponse } from '../api/client';
|
import { metricsApi, MetricsResponse } from '../api/client';
|
||||||
|
import { CONFIG } from '../config';
|
||||||
|
|
||||||
export function useMetrics() {
|
export function useMetrics() {
|
||||||
const [data, setData] = useState<MetricsResponse | null>(null);
|
const [data, setData] = useState<MetricsResponse | null>(null);
|
||||||
@ -19,9 +20,7 @@ export function useMetrics() {
|
|||||||
};
|
};
|
||||||
|
|
||||||
fetchMetrics();
|
fetchMetrics();
|
||||||
|
const interval = setInterval(fetchMetrics, CONFIG.METRICS_REFRESH_MS);
|
||||||
// Rafraîchissement automatique toutes les 30 secondes
|
|
||||||
const interval = setInterval(fetchMetrics, 30000);
|
|
||||||
return () => clearInterval(interval);
|
return () => clearInterval(interval);
|
||||||
}, []);
|
}, []);
|
||||||
|
|
||||||
|
|||||||
11
frontend/src/utils/countryUtils.ts
Normal file
11
frontend/src/utils/countryUtils.ts
Normal file
@ -0,0 +1,11 @@
|
|||||||
|
/**
|
||||||
|
* Convertit un code pays ISO 3166-1 alpha-2 en emoji drapeau.
|
||||||
|
* Utilise les Regional Indicator Symbols Unicode (U+1F1E6…U+1F1FF).
|
||||||
|
* Retourne 🌐 pour les codes invalides ou vides.
|
||||||
|
*/
|
||||||
|
export function getCountryFlag(code: string): string {
|
||||||
|
if (!code || code.length !== 2) return '🌐';
|
||||||
|
return code
|
||||||
|
.toUpperCase()
|
||||||
|
.replace(/./g, (char) => String.fromCodePoint(char.charCodeAt(0) + 127397));
|
||||||
|
}
|
||||||
Reference in New Issue
Block a user