Skip to content
Draft
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
107 changes: 107 additions & 0 deletions src/App.css
Original file line number Diff line number Diff line change
Expand Up @@ -450,6 +450,113 @@ body {
.col-time { width: 60px; color: var(--color-text-dim); }
.col-command { flex: 1; overflow: hidden; text-overflow: ellipsis; white-space: nowrap; }

/* Alert Bar */
.alert-bar {
display: flex;
align-items: center;
gap: 12px;
padding: 8px 16px;
border-radius: 12px;
border: 1px solid var(--border-color);
flex-shrink: 0;
transition: opacity 0.2s ease;
}

.alert-bar.alert-flash-off {
opacity: 0.4;
}

.alert-bar.alert-info {
background: linear-gradient(145deg, rgba(52, 211, 153, 0.1) 0%, rgba(13, 18, 25, 0.8) 100%);
border-color: rgba(52, 211, 153, 0.3);
}

.alert-bar.alert-warn {
background: linear-gradient(145deg, rgba(251, 191, 36, 0.1) 0%, rgba(13, 18, 25, 0.8) 100%);
border-color: rgba(251, 191, 36, 0.3);
}

.alert-bar.alert-critical {
background: linear-gradient(145deg, rgba(248, 113, 113, 0.15) 0%, rgba(13, 18, 25, 0.8) 100%);
border-color: rgba(248, 113, 113, 0.4);
}

.alert-icon {
font-weight: 900;
font-size: 12px;
width: 22px;
height: 22px;
display: flex;
align-items: center;
justify-content: center;
border-radius: 50%;
}

.alert-info .alert-icon {
color: var(--color-green);
background: rgba(52, 211, 153, 0.15);
}

.alert-warn .alert-icon {
color: var(--color-yellow);
background: rgba(251, 191, 36, 0.15);
}

.alert-critical .alert-icon {
color: var(--color-red);
background: rgba(248, 113, 113, 0.15);
}

.alert-messages {
display: flex;
gap: 16px;
flex: 1;
}

.alert-msg {
font-size: 11px;
font-weight: 600;
letter-spacing: 0.5px;
}

.alert-msg-info { color: var(--color-green); }
.alert-msg-warn { color: var(--color-yellow); }
.alert-msg-critical { color: var(--color-red); }

.alert-timestamp {
color: var(--color-text-dim);
font-size: 10px;
margin-left: auto;
}

/* Status Indicator */
.status-indicator {
display: flex;
align-items: center;
gap: 6px;
}

.status-dot {
width: 8px;
height: 8px;
border-radius: 50%;
background: var(--color-green);
opacity: 0.3;
transition: opacity 0.3s ease;
}

.status-dot.active {
opacity: 1;
box-shadow: 0 0 8px var(--color-green), 0 0 16px rgba(52, 211, 153, 0.4);
}

.status-text {
color: var(--color-green);
font-size: 10px;
font-weight: 700;
letter-spacing: 2px;
}

/* Status Bar */
.status-bar {
display: flex;
Expand Down
3 changes: 3 additions & 0 deletions src/App.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -4,6 +4,7 @@ import { CpuGraph } from './components/CpuGraph';
import { MemoryGraph } from './components/MemoryGraph';
import { ProcessTable } from './components/ProcessTable';
import { StatusBar } from './components/StatusBar';
import { AlertBar } from './components/AlertBar';
import { EnvironmentPanel } from './components/EnvironmentPanel';
import { useSystemMetrics } from './hooks/useSystemMetrics';
import './App.css';
Expand Down Expand Up @@ -71,6 +72,8 @@ function App() {

<EnvironmentPanel filter={filter} />

<AlertBar cpuUsage={metrics.cpuUsage} memPercent={metrics.memPercent} />
Copy link
Copy Markdown

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

⚠️ Potential issue | 🔴 Critical

🧩 Analysis chain

🏁 Script executed:

#!/bin/bash
# Verify the cpuUsage type contract across call site and component props.
rg -n -C3 'interface AlertBarProps|cpuUsage:' src/components/AlertBar.tsx
rg -n -C3 'interface SystemMetrics|cpuUsage:' src/types.ts
rg -n -C3 '<AlertBar|cpuUsage=\{metrics\.cpuUsage' src/App.tsx

Repository: coderabbit-demo/btop

Length of output: 1174


Pass numeric CPU percentages into AlertBar.

At line 75, metrics.cpuUsage is CpuUsage[] but AlertBar expects number[]. The component's getAlerts function will fail when it tries to compute the average with .reduce((a, b) => a + b, 0).

Fix
-      <AlertBar cpuUsage={metrics.cpuUsage} memPercent={metrics.memPercent} />
+      <AlertBar cpuUsage={metrics.cpuUsage.map((core) => core.usage)} memPercent={metrics.memPercent} />
📝 Committable suggestion

‼️ IMPORTANT
Carefully review the code before committing. Ensure that it accurately replaces the highlighted code, contains no missing lines, and has no issues with indentation. Thoroughly test & benchmark the code to ensure it meets the requirements.

Suggested change
<AlertBar cpuUsage={metrics.cpuUsage} memPercent={metrics.memPercent} />
<AlertBar cpuUsage={metrics.cpuUsage.map((core) => core.usage)} memPercent={metrics.memPercent} />
🤖 Prompt for AI Agents
Verify each finding against the current code and only fix it if needed.

In `@src/App.tsx` at line 75, metrics.cpuUsage is an array of CpuUsage objects but
AlertBar (and its getAlerts) expects number[]; update the prop passed to
AlertBar so you convert metrics.cpuUsage into an array of numeric percentages
(e.g., map CpuUsage objects to their percent/value field) before passing it in,
or change the producer to expose a cpuPercent array; specifically modify the
usage around AlertBar to pass a number[] derived from metrics.cpuUsage (refer to
AlertBar and metrics.cpuUsage) so .reduce in getAlerts operates on numbers.


<StatusBar
filter={filter}
onFilterChange={setFilter}
Expand Down
66 changes: 66 additions & 0 deletions src/components/AlertBar.tsx
Original file line number Diff line number Diff line change
@@ -0,0 +1,66 @@
import { useState, useEffect } from 'react';

interface AlertBarProps {
cpuUsage: number[];
memPercent: number;
}

function getAlerts(cpuUsage: number[], memPercent: number): { message: string; level: 'info' | 'warn' | 'critical' }[] {
const alerts: { message: string; level: 'info' | 'warn' | 'critical' }[] = [];
const avgCpu = cpuUsage.reduce((a, b) => a + b, 0) / cpuUsage.length;

Comment on lines +8 to +11
Copy link
Copy Markdown

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

⚠️ Potential issue | 🟡 Minor

Handle empty CPU samples before averaging.

At Line 10, dividing by cpuUsage.length can produce NaN when the array is empty, which suppresses CPU alerting logic.

💡 Proposed fix
-  const avgCpu = cpuUsage.reduce((a, b) => a + b, 0) / cpuUsage.length;
+  const avgCpu =
+    cpuUsage.length > 0
+      ? cpuUsage.reduce((a, b) => a + b, 0) / cpuUsage.length
+      : 0;
🤖 Prompt for AI Agents
Verify each finding against the current code and only fix it if needed.

In `@src/components/AlertBar.tsx` around lines 8 - 11, The avgCpu calculation in
getAlerts uses cpuUsage.reduce(...) / cpuUsage.length which yields NaN for an
empty cpuUsage array; update getAlerts to handle empty samples before averaging
by checking cpuUsage.length === 0 and either early-return appropriate alerts (or
set avgCpu = 0) so downstream CPU alert logic uses a safe numeric value; locate
the getAlerts function and adjust the avgCpu computation/flow to guard against
empty cpuUsage arrays (reference: getAlerts, avgCpu, cpuUsage).

if (avgCpu > 90) {
alerts.push({ message: 'CPU usage critical', level: 'critical' });
} else if (avgCpu > 70) {
alerts.push({ message: 'CPU usage high', level: 'warn' });
}

if (memPercent > 90) {
alerts.push({ message: 'Memory usage critical', level: 'critical' });
} else if (memPercent > 70) {
alerts.push({ message: 'Memory usage high', level: 'warn' });
}

if (alerts.length === 0) {
alerts.push({ message: 'All systems nominal', level: 'info' });
}

return alerts;
}

export function AlertBar({ cpuUsage, memPercent }: AlertBarProps) {
const [visible, setVisible] = useState(true);
const alerts = getAlerts(cpuUsage, memPercent);
const hasWarnings = alerts.some((a) => a.level !== 'info');

useEffect(() => {
if (!hasWarnings) return;
const interval = setInterval(() => {
setVisible((prev) => !prev);
}, 800);
return () => clearInterval(interval);
}, [hasWarnings]);

const highestLevel = alerts.reduce<'info' | 'warn' | 'critical'>((max, a) => {
const order = { info: 0, warn: 1, critical: 2 };
return order[a.level] > order[max] ? a.level : max;
}, 'info');

return (
<div className={`alert-bar alert-${highestLevel} ${hasWarnings && !visible ? 'alert-flash-off' : ''}`}>
<span className="alert-icon">
{highestLevel === 'critical' ? '!!' : highestLevel === 'warn' ? '!' : '~'}
</span>
<div className="alert-messages">
{alerts.map((alert, i) => (
<span key={i} className={`alert-msg alert-msg-${alert.level}`}>
{alert.message}
</span>
))}
</div>
<span className="alert-timestamp">
{new Date().toLocaleTimeString()}
</span>
</div>
);
}
4 changes: 2 additions & 2 deletions src/components/MemoryBar.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -8,9 +8,9 @@ interface MemoryBarProps {
function formatBytes(bytes: number): string {
if (bytes === 0) return '0 B';
const k = 1024;
const sizes = ['B', 'K', 'M', 'G', 'T'];
const sizes = ['B', 'KB', 'MB', 'GB', 'TB'];
const i = Math.floor(Math.log(bytes) / Math.log(k));
return parseFloat((bytes / Math.pow(k, i)).toFixed(1)) + sizes[i];
return parseFloat((bytes / Math.pow(k, i)).toFixed(1)) + ' ' + sizes[i];
}

export function MemoryBar({ label, used, total, percent }: MemoryBarProps) {
Expand Down
6 changes: 3 additions & 3 deletions src/components/MemoryGraph.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -63,7 +63,7 @@ export function MemoryGraph({ used, total, percent }: MemoryGraphProps) {
<div className="graph-header">
<span className="graph-title">Memory</span>
<span className="graph-value" style={{ color }}>
{percent}%
{formatBytes(used)} / {formatBytes(total)} ({percent}%)
</span>
</div>
<div className="graph-container">
Expand Down Expand Up @@ -113,15 +113,15 @@ export function MemoryGraph({ used, total, percent }: MemoryGraphProps) {
<div className="memory-stats">
<span className="memory-stat">
<span className="stat-label">Used</span>
<span className="stat-value" style={{ color }}>{formatBytes(used)}</span>
<span className="stat-value" style={{ color }}>{formatBytes(used)} ({percent}%)</span>
</span>
<span className="memory-stat">
<span className="stat-label">Total</span>
<span className="stat-value">{formatBytes(total)}</span>
</span>
<span className="memory-stat">
<span className="stat-label">Free</span>
<span className="stat-value" style={{ color: '#34d399' }}>{formatBytes(total - used)}</span>
<span className="stat-value" style={{ color: '#34d399' }}>{formatBytes(total - used)} ({total > 0 ? Math.round(((total - used) / total) * 100) : 0}%)</span>
</span>
</div>
</div>
Expand Down
15 changes: 15 additions & 0 deletions src/components/StatusBar.tsx
Original file line number Diff line number Diff line change
@@ -1,3 +1,5 @@
import { useState, useEffect } from 'react';

interface StatusBarProps {
filter: string;
onFilterChange: (filter: string) => void;
Expand All @@ -6,6 +8,15 @@ interface StatusBarProps {
}

export function StatusBar({ filter, onFilterChange, refreshRate, onRefreshRateChange }: StatusBarProps) {
const [statusActive, setStatusActive] = useState(true);

useEffect(() => {
const interval = setInterval(() => {
setStatusActive((prev) => !prev);
}, 1000);
return () => clearInterval(interval);
}, []);

const shortcuts = [
{ key: 'F1', label: 'Help' },
{ key: 'F2', label: 'Setup' },
Expand All @@ -19,6 +30,10 @@ export function StatusBar({ filter, onFilterChange, refreshRate, onRefreshRateCh

return (
<div className="status-bar">
<div className="status-indicator">
<span className={`status-dot ${statusActive ? 'active' : ''}`} />
<span className="status-text">LIVE</span>
</div>
<div className="filter-section">
<span className="filter-label">Filter:</span>
<input
Expand Down
Loading