File size: 14,452 Bytes
068bc7f | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 | """ScheduleCronTool β schedule prompts for later/recurring execution.
Schedules are stored in ~/.stack-2.9/schedules.json.
Supports standard 5-field cron expressions in local time:
minute hour day-of-month month day-of-week
Examples:
"*/5 * * * *" every 5 minutes
"0 9 * * *" 9am daily
"30 14 * * 1-5" weekdays at 2:30pm
"0 0 1 * *" midnight on the 1st of each month
"""
from __future__ import annotations
import json
import os
import re
import uuid
from dataclasses import dataclass, asdict
from datetime import datetime, timezone, timedelta
from typing import Any
from .base import BaseTool, ToolResult
from .registry import get_registry
TOOL_NAME = "ScheduleCron"
DATA_DIR = os.path.expanduser("~/.stack-2.9")
SCHEDULES_FILE = os.path.join(DATA_DIR, "schedules.json")
DEFAULT_MAX_AGE_DAYS = 30
def _load_schedules() -> list[dict[str, Any]]:
os.makedirs(DATA_DIR, exist_ok=True)
if os.path.exists(SCHEDULES_FILE):
try:
with open(SCHEDULES_FILE) as f:
return json.load(f)
except Exception:
pass
return []
def _save_schedules(schedules: list[dict[str, Any]]) -> None:
os.makedirs(DATA_DIR, exist_ok=True)
with open(SCHEDULES_FILE, "w") as f:
json.dump(schedules, f, indent=2, default=str)
# ββ cron parsing helpers ββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# 5-field cron: minute hour day-of-month month day-of-week
CRON_RE = re.compile(
r"^"
r"(\*|([0-5]?\d))" # minute
r"\s+"
r"(\*|([01]?\d|2[0-3]))" # hour
r"\s+"
r"(\*|([12]?\d|3[01]))" # day-of-month
r"\s+"
r"(\*|(1[0-2]|0?[1-9]))" # month
r"\s+"
r"(\*|([0-6]))" # day-of-week
r"$"
)
def parse_cron(cron: str) -> tuple[bool, str | None]:
"""Validate a 5-field cron expression. Returns (valid, error)."""
parts = cron.split()
if len(parts) != 5:
return False, f"Expected 5 fields, got {len(parts)}"
minute, hour, dom, month, dow = parts
def check_field(name: str, value: str, max_val: int) -> str | None:
if value == "*":
return None
if value.isdigit():
v = int(value)
if 0 <= v <= max_val:
return None
return f"{name}={v} out of range [0,{max_val}]"
if "/" in value:
base, step = value.split("/", 1)
if step.isdigit() and int(step) > 0:
if base == "*" or (base.isdigit() and 0 <= int(base) <= max_val):
return None
return f"Invalid {name} step: {value}"
if "-" in value:
start, end = value.split("-", 1)
if start.isdigit() and end.isdigit():
if 0 <= int(start) <= max_val and 0 <= int(end) <= max_val:
return None
return f"Invalid {name} range: {value}"
return f"Invalid {name}: {value}"
for name, val, maxv in [
("minute", minute, 59),
("hour", hour, 23),
("day-of-month", dom, 31),
("month", month, 12),
("day-of-week", dow, 6),
]:
err = check_field(name, val, maxv)
if err:
return False, f"Invalid cron field: {err}"
return True, None
def cron_to_human(cron: str) -> str:
"""Convert a cron expression to a human-readable string."""
minute, hour, dom, month, dow = cron.split()
# Common patterns
if cron == "* * * * *":
return "every minute"
if minute.startswith("*/") and hour == "*" and dom == "*" and month == "*" and dow == "*":
step = minute[2:]
return f"every {step} minutes"
if hour.startswith("*/") and minute == "0" and dom == "*" and month == "*" and dow == "*":
step = hour[2:]
return f"every {step} hours"
if minute == "0" and hour == "*" and dom == "*" and month == "*" and dow == "*":
return "every hour"
if minute != "*" and hour != "*" and dom == "*" and month == "*" and dow == "*":
h = int(hour) if hour.isdigit() else hour
m = int(minute) if minute.isdigit() else minute
period = "am" if h < 12 else "pm"
h12 = h % 12 or 12
return f"daily at {h12}:{m:02d} {period}"
if dom != "*" and month != "*":
return f"on day {dom} of month {month} at {hour}:{minute}"
if dow != "*" and dow.isdigit():
days = ["Sun", "Mon", "Tue", "Wed", "Thu", "Fri", "Sat"]
return f"weekly on {days[int(dow)]} at {hour}:{minute}"
return f"at {hour}:{minute}"
def next_cron_run(cron: str, from_time: datetime | None = None) -> datetime | None:
"""Return the next datetime this cron expression fires after from_time.
This is a simplified implementation that handles common cases.
For production, consider using croniter.
"""
if from_time is None:
from_time = datetime.now()
minute, hour, dom, month, dow = cron.split()
now = from_time
# Simple approach: check each minute for the next 525600 minutes (1 year)
for delta_minutes in range(1, 525601):
candidate = now + timedelta(minutes=delta_minutes)
if candidate.month == 1 and candidate.year > now.year + 1:
return None # Beyond our horizon
# Check each field
def matches(val: str, actual: int, max_val: int) -> bool:
if val == "*":
return True
if "/" in val:
base, step = val.split("/", 1)
base_v = int(base) if base != "*" else 0
step_v = int(step)
return (actual - base_v) % step_v == 0
if "-" in val:
start, end = val.split("-")
return int(start) <= actual <= int(end)
return int(val) == actual
if not matches(minute, candidate.minute, 59):
continue
if not matches(hour, candidate.hour, 23):
continue
if not matches(dom, candidate.day, 31):
continue
if not matches(month, candidate.month, 12):
continue
if not matches(dow, candidate.weekday(), 6):
continue
return candidate.replace(second=0, microsecond=0)
return None
# ββ tool classes ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
class CronCreateTool(BaseTool[dict[str, Any], dict[str, Any]]):
"""Schedule a prompt for later or recurring execution.
Parameters
----------
cron : str
Standard 5-field cron expression in local time
(minute hour day-of-month month day-of-week).
Examples: "*/5 * * * *" (every 5 min), "30 14 * * *" (2:30pm daily).
prompt : str
The text to execute/send when the schedule fires.
recurring : bool, optional
True (default) = fire on every cron match.
False = fire once, then auto-delete.
durable : bool, optional
True = persist to ~/.stack-2.9/schedules.json (survives restarts).
False (default) = session-only, dies when the process exits.
"""
name = "CronCreate"
description = (
"Schedule a prompt to run at a future time β "
"either recurring on a cron schedule, or once at a specific time."
)
search_hint = "schedule a recurring or one-shot prompt"
@property
def input_schema(self) -> dict[str, Any]:
return {
"type": "object",
"properties": {
"cron": {
"type": "string",
"description": (
"Standard 5-field cron in local time: "
"min hour day-of-month month day-of-week. "
'e.g. "*/5 * * * *" = every 5 min, '
'"30 14 * * *" = 2:30pm daily.'
),
},
"prompt": {"type": "string", "description": "Text to execute when fired."},
"recurring": {
"type": "boolean",
"description": "True (default) = recurring; False = one-shot",
"default": True,
},
"durable": {
"type": "boolean",
"description": "True = persist to disk; False = session-only (default)",
"default": False,
},
},
"required": ["cron", "prompt"],
}
def validate_input(self, input_data: dict[str, Any]) -> tuple[bool, str | None]:
valid, err = parse_cron(input_data.get("cron", ""))
if not valid:
return False, f"Invalid cron expression: {err}"
if not input_data.get("prompt"):
return False, "Error: prompt is required"
schedules = _load_schedules()
if len(schedules) >= 50:
return False, f"Too many scheduled jobs (max 50). Delete one first."
return True, None
def execute(self, input_data: dict[str, Any]) -> ToolResult[dict[str, Any]]:
cron = input_data["cron"]
prompt = input_data["prompt"]
recurring = input_data.get("recurring", True)
durable = input_data.get("durable", False)
schedule_id = str(uuid.uuid4())[:8]
next_run = next_cron_run(cron)
schedule = {
"id": schedule_id,
"cron": cron,
"prompt": prompt,
"recurring": recurring,
"durable": durable,
"human_schedule": cron_to_human(cron),
"next_run": next_run.isoformat() if next_run else None,
"created_at": datetime.now(timezone.utc).isoformat(),
"last_run": None,
"run_count": 0,
}
if durable:
schedules = _load_schedules()
schedules.append(schedule)
_save_schedules(schedules)
return ToolResult(
success=True,
data={
"id": schedule_id,
"cron": cron,
"human_schedule": cron_to_human(cron),
"recurring": recurring,
"durable": durable,
"next_run": schedule["next_run"],
},
)
def map_result_to_message(self, result: dict, tool_use_id: str | None = None) -> str:
where = f"Persisted to {SCHEDULES_FILE}" if result.get("durable") else "Session-only"
recurring = "Recurring" if result.get("recurring") else "One-shot"
return (
f"{recurring} job {result['id']} scheduled ({result['human_schedule']}). "
f"{where}. Next run: {result.get('next_run', 'unknown')}"
)
class CronListTool(BaseTool[dict[str, Any], dict[str, Any]]):
"""List all scheduled cron jobs.
Parameters
----------
(none)
"""
name = "CronList"
description = "List all scheduled cron jobs."
search_hint = "list active cron jobs"
@property
def input_schema(self) -> dict[str, Any]:
return {"type": "object", "properties": {}}
def execute(self, input_data: dict[str, Any]) -> ToolResult[dict[str, Any]]:
schedules = _load_schedules()
return ToolResult(
success=True,
data={
"jobs": [
{
"id": s["id"],
"cron": s["cron"],
"human_schedule": s.get("human_schedule", cron_to_human(s["cron"])),
"prompt": s["prompt"],
"recurring": s.get("recurring", True),
"durable": s.get("durable", False),
"next_run": s.get("next_run"),
"last_run": s.get("last_run"),
"run_count": s.get("run_count", 0),
}
for s in schedules
],
"total": len(schedules),
},
)
def map_result_to_message(self, result: dict, tool_use_id: str | None = None) -> str:
jobs = result.get("jobs", [])
if not jobs:
return "No scheduled jobs."
lines = [f"{result['total']} scheduled job(s):\n"]
for j in jobs:
durable = " [durable]" if j.get("durable") else " [session-only]"
recurring = "β»" if j.get("recurring") else "β‘"
next_run = j.get("next_run", "unknown")
lines.append(
f" {recurring} {j['id']}{durable} β {j['human_schedule']} | "
f"next: {next_run} | \"{j['prompt'][:60]}...\""
)
return "\n".join(lines)
class CronDeleteTool(BaseTool[dict[str, Any], dict[str, Any]]):
"""Delete a scheduled cron job by ID.
Parameters
----------
id : str
The schedule ID to cancel (required).
"""
name = "CronDelete"
description = "Cancel a scheduled cron job by ID."
search_hint = "cancel a scheduled cron job"
@property
def input_schema(self) -> dict[str, Any]:
return {
"type": "object",
"properties": {
"id": {"type": "string", "description": "Schedule ID to cancel"},
},
"required": ["id"],
}
def validate_input(self, input_data: dict[str, Any]) -> tuple[bool, str | None]:
if not input_data.get("id"):
return False, "Error: id is required"
return True, None
def execute(self, input_data: dict[str, Any]) -> ToolResult[dict[str, Any]]:
schedules = _load_schedules()
schedule_id = input_data["id"]
original_len = len(schedules)
schedules = [s for s in schedules if s["id"] != schedule_id]
if len(schedules) == original_len:
return ToolResult(success=False, error=f"Schedule #{schedule_id} not found")
_save_schedules(schedules)
return ToolResult(success=True, data={"id": schedule_id, "deleted": True})
def map_result_to_message(self, result: dict, tool_use_id: str | None = None) -> str:
return f"Schedule #{result['id']} cancelled."
# Register all cron tools
_registry = get_registry()
_registry.register(CronCreateTool())
_registry.register(CronListTool())
_registry.register(CronDeleteTool())
|