feat(ui): add Log tab to diagram detail panel with exchange/processor filtering
All checks were successful
CI / cleanup-branch (push) Has been skipped
CI / build (push) Successful in 1m1s
CI / docker (push) Successful in 56s
CI / deploy-feature (push) Has been skipped
CI / deploy (push) Successful in 38s

This commit is contained in:
hsiegeln
2026-03-28 15:32:55 +01:00
parent 3362417907
commit 626501cb04
3 changed files with 127 additions and 1 deletions

View File

@@ -7,6 +7,7 @@ import { BodyTab } from './tabs/BodyTab';
import { ErrorTab } from './tabs/ErrorTab';
import { ConfigTab } from './tabs/ConfigTab';
import { TimelineTab } from './tabs/TimelineTab';
import { LogTab } from './tabs/LogTab';
import styles from './ExecutionDiagram.module.css';
interface DetailPanelProps {
@@ -24,6 +25,7 @@ const TABS: { key: DetailTab; label: string }[] = [
{ key: 'error', label: 'Error' },
{ key: 'config', label: 'Config' },
{ key: 'timeline', label: 'Timeline' },
{ key: 'log', label: 'Log' },
];
function formatDuration(ms: number | undefined): string {
@@ -158,6 +160,13 @@ export function DetailPanel({
onSelectProcessor={onSelectProcessor}
/>
)}
{activeTab === 'log' && (
<LogTab
applicationName={executionDetail.applicationName}
exchangeId={executionDetail.exchangeId}
processorId={selectedProcessor?.processorId ?? null}
/>
)}
</div>
</div>
);

View File

@@ -0,0 +1,117 @@
import { useState, useMemo } from 'react';
import { useApplicationLogs } from '../../../api/queries/logs';
import type { LogEntryResponse } from '../../../api/queries/logs';
import styles from '../ExecutionDiagram.module.css';
interface LogTabProps {
applicationName: string;
exchangeId?: string;
processorId: string | null;
}
function levelColor(level: string): string {
switch (level?.toUpperCase()) {
case 'ERROR': return 'var(--error)';
case 'WARN': return 'var(--warning)';
case 'DEBUG': return 'var(--text-muted)';
case 'TRACE': return 'var(--text-faint, var(--text-muted))';
default: return 'var(--text-secondary)';
}
}
function formatTime(iso: string): string {
const d = new Date(iso);
const h = String(d.getHours()).padStart(2, '0');
const m = String(d.getMinutes()).padStart(2, '0');
const s = String(d.getSeconds()).padStart(2, '0');
const ms = String(d.getMilliseconds()).padStart(3, '0');
return `${h}:${m}:${s}.${ms}`;
}
export function LogTab({ applicationName, exchangeId, processorId }: LogTabProps) {
const [filter, setFilter] = useState('');
const { data: logs, isLoading } = useApplicationLogs(
applicationName,
undefined,
{ exchangeId, limit: 500 },
);
const entries: LogEntryResponse[] = useMemo(() => {
if (!logs) return [];
let items = logs as LogEntryResponse[];
// If a processor is selected, filter logs by logger name containing the processor ID
if (processorId) {
items = items.filter((e) =>
e.message?.includes(processorId) ||
e.loggerName?.includes(processorId)
);
}
// Text filter
if (filter) {
const q = filter.toLowerCase();
items = items.filter((e) =>
e.message?.toLowerCase().includes(q) ||
e.level?.toLowerCase().includes(q) ||
e.loggerName?.toLowerCase().includes(q)
);
}
return items;
}, [logs, processorId, filter]);
if (isLoading) {
return <div className={styles.emptyState}>Loading logs...</div>;
}
return (
<div style={{ display: 'flex', flexDirection: 'column', height: '100%', minHeight: 0 }}>
<div style={{ padding: '6px 10px', borderBottom: '1px solid var(--border-subtle)' }}>
<input
type="text"
placeholder="Filter logs..."
value={filter}
onChange={(e) => setFilter(e.target.value)}
style={{
width: '100%',
padding: '4px 8px',
fontSize: '11px',
border: '1px solid var(--border-subtle)',
borderRadius: 'var(--radius-sm)',
background: 'var(--bg-surface)',
color: 'var(--text-primary)',
outline: 'none',
fontFamily: 'var(--font-body)',
}}
/>
</div>
<div style={{ flex: 1, overflowY: 'auto', fontSize: '11px', fontFamily: 'var(--font-mono)' }}>
{entries.length === 0 ? (
<div className={styles.emptyState}>
{processorId ? 'No logs for this processor' : 'No logs available'}
</div>
) : (
<table style={{ width: '100%', borderCollapse: 'collapse' }}>
<tbody>
{entries.map((entry, i) => (
<tr key={i} style={{ borderBottom: '1px solid var(--border-subtle)' }}>
<td style={{ padding: '3px 6px', whiteSpace: 'nowrap', color: 'var(--text-muted)' }}>
{formatTime(entry.timestamp)}
</td>
<td style={{ padding: '3px 4px', whiteSpace: 'nowrap', fontWeight: 600, color: levelColor(entry.level), width: '40px' }}>
{entry.level}
</td>
<td style={{ padding: '3px 6px', color: 'var(--text-primary)', wordBreak: 'break-word' }}>
{entry.message}
</td>
</tr>
))}
</tbody>
</table>
)}
</div>
</div>
);
}

View File

@@ -21,4 +21,4 @@ export interface IterationInfo {
type: 'loop' | 'split' | 'multicast';
}
export type DetailTab = 'info' | 'headers' | 'input' | 'output' | 'error' | 'config' | 'timeline';
export type DetailTab = 'info' | 'headers' | 'input' | 'output' | 'error' | 'config' | 'timeline' | 'log';