- Add TIMEZONE config using system timezone for cron expressions - Filter bot messages by content prefix instead of is_from_me (user shares WhatsApp account with bot) - Format messages as XML for cleaner agent parsing - Update schedule_task tool to clarify local time usage Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com>
139 lines
4.3 KiB
TypeScript
139 lines
4.3 KiB
TypeScript
import fs from 'fs';
|
|
import path from 'path';
|
|
import pino from 'pino';
|
|
import { CronExpressionParser } from 'cron-parser';
|
|
import { getDueTasks, updateTaskAfterRun, logTaskRun, getTaskById, getAllTasks } from './db.js';
|
|
import { ScheduledTask, RegisteredGroup } from './types.js';
|
|
import { GROUPS_DIR, SCHEDULER_POLL_INTERVAL, DATA_DIR, MAIN_GROUP_FOLDER, TIMEZONE } from './config.js';
|
|
import { runContainerAgent, writeTasksSnapshot } from './container-runner.js';
|
|
|
|
const logger = pino({
|
|
level: process.env.LOG_LEVEL || 'info',
|
|
transport: { target: 'pino-pretty', options: { colorize: true } }
|
|
});
|
|
|
|
export interface SchedulerDependencies {
|
|
sendMessage: (jid: string, text: string) => Promise<void>;
|
|
registeredGroups: () => Record<string, RegisteredGroup>;
|
|
getSessions: () => Record<string, string>;
|
|
}
|
|
|
|
async function runTask(task: ScheduledTask, deps: SchedulerDependencies): Promise<void> {
|
|
const startTime = Date.now();
|
|
const groupDir = path.join(GROUPS_DIR, task.group_folder);
|
|
fs.mkdirSync(groupDir, { recursive: true });
|
|
|
|
logger.info({ taskId: task.id, group: task.group_folder }, 'Running scheduled task');
|
|
|
|
const groups = deps.registeredGroups();
|
|
const group = Object.values(groups).find(g => g.folder === task.group_folder);
|
|
|
|
if (!group) {
|
|
logger.error({ taskId: task.id, groupFolder: task.group_folder }, 'Group not found for task');
|
|
logTaskRun({
|
|
task_id: task.id,
|
|
run_at: new Date().toISOString(),
|
|
duration_ms: Date.now() - startTime,
|
|
status: 'error',
|
|
result: null,
|
|
error: `Group not found: ${task.group_folder}`
|
|
});
|
|
return;
|
|
}
|
|
|
|
// Update tasks snapshot for container to read (filtered by group)
|
|
const isMain = task.group_folder === MAIN_GROUP_FOLDER;
|
|
const tasks = getAllTasks();
|
|
writeTasksSnapshot(task.group_folder, isMain, tasks.map(t => ({
|
|
id: t.id,
|
|
groupFolder: t.group_folder,
|
|
prompt: t.prompt,
|
|
schedule_type: t.schedule_type,
|
|
schedule_value: t.schedule_value,
|
|
status: t.status,
|
|
next_run: t.next_run
|
|
})));
|
|
|
|
let result: string | null = null;
|
|
let error: string | null = null;
|
|
|
|
// For group context mode, use the group's current session
|
|
const sessions = deps.getSessions();
|
|
const sessionId = task.context_mode === 'group' ? sessions[task.group_folder] : undefined;
|
|
|
|
try {
|
|
const output = await runContainerAgent(group, {
|
|
prompt: task.prompt,
|
|
sessionId,
|
|
groupFolder: task.group_folder,
|
|
chatJid: task.chat_jid,
|
|
isMain,
|
|
isScheduledTask: true
|
|
});
|
|
|
|
if (output.status === 'error') {
|
|
error = output.error || 'Unknown error';
|
|
} else {
|
|
result = output.result;
|
|
}
|
|
|
|
logger.info({ taskId: task.id, durationMs: Date.now() - startTime }, 'Task completed');
|
|
} catch (err) {
|
|
error = err instanceof Error ? err.message : String(err);
|
|
logger.error({ taskId: task.id, error }, 'Task failed');
|
|
}
|
|
|
|
const durationMs = Date.now() - startTime;
|
|
|
|
logTaskRun({
|
|
task_id: task.id,
|
|
run_at: new Date().toISOString(),
|
|
duration_ms: durationMs,
|
|
status: error ? 'error' : 'success',
|
|
result,
|
|
error
|
|
});
|
|
|
|
let nextRun: string | null = null;
|
|
if (task.schedule_type === 'cron') {
|
|
const interval = CronExpressionParser.parse(task.schedule_value, { tz: TIMEZONE });
|
|
nextRun = interval.next().toISOString();
|
|
} else if (task.schedule_type === 'interval') {
|
|
const ms = parseInt(task.schedule_value, 10);
|
|
nextRun = new Date(Date.now() + ms).toISOString();
|
|
}
|
|
// 'once' tasks have no next run
|
|
|
|
const resultSummary = error ? `Error: ${error}` : (result ? result.slice(0, 200) : 'Completed');
|
|
updateTaskAfterRun(task.id, nextRun, resultSummary);
|
|
}
|
|
|
|
export function startSchedulerLoop(deps: SchedulerDependencies): void {
|
|
logger.info('Scheduler loop started');
|
|
|
|
const loop = async () => {
|
|
try {
|
|
const dueTasks = getDueTasks();
|
|
if (dueTasks.length > 0) {
|
|
logger.info({ count: dueTasks.length }, 'Found due tasks');
|
|
}
|
|
|
|
for (const task of dueTasks) {
|
|
// Re-check task status in case it was paused/cancelled
|
|
const currentTask = getTaskById(task.id);
|
|
if (!currentTask || currentTask.status !== 'active') {
|
|
continue;
|
|
}
|
|
|
|
await runTask(currentTask, deps);
|
|
}
|
|
} catch (err) {
|
|
logger.error({ err }, 'Error in scheduler loop');
|
|
}
|
|
|
|
setTimeout(loop, SCHEDULER_POLL_INTERVAL);
|
|
};
|
|
|
|
loop();
|
|
}
|