Files
Moltbot/src/agents/command-poll-backoff.ts
Sk Akram e5eb5b3e43 feat: add stuck loop detection and exponential backoff infrastructure for agent polling (#17118)
Merged via /review-pr -> /prepare-pr -> /merge-pr.

Prepared head SHA: eebabf679b983e5a660fb3cef371e1303f11f615
Co-authored-by: akramcodez <179671552+akramcodez@users.noreply.github.com>
Co-authored-by: gumadeiras <5599352+gumadeiras@users.noreply.github.com>
Reviewed-by: @gumadeiras
2026-02-16 15:16:35 -05:00

83 lines
2.5 KiB
TypeScript

import type { SessionState } from "../logging/diagnostic-session-state.js";
// Exponential backoff schedule for command polling
const BACKOFF_SCHEDULE_MS = [5000, 10000, 30000, 60000];
/**
* Calculate suggested retry delay based on consecutive no-output poll count.
* Implements exponential backoff schedule: 5s → 10s → 30s → 60s (capped).
*/
export function calculateBackoffMs(consecutiveNoOutputPolls: number): number {
const index = Math.min(consecutiveNoOutputPolls, BACKOFF_SCHEDULE_MS.length - 1);
return BACKOFF_SCHEDULE_MS[index] ?? 60000;
}
/**
* Record a command poll and return suggested retry delay.
* @param state Session state to track polling in
* @param commandId Unique identifier for the command being polled
* @param hasNewOutput Whether this poll returned new output
* @returns Suggested delay in milliseconds before next poll
*/
export function recordCommandPoll(
state: SessionState,
commandId: string,
hasNewOutput: boolean,
): number {
if (!state.commandPollCounts) {
state.commandPollCounts = new Map();
}
const existing = state.commandPollCounts.get(commandId);
const now = Date.now();
if (hasNewOutput) {
state.commandPollCounts.set(commandId, { count: 0, lastPollAt: now });
return BACKOFF_SCHEDULE_MS[0] ?? 5000;
}
const newCount = (existing?.count ?? -1) + 1;
state.commandPollCounts.set(commandId, { count: newCount, lastPollAt: now });
return calculateBackoffMs(newCount);
}
/**
* Get current suggested backoff for a command without modifying state.
* Useful for checking current backoff level.
*/
export function getCommandPollSuggestion(
state: SessionState,
commandId: string,
): number | undefined {
const pollData = state.commandPollCounts?.get(commandId);
if (!pollData) {
return undefined;
}
return calculateBackoffMs(pollData.count);
}
/**
* Reset poll count for a command (e.g., when command completes).
*/
export function resetCommandPollCount(state: SessionState, commandId: string): void {
state.commandPollCounts?.delete(commandId);
}
/**
* Prune stale command poll records (older than 1 hour).
* Call periodically to prevent memory bloat.
*/
export function pruneStaleCommandPolls(state: SessionState, maxAgeMs = 3600000): void {
if (!state.commandPollCounts) {
return;
}
const now = Date.now();
for (const [commandId, data] of state.commandPollCounts.entries()) {
if (now - data.lastPollAt > maxAgeMs) {
state.commandPollCounts.delete(commandId);
}
}
}