@agenticmail/enterprise 0.5.375 → 0.5.377
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/README.md +30 -0
- package/dist/agent-heartbeat-3JIAQFMW.js +510 -0
- package/dist/{agent-tools-CUJHKMUN.js → agent-tools-GJUIPPHV.js} +1 -1
- package/dist/browser-tool-HG5THI5H.js +4002 -0
- package/dist/{chunk-BBGCFJWI.js → chunk-BC4VT5GK.js} +19 -19
- package/dist/{chunk-6MR5ICED.js → chunk-MI4NMRKF.js} +39 -17
- package/dist/{chunk-WTYMDT72.js → chunk-OPPT7QRL.js} +2 -2
- package/dist/{chunk-LVKRN4IR.js → chunk-VPWGFA5K.js} +15 -15
- package/dist/cli-agent-HWRINZSE.js +2483 -0
- package/dist/cli-serve-IOSXZHIK.js +286 -0
- package/dist/cli-update-6ZZTT5UR.js +246 -0
- package/dist/cli.js +11 -3
- package/dist/dashboard/app.js +41 -1
- package/dist/index.js +18 -18
- package/dist/routes-NIQHEAV2.js +92 -0
- package/dist/runtime-SUDXHYMB.js +45 -0
- package/dist/server-Q52YXWZD.js +28 -0
- package/dist/setup-C22ILWUJ.js +20 -0
- package/logs/cloudflared-error.log +10 -0
- package/package.json +1 -1
package/README.md
CHANGED
|
@@ -933,6 +933,30 @@ AgenticMail automatically configures itself to survive reboots, crashes, and net
|
|
|
933
933
|
|
|
934
934
|
All persistence setup runs **once on first boot** and writes a marker file. Subsequent boots just save the process list silently.
|
|
935
935
|
|
|
936
|
+
### Self-Update System
|
|
937
|
+
|
|
938
|
+
AgenticMail includes a built-in self-update system — **4 ways to stay current**:
|
|
939
|
+
|
|
940
|
+
| Method | How | Best For |
|
|
941
|
+
|--------|-----|----------|
|
|
942
|
+
| **Dashboard banner** | One-click "Update Now" button when a new version is detected | GUI users |
|
|
943
|
+
| **CLI command** | `agenticmail-enterprise update` | Terminal users |
|
|
944
|
+
| **Auto-update cron** | `agenticmail-enterprise update --cron` — checks every 6 hours | Set and forget |
|
|
945
|
+
| **Background check** | Server checks npm registry on startup + every 6 hours, logs when update available | Awareness |
|
|
946
|
+
|
|
947
|
+
```bash
|
|
948
|
+
# One command to update everything
|
|
949
|
+
agenticmail-enterprise update
|
|
950
|
+
|
|
951
|
+
# Just check, don't install
|
|
952
|
+
agenticmail-enterprise update --check
|
|
953
|
+
|
|
954
|
+
# Set up automatic updates (cron job / Windows Task Scheduler)
|
|
955
|
+
agenticmail-enterprise update --cron
|
|
956
|
+
```
|
|
957
|
+
|
|
958
|
+
The update process: installs the latest npm package globally, finds all AgenticMail PM2 processes, restarts them, and saves the PM2 config. Zero downtime for agents — they restart in seconds.
|
|
959
|
+
|
|
936
960
|
### Production Log Levels
|
|
937
961
|
|
|
938
962
|
| Level | What Shows |
|
|
@@ -988,6 +1012,12 @@ npx @agenticmail/enterprise recover --domain agents.agenticmail.io --key <hex>
|
|
|
988
1012
|
|
|
989
1013
|
# DNS verification
|
|
990
1014
|
npx @agenticmail/enterprise verify-domain
|
|
1015
|
+
|
|
1016
|
+
# Self-update
|
|
1017
|
+
npx @agenticmail/enterprise update # Update + restart all services
|
|
1018
|
+
npx @agenticmail/enterprise update --check # Check for updates without installing
|
|
1019
|
+
npx @agenticmail/enterprise update --cron # Set up automatic updates (every 6 hours)
|
|
1020
|
+
npx @agenticmail/enterprise update --no-restart # Update without restarting PM2
|
|
991
1021
|
```
|
|
992
1022
|
|
|
993
1023
|
---
|
|
@@ -0,0 +1,510 @@
|
|
|
1
|
+
import "./chunk-KFQGP6VL.js";
|
|
2
|
+
|
|
3
|
+
// src/engine/agent-heartbeat.ts
|
|
4
|
+
var DEFAULT_SETTINGS = {
|
|
5
|
+
enabled: true,
|
|
6
|
+
baseIntervalMs: 5 * 6e4,
|
|
7
|
+
// 5 minutes
|
|
8
|
+
maxIntervalMs: 30 * 6e4,
|
|
9
|
+
// 30 minutes
|
|
10
|
+
dampingFactor: 0.5,
|
|
11
|
+
maxBatchSize: 5,
|
|
12
|
+
quietHoursStart: 23,
|
|
13
|
+
quietHoursEnd: 8
|
|
14
|
+
};
|
|
15
|
+
function createUnreadEmailCheck() {
|
|
16
|
+
return {
|
|
17
|
+
id: "unread_emails",
|
|
18
|
+
name: "Unread Emails",
|
|
19
|
+
intervalMs: 10 * 6e4,
|
|
20
|
+
// 10 minutes
|
|
21
|
+
priority: "high",
|
|
22
|
+
requiresClockIn: false,
|
|
23
|
+
// emails can be urgent outside hours
|
|
24
|
+
consecutiveNoOps: 0,
|
|
25
|
+
enabled: true,
|
|
26
|
+
check: async (ctx) => {
|
|
27
|
+
try {
|
|
28
|
+
const rows = await ctx.db.query(
|
|
29
|
+
`SELECT COUNT(*) as cnt FROM agent_memory
|
|
30
|
+
WHERE agent_id = $1
|
|
31
|
+
AND category = 'processed_email'
|
|
32
|
+
AND created_at > NOW() - INTERVAL '4 hours'`,
|
|
33
|
+
[ctx.agentId]
|
|
34
|
+
);
|
|
35
|
+
const processedRecently = parseInt(rows?.[0]?.cnt || "0");
|
|
36
|
+
const lastProcessed = await ctx.db.query(
|
|
37
|
+
`SELECT MAX(created_at) as last_at FROM agent_memory
|
|
38
|
+
WHERE agent_id = $1 AND category = 'processed_email'`,
|
|
39
|
+
[ctx.agentId]
|
|
40
|
+
);
|
|
41
|
+
const lastAt = lastProcessed?.[0]?.last_at;
|
|
42
|
+
if (ctx.isWorkHours && processedRecently === 0 && ctx.hour >= 10) {
|
|
43
|
+
return {
|
|
44
|
+
needsAction: true,
|
|
45
|
+
summary: "No emails processed in the last 4 hours during work hours. Check inbox.",
|
|
46
|
+
priority: "medium",
|
|
47
|
+
data: { lastProcessedAt: lastAt }
|
|
48
|
+
};
|
|
49
|
+
}
|
|
50
|
+
return { needsAction: false, priority: "low" };
|
|
51
|
+
} catch {
|
|
52
|
+
return { needsAction: false, priority: "low" };
|
|
53
|
+
}
|
|
54
|
+
}
|
|
55
|
+
};
|
|
56
|
+
}
|
|
57
|
+
function createUpcomingEventsCheck() {
|
|
58
|
+
return {
|
|
59
|
+
id: "upcoming_events",
|
|
60
|
+
name: "Upcoming Calendar Events",
|
|
61
|
+
intervalMs: 15 * 6e4,
|
|
62
|
+
// 15 minutes
|
|
63
|
+
priority: "high",
|
|
64
|
+
requiresClockIn: false,
|
|
65
|
+
consecutiveNoOps: 0,
|
|
66
|
+
enabled: true,
|
|
67
|
+
check: async (ctx) => {
|
|
68
|
+
try {
|
|
69
|
+
const _twoHoursFromNow = new Date(ctx.now.getTime() + 2 * 60 * 60 * 1e3).toISOString();
|
|
70
|
+
const rows = await ctx.db.query(
|
|
71
|
+
`SELECT content FROM agent_memory
|
|
72
|
+
WHERE agent_id = $1
|
|
73
|
+
AND category = 'context'
|
|
74
|
+
AND content LIKE '%meeting%'
|
|
75
|
+
AND created_at > NOW() - INTERVAL '24 hours'
|
|
76
|
+
ORDER BY created_at DESC LIMIT 5`,
|
|
77
|
+
[ctx.agentId]
|
|
78
|
+
);
|
|
79
|
+
const upcomingMeetings = (rows || []).filter((r) => {
|
|
80
|
+
const content = r.content || "";
|
|
81
|
+
return content.includes("meeting") || content.includes("event");
|
|
82
|
+
});
|
|
83
|
+
if (upcomingMeetings.length > 0) {
|
|
84
|
+
return {
|
|
85
|
+
needsAction: true,
|
|
86
|
+
summary: `${upcomingMeetings.length} potential upcoming event(s). Agent should check Google Calendar.`,
|
|
87
|
+
priority: "high",
|
|
88
|
+
data: { count: upcomingMeetings.length }
|
|
89
|
+
};
|
|
90
|
+
}
|
|
91
|
+
return { needsAction: false, priority: "low" };
|
|
92
|
+
} catch {
|
|
93
|
+
return { needsAction: false, priority: "low" };
|
|
94
|
+
}
|
|
95
|
+
}
|
|
96
|
+
};
|
|
97
|
+
}
|
|
98
|
+
function createStaleSessionsCheck() {
|
|
99
|
+
return {
|
|
100
|
+
id: "stale_sessions",
|
|
101
|
+
name: "Stale Sessions",
|
|
102
|
+
intervalMs: 30 * 6e4,
|
|
103
|
+
// 30 minutes
|
|
104
|
+
priority: "medium",
|
|
105
|
+
requiresClockIn: true,
|
|
106
|
+
consecutiveNoOps: 0,
|
|
107
|
+
enabled: true,
|
|
108
|
+
check: async (ctx) => {
|
|
109
|
+
try {
|
|
110
|
+
const rows = await ctx.db.query(
|
|
111
|
+
`SELECT COUNT(*) as cnt FROM agent_sessions
|
|
112
|
+
WHERE agent_id = $1
|
|
113
|
+
AND status = 'active'
|
|
114
|
+
AND updated_at < NOW() - INTERVAL '2 hours'`,
|
|
115
|
+
[ctx.agentId]
|
|
116
|
+
);
|
|
117
|
+
const staleCount = parseInt(rows?.[0]?.cnt || "0");
|
|
118
|
+
if (staleCount > 0) {
|
|
119
|
+
return {
|
|
120
|
+
needsAction: true,
|
|
121
|
+
summary: `${staleCount} stale session(s) detected (active > 2 hours with no updates). May need cleanup.`,
|
|
122
|
+
priority: "medium",
|
|
123
|
+
data: { staleCount }
|
|
124
|
+
};
|
|
125
|
+
}
|
|
126
|
+
return { needsAction: false, priority: "low" };
|
|
127
|
+
} catch {
|
|
128
|
+
return { needsAction: false, priority: "low" };
|
|
129
|
+
}
|
|
130
|
+
}
|
|
131
|
+
};
|
|
132
|
+
}
|
|
133
|
+
function createMemoryHealthCheck() {
|
|
134
|
+
return {
|
|
135
|
+
id: "memory_health",
|
|
136
|
+
name: "Memory Health",
|
|
137
|
+
intervalMs: 60 * 6e4,
|
|
138
|
+
// 1 hour
|
|
139
|
+
priority: "low",
|
|
140
|
+
requiresClockIn: true,
|
|
141
|
+
consecutiveNoOps: 0,
|
|
142
|
+
enabled: true,
|
|
143
|
+
check: async (ctx) => {
|
|
144
|
+
try {
|
|
145
|
+
const rows = await ctx.db.query(
|
|
146
|
+
`SELECT COUNT(*) as cnt FROM agent_memory
|
|
147
|
+
WHERE agent_id = $1 AND created_at > NOW() - INTERVAL '24 hours'`,
|
|
148
|
+
[ctx.agentId]
|
|
149
|
+
);
|
|
150
|
+
const recentCount = parseInt(rows?.[0]?.cnt || "0");
|
|
151
|
+
if (recentCount > 200) {
|
|
152
|
+
return {
|
|
153
|
+
needsAction: true,
|
|
154
|
+
summary: `Memory flood detected: ${recentCount} memories in 24h (threshold: 200). Consider pruning.`,
|
|
155
|
+
priority: "medium",
|
|
156
|
+
data: { recentCount }
|
|
157
|
+
};
|
|
158
|
+
}
|
|
159
|
+
return { needsAction: false, priority: "low" };
|
|
160
|
+
} catch {
|
|
161
|
+
return { needsAction: false, priority: "low" };
|
|
162
|
+
}
|
|
163
|
+
}
|
|
164
|
+
};
|
|
165
|
+
}
|
|
166
|
+
function createUnansweredChatCheck() {
|
|
167
|
+
return {
|
|
168
|
+
id: "unanswered_chat",
|
|
169
|
+
name: "Unanswered Chat Messages",
|
|
170
|
+
intervalMs: 5 * 6e4,
|
|
171
|
+
// 5 minutes
|
|
172
|
+
priority: "high",
|
|
173
|
+
requiresClockIn: false,
|
|
174
|
+
consecutiveNoOps: 0,
|
|
175
|
+
enabled: true,
|
|
176
|
+
check: async (ctx) => {
|
|
177
|
+
try {
|
|
178
|
+
const rows = await ctx.db.query(
|
|
179
|
+
`SELECT COUNT(*) as cnt FROM agent_sessions
|
|
180
|
+
WHERE agent_id = $1
|
|
181
|
+
AND status = 'failed'
|
|
182
|
+
AND metadata::text LIKE '%chat%'
|
|
183
|
+
AND created_at > NOW() - INTERVAL '1 hour'`,
|
|
184
|
+
[ctx.agentId]
|
|
185
|
+
);
|
|
186
|
+
const failedChats = parseInt(rows?.[0]?.cnt || "0");
|
|
187
|
+
if (failedChats > 0) {
|
|
188
|
+
return {
|
|
189
|
+
needsAction: true,
|
|
190
|
+
summary: `${failedChats} failed chat session(s) in the last hour. Messages may be unanswered.`,
|
|
191
|
+
priority: "urgent",
|
|
192
|
+
data: { failedChats }
|
|
193
|
+
};
|
|
194
|
+
}
|
|
195
|
+
return { needsAction: false, priority: "low" };
|
|
196
|
+
} catch {
|
|
197
|
+
return { needsAction: false, priority: "low" };
|
|
198
|
+
}
|
|
199
|
+
}
|
|
200
|
+
};
|
|
201
|
+
}
|
|
202
|
+
function createTaskDeadlineCheck() {
|
|
203
|
+
return {
|
|
204
|
+
id: "task_deadlines",
|
|
205
|
+
name: "Task Deadlines",
|
|
206
|
+
intervalMs: 60 * 6e4,
|
|
207
|
+
// 1 hour
|
|
208
|
+
priority: "medium",
|
|
209
|
+
requiresClockIn: true,
|
|
210
|
+
consecutiveNoOps: 0,
|
|
211
|
+
enabled: true,
|
|
212
|
+
check: async (ctx) => {
|
|
213
|
+
try {
|
|
214
|
+
const rows = await ctx.db.query(
|
|
215
|
+
`SELECT COUNT(*) as cnt FROM agent_memory
|
|
216
|
+
WHERE agent_id = $1
|
|
217
|
+
AND category = 'context'
|
|
218
|
+
AND importance = 'high'
|
|
219
|
+
AND content LIKE '%deadline%'
|
|
220
|
+
AND created_at > NOW() - INTERVAL '48 hours'`,
|
|
221
|
+
[ctx.agentId]
|
|
222
|
+
);
|
|
223
|
+
const urgentTasks = parseInt(rows?.[0]?.cnt || "0");
|
|
224
|
+
if (urgentTasks > 0) {
|
|
225
|
+
return {
|
|
226
|
+
needsAction: true,
|
|
227
|
+
summary: `${urgentTasks} task(s) with approaching deadlines. Agent should review and prioritize.`,
|
|
228
|
+
priority: "high",
|
|
229
|
+
data: { urgentTasks }
|
|
230
|
+
};
|
|
231
|
+
}
|
|
232
|
+
return { needsAction: false, priority: "low" };
|
|
233
|
+
} catch {
|
|
234
|
+
return { needsAction: false, priority: "low" };
|
|
235
|
+
}
|
|
236
|
+
}
|
|
237
|
+
};
|
|
238
|
+
}
|
|
239
|
+
function createErrorRateCheck() {
|
|
240
|
+
return {
|
|
241
|
+
id: "error_rate",
|
|
242
|
+
name: "Error Rate Monitor",
|
|
243
|
+
intervalMs: 15 * 6e4,
|
|
244
|
+
// 15 minutes
|
|
245
|
+
priority: "high",
|
|
246
|
+
requiresClockIn: false,
|
|
247
|
+
// errors can happen anytime
|
|
248
|
+
consecutiveNoOps: 0,
|
|
249
|
+
enabled: true,
|
|
250
|
+
check: async (ctx) => {
|
|
251
|
+
try {
|
|
252
|
+
const totalRows = await ctx.db.query(
|
|
253
|
+
`SELECT COUNT(*) as cnt FROM agent_sessions
|
|
254
|
+
WHERE agent_id = $1 AND created_at > NOW() - INTERVAL '1 hour'`,
|
|
255
|
+
[ctx.agentId]
|
|
256
|
+
);
|
|
257
|
+
const failedRows = await ctx.db.query(
|
|
258
|
+
`SELECT COUNT(*) as cnt FROM agent_sessions
|
|
259
|
+
WHERE agent_id = $1 AND status = 'failed' AND created_at > NOW() - INTERVAL '1 hour'`,
|
|
260
|
+
[ctx.agentId]
|
|
261
|
+
);
|
|
262
|
+
const total = parseInt(totalRows?.[0]?.cnt || "0");
|
|
263
|
+
const failed = parseInt(failedRows?.[0]?.cnt || "0");
|
|
264
|
+
if (total >= 3 && failed / total > 0.5) {
|
|
265
|
+
return {
|
|
266
|
+
needsAction: true,
|
|
267
|
+
summary: `High error rate: ${failed}/${total} sessions failed in the last hour (${Math.round(failed / total * 100)}%). Possible infrastructure issue.`,
|
|
268
|
+
priority: "urgent",
|
|
269
|
+
data: { total, failed, rate: failed / total }
|
|
270
|
+
};
|
|
271
|
+
}
|
|
272
|
+
return { needsAction: false, priority: "low" };
|
|
273
|
+
} catch {
|
|
274
|
+
return { needsAction: false, priority: "low" };
|
|
275
|
+
}
|
|
276
|
+
}
|
|
277
|
+
};
|
|
278
|
+
}
|
|
279
|
+
var AgentHeartbeatManager = class {
|
|
280
|
+
config;
|
|
281
|
+
settings;
|
|
282
|
+
checks = /* @__PURE__ */ new Map();
|
|
283
|
+
tickTimer = null;
|
|
284
|
+
globalConsecutiveNoOps = 0;
|
|
285
|
+
lastActionTimestamp = 0;
|
|
286
|
+
stats = {
|
|
287
|
+
totalTicks: 0,
|
|
288
|
+
totalChecksRun: 0,
|
|
289
|
+
totalActionsTriggered: 0,
|
|
290
|
+
totalTokensSaved: 0,
|
|
291
|
+
// estimated tokens NOT spent due to no-op ticks
|
|
292
|
+
startedAt: Date.now()
|
|
293
|
+
};
|
|
294
|
+
constructor(config, settings) {
|
|
295
|
+
this.config = config;
|
|
296
|
+
this.settings = { ...DEFAULT_SETTINGS, ...settings };
|
|
297
|
+
this.registerCheck(createUnreadEmailCheck());
|
|
298
|
+
this.registerCheck(createUpcomingEventsCheck());
|
|
299
|
+
this.registerCheck(createStaleSessionsCheck());
|
|
300
|
+
this.registerCheck(createMemoryHealthCheck());
|
|
301
|
+
this.registerCheck(createUnansweredChatCheck());
|
|
302
|
+
this.registerCheck(createTaskDeadlineCheck());
|
|
303
|
+
this.registerCheck(createErrorRateCheck());
|
|
304
|
+
if (config.enabledChecks) {
|
|
305
|
+
for (const [id, enabled] of Object.entries(config.enabledChecks)) {
|
|
306
|
+
const check = this.checks.get(id);
|
|
307
|
+
if (check) check.enabled = enabled;
|
|
308
|
+
}
|
|
309
|
+
}
|
|
310
|
+
}
|
|
311
|
+
registerCheck(check) {
|
|
312
|
+
this.checks.set(check.id, check);
|
|
313
|
+
}
|
|
314
|
+
async start() {
|
|
315
|
+
if (!this.settings.enabled) {
|
|
316
|
+
console.log("[heartbeat] Disabled, skipping");
|
|
317
|
+
return;
|
|
318
|
+
}
|
|
319
|
+
console.log(`[heartbeat] Starting with ${this.checks.size} checks, base interval ${this.settings.baseIntervalMs / 1e3}s`);
|
|
320
|
+
setTimeout(() => this.tick(), 6e4);
|
|
321
|
+
this.scheduleNextTick();
|
|
322
|
+
}
|
|
323
|
+
stop() {
|
|
324
|
+
if (this.tickTimer) {
|
|
325
|
+
clearTimeout(this.tickTimer);
|
|
326
|
+
this.tickTimer = null;
|
|
327
|
+
}
|
|
328
|
+
console.log(`[heartbeat] Stopped. Stats: ${this.stats.totalTicks} ticks, ${this.stats.totalChecksRun} checks, ${this.stats.totalActionsTriggered} actions, ~${this.stats.totalTokensSaved} tokens saved`);
|
|
329
|
+
}
|
|
330
|
+
getStats() {
|
|
331
|
+
return {
|
|
332
|
+
...this.stats,
|
|
333
|
+
uptimeMs: Date.now() - this.stats.startedAt,
|
|
334
|
+
currentIntervalMs: this.calculateInterval(),
|
|
335
|
+
globalConsecutiveNoOps: this.globalConsecutiveNoOps,
|
|
336
|
+
checks: Array.from(this.checks.values()).map((c) => ({
|
|
337
|
+
id: c.id,
|
|
338
|
+
name: c.name,
|
|
339
|
+
enabled: c.enabled,
|
|
340
|
+
lastRunAt: c.lastRunAt,
|
|
341
|
+
lastActionAt: c.lastActionAt,
|
|
342
|
+
consecutiveNoOps: c.consecutiveNoOps
|
|
343
|
+
}))
|
|
344
|
+
};
|
|
345
|
+
}
|
|
346
|
+
// ─── Core Tick Logic ────────────────────────────────
|
|
347
|
+
async tick() {
|
|
348
|
+
this.stats.totalTicks++;
|
|
349
|
+
const now = /* @__PURE__ */ new Date();
|
|
350
|
+
const tz = this.config.timezone || "UTC";
|
|
351
|
+
const localTime = new Date(now.toLocaleString("en-US", { timeZone: tz }));
|
|
352
|
+
const hour = localTime.getHours();
|
|
353
|
+
const minute = localTime.getMinutes();
|
|
354
|
+
const dayOfWeek = localTime.getDay();
|
|
355
|
+
const isWorkHours = this.isWithinWorkHours(hour, minute, dayOfWeek);
|
|
356
|
+
const isQuietHours = this.isQuietHours(hour);
|
|
357
|
+
const isClockedIn = this.config.isClockedIn();
|
|
358
|
+
const ctx = {
|
|
359
|
+
agentId: this.config.agentId,
|
|
360
|
+
orgId: this.config.orgId,
|
|
361
|
+
agentName: this.config.agentName,
|
|
362
|
+
role: this.config.role,
|
|
363
|
+
managerEmail: this.config.managerEmail,
|
|
364
|
+
timezone: tz,
|
|
365
|
+
db: this.config.db,
|
|
366
|
+
now,
|
|
367
|
+
localTime,
|
|
368
|
+
hour,
|
|
369
|
+
minute,
|
|
370
|
+
dayOfWeek,
|
|
371
|
+
isWorkHours,
|
|
372
|
+
isClockedIn
|
|
373
|
+
};
|
|
374
|
+
const actionableItems = [];
|
|
375
|
+
for (const check of this.checks.values()) {
|
|
376
|
+
if (!check.enabled) continue;
|
|
377
|
+
if (check.requiresClockIn && !isClockedIn) continue;
|
|
378
|
+
if (isQuietHours && check.priority !== "high") continue;
|
|
379
|
+
const adaptiveInterval = Math.min(
|
|
380
|
+
check.intervalMs * (1 + this.settings.dampingFactor * check.consecutiveNoOps),
|
|
381
|
+
this.settings.maxIntervalMs
|
|
382
|
+
);
|
|
383
|
+
const timeSinceLastRun = now.getTime() - (check.lastRunAt || 0);
|
|
384
|
+
if (timeSinceLastRun < adaptiveInterval) continue;
|
|
385
|
+
this.stats.totalChecksRun++;
|
|
386
|
+
check.lastRunAt = now.getTime();
|
|
387
|
+
try {
|
|
388
|
+
const result = await check.check(ctx);
|
|
389
|
+
if (result.needsAction) {
|
|
390
|
+
actionableItems.push({ check, result });
|
|
391
|
+
check.consecutiveNoOps = 0;
|
|
392
|
+
check.lastActionAt = now.getTime();
|
|
393
|
+
} else {
|
|
394
|
+
check.consecutiveNoOps++;
|
|
395
|
+
this.stats.totalTokensSaved += 500;
|
|
396
|
+
}
|
|
397
|
+
} catch (err) {
|
|
398
|
+
console.warn(`[heartbeat] Check ${check.id} error: ${err.message}`);
|
|
399
|
+
check.consecutiveNoOps++;
|
|
400
|
+
}
|
|
401
|
+
}
|
|
402
|
+
if (actionableItems.length > 0) {
|
|
403
|
+
this.globalConsecutiveNoOps = 0;
|
|
404
|
+
this.lastActionTimestamp = now.getTime();
|
|
405
|
+
this.stats.totalActionsTriggered++;
|
|
406
|
+
const priorityOrder = { urgent: 0, high: 1, medium: 2, low: 3 };
|
|
407
|
+
actionableItems.sort((a, b) => priorityOrder[a.result.priority] - priorityOrder[b.result.priority]);
|
|
408
|
+
const batch = actionableItems.slice(0, this.settings.maxBatchSize);
|
|
409
|
+
await this.dispatchBatch(batch, ctx);
|
|
410
|
+
} else {
|
|
411
|
+
this.globalConsecutiveNoOps++;
|
|
412
|
+
}
|
|
413
|
+
this.scheduleNextTick();
|
|
414
|
+
}
|
|
415
|
+
/**
|
|
416
|
+
* Calculate next tick interval using damped oscillator model:
|
|
417
|
+
* interval = base * (1 + damping * consecutiveNoOps)
|
|
418
|
+
*
|
|
419
|
+
* With fibonacci-like acceleration:
|
|
420
|
+
* After 0 no-ops: 5min (base)
|
|
421
|
+
* After 1 no-op: 7.5min
|
|
422
|
+
* After 2 no-ops: 10min
|
|
423
|
+
* After 4 no-ops: 15min
|
|
424
|
+
* After 8 no-ops: 25min
|
|
425
|
+
* After 10 no-ops: 30min (max)
|
|
426
|
+
*
|
|
427
|
+
* Resets to base immediately when action is detected.
|
|
428
|
+
*/
|
|
429
|
+
calculateInterval() {
|
|
430
|
+
const base = this.settings.baseIntervalMs;
|
|
431
|
+
const max = this.settings.maxIntervalMs;
|
|
432
|
+
const damping = this.settings.dampingFactor;
|
|
433
|
+
const noOps = this.globalConsecutiveNoOps;
|
|
434
|
+
return Math.min(base * (1 + damping * noOps), max);
|
|
435
|
+
}
|
|
436
|
+
scheduleNextTick() {
|
|
437
|
+
if (this.tickTimer) clearTimeout(this.tickTimer);
|
|
438
|
+
const interval = this.calculateInterval();
|
|
439
|
+
this.tickTimer = setTimeout(() => this.tick(), interval);
|
|
440
|
+
this.tickTimer.unref();
|
|
441
|
+
}
|
|
442
|
+
isWithinWorkHours(hour, minute, dayOfWeek) {
|
|
443
|
+
const schedule = this.config.schedule;
|
|
444
|
+
if (!schedule) return true;
|
|
445
|
+
const isWorkday = schedule.days.includes(dayOfWeek);
|
|
446
|
+
const timeStr = `${String(hour).padStart(2, "0")}:${String(minute).padStart(2, "0")}`;
|
|
447
|
+
const isWithinHours = timeStr >= schedule.start && timeStr < schedule.end;
|
|
448
|
+
return isWorkday && isWithinHours;
|
|
449
|
+
}
|
|
450
|
+
isQuietHours(hour) {
|
|
451
|
+
const start = this.settings.quietHoursStart;
|
|
452
|
+
const end = this.settings.quietHoursEnd;
|
|
453
|
+
if (start === void 0 || end === void 0) return false;
|
|
454
|
+
if (start > end) {
|
|
455
|
+
return hour >= start || hour < end;
|
|
456
|
+
}
|
|
457
|
+
return hour >= start && hour < end;
|
|
458
|
+
}
|
|
459
|
+
/**
|
|
460
|
+
* Dispatch a batch of actionable items to the agent via one LLM session.
|
|
461
|
+
* This is the ONLY place tokens are spent.
|
|
462
|
+
*/
|
|
463
|
+
async dispatchBatch(items, ctx) {
|
|
464
|
+
if (!this.config.runtime) {
|
|
465
|
+
console.warn("[heartbeat] No runtime \u2014 cannot dispatch actions");
|
|
466
|
+
return;
|
|
467
|
+
}
|
|
468
|
+
try {
|
|
469
|
+
const { guardrails } = await import("./routes-NIQHEAV2.js");
|
|
470
|
+
const status = await guardrails.getStatus(ctx.agentId);
|
|
471
|
+
if (status.paused || status.offDuty) {
|
|
472
|
+
console.log(`[heartbeat] Skipping action dispatch \u2014 agent is ${status.offDuty ? "off duty" : "paused"}`);
|
|
473
|
+
return;
|
|
474
|
+
}
|
|
475
|
+
} catch {
|
|
476
|
+
}
|
|
477
|
+
const summaries = items.map(
|
|
478
|
+
(item, i) => `${i + 1}. [${item.result.priority.toUpperCase()}] ${item.check.name}: ${item.result.summary}`
|
|
479
|
+
).join("\n");
|
|
480
|
+
const prompt = `HEARTBEAT ALERT \u2014 The following ${items.length} item(s) need your attention:
|
|
481
|
+
|
|
482
|
+
${summaries}
|
|
483
|
+
|
|
484
|
+
For each item, take the appropriate action:
|
|
485
|
+
- For unread emails: Check your inbox with gmail_search and respond to any urgent ones.
|
|
486
|
+
- For upcoming events: Check google_calendar_list for the next 2 hours and prepare.
|
|
487
|
+
- For stale sessions: Review and close any stuck sessions.
|
|
488
|
+
- For unanswered chats: Check Google Chat and respond.
|
|
489
|
+
- For error rate issues: Investigate recent failures and notify your manager if critical.
|
|
490
|
+
- For task deadlines: Review google_tasks_list and prioritize.
|
|
491
|
+
- For memory health: Consider pruning old or low-importance memories.
|
|
492
|
+
|
|
493
|
+
Be efficient \u2014 handle what you can and note what needs human intervention.
|
|
494
|
+
If something needs your manager's attention, email ${ctx.managerEmail || "your manager"}.`;
|
|
495
|
+
const systemPrompt = `You are ${ctx.agentName}, a ${ctx.role}. This is an automated heartbeat check \u2014 items flagged as needing attention. Handle them efficiently. Don't create unnecessary work \u2014 only act on what's genuinely important.`;
|
|
496
|
+
try {
|
|
497
|
+
const session = await this.config.runtime.spawnSession({
|
|
498
|
+
agentId: ctx.agentId,
|
|
499
|
+
message: prompt,
|
|
500
|
+
systemPrompt
|
|
501
|
+
});
|
|
502
|
+
console.log(`[heartbeat] \u2705 Action session ${session.id} dispatched (${items.length} items: ${items.map((i) => i.check.id).join(", ")})`);
|
|
503
|
+
} catch (err) {
|
|
504
|
+
console.error(`[heartbeat] Failed to dispatch action: ${err.message}`);
|
|
505
|
+
}
|
|
506
|
+
}
|
|
507
|
+
};
|
|
508
|
+
export {
|
|
509
|
+
AgentHeartbeatManager
|
|
510
|
+
};
|
|
@@ -13743,7 +13743,7 @@ async function createAllTools(options) {
|
|
|
13743
13743
|
var enterpriseBrowserTools = [];
|
|
13744
13744
|
if (options?.useEnterpriseBrowser) {
|
|
13745
13745
|
try {
|
|
13746
|
-
var { createEnterpriseBrowserTool: createEB } = await import("./browser-tool-
|
|
13746
|
+
var { createEnterpriseBrowserTool: createEB } = await import("./browser-tool-HG5THI5H.js");
|
|
13747
13747
|
var ebTool = createEB(options.browserConfig);
|
|
13748
13748
|
enterpriseBrowserTools = [ebTool];
|
|
13749
13749
|
} catch (_e) {
|