Spaces:
Paused
Paused
File size: 12,454 Bytes
8d1819a |
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 |
import asyncio
from datetime import datetime
import json
import random
import re
from python.helpers.tool import Tool, Response
from python.helpers.task_scheduler import (
TaskScheduler, ScheduledTask, AdHocTask, PlannedTask,
serialize_task, TaskState, TaskSchedule, TaskPlan, parse_datetime, serialize_datetime
)
from agent import AgentContext
from python.helpers import persist_chat
from python.helpers.projects import get_context_project_name, load_basic_project_data
DEFAULT_WAIT_TIMEOUT = 300
class SchedulerTool(Tool):
async def execute(self, **kwargs):
if self.method == "list_tasks":
return await self.list_tasks(**kwargs)
elif self.method == "find_task_by_name":
return await self.find_task_by_name(**kwargs)
elif self.method == "show_task":
return await self.show_task(**kwargs)
elif self.method == "run_task":
return await self.run_task(**kwargs)
elif self.method == "delete_task":
return await self.delete_task(**kwargs)
elif self.method == "create_scheduled_task":
return await self.create_scheduled_task(**kwargs)
elif self.method == "create_adhoc_task":
return await self.create_adhoc_task(**kwargs)
elif self.method == "create_planned_task":
return await self.create_planned_task(**kwargs)
elif self.method == "wait_for_task":
return await self.wait_for_task(**kwargs)
else:
return Response(message=f"Unknown method '{self.name}:{self.method}'", break_loop=False)
def _resolve_project_metadata(self) -> tuple[str | None, str | None]:
context = self.agent.context
if not context:
return (None, None)
project_slug = get_context_project_name(context)
if not project_slug:
return (None, None)
try:
metadata = load_basic_project_data(project_slug)
color = metadata.get("color") or None
except Exception:
color = None
return project_slug, color
async def list_tasks(self, **kwargs) -> Response:
state_filter: list[str] | None = kwargs.get("state", None)
type_filter: list[str] | None = kwargs.get("type", None)
next_run_within_filter: int | None = kwargs.get("next_run_within", None)
next_run_after_filter: int | None = kwargs.get("next_run_after", None)
tasks: list[ScheduledTask | AdHocTask | PlannedTask] = TaskScheduler.get().get_tasks()
filtered_tasks = []
for task in tasks:
if state_filter and task.state not in state_filter:
continue
if type_filter and task.type not in type_filter:
continue
if next_run_within_filter and task.get_next_run_minutes() is not None and task.get_next_run_minutes() > next_run_within_filter: # type: ignore
continue
if next_run_after_filter and task.get_next_run_minutes() is not None and task.get_next_run_minutes() < next_run_after_filter: # type: ignore
continue
filtered_tasks.append(serialize_task(task))
return Response(message=json.dumps(filtered_tasks, indent=4), break_loop=False)
async def find_task_by_name(self, **kwargs) -> Response:
name: str = kwargs.get("name", "")
if not name:
return Response(message="Task name is required", break_loop=False)
tasks: list[ScheduledTask | AdHocTask | PlannedTask] = TaskScheduler.get().find_task_by_name(name)
if not tasks:
return Response(message=f"Task not found: {name}", break_loop=False)
return Response(message=json.dumps([serialize_task(task) for task in tasks], indent=4), break_loop=False)
async def show_task(self, **kwargs) -> Response:
task_uuid: str = kwargs.get("uuid", "")
if not task_uuid:
return Response(message="Task UUID is required", break_loop=False)
task: ScheduledTask | AdHocTask | PlannedTask | None = TaskScheduler.get().get_task_by_uuid(task_uuid)
if not task:
return Response(message=f"Task not found: {task_uuid}", break_loop=False)
return Response(message=json.dumps(serialize_task(task), indent=4), break_loop=False)
async def run_task(self, **kwargs) -> Response:
task_uuid: str = kwargs.get("uuid", "")
if not task_uuid:
return Response(message="Task UUID is required", break_loop=False)
task_context: str | None = kwargs.get("context", None)
task: ScheduledTask | AdHocTask | PlannedTask | None = TaskScheduler.get().get_task_by_uuid(task_uuid)
if not task:
return Response(message=f"Task not found: {task_uuid}", break_loop=False)
await TaskScheduler.get().run_task_by_uuid(task_uuid, task_context)
if task.context_id == self.agent.context.id:
break_loop = True # break loop if task is running in the same context, otherwise it would start two conversations in one window
else:
break_loop = False
return Response(message=f"Task started: {task_uuid}", break_loop=break_loop)
async def delete_task(self, **kwargs) -> Response:
task_uuid: str = kwargs.get("uuid", "")
if not task_uuid:
return Response(message="Task UUID is required", break_loop=False)
task: ScheduledTask | AdHocTask | PlannedTask | None = TaskScheduler.get().get_task_by_uuid(task_uuid)
if not task:
return Response(message=f"Task not found: {task_uuid}", break_loop=False)
context = None
if task.context_id:
context = AgentContext.get(task.context_id)
if task.state == TaskState.RUNNING:
if context:
context.reset()
await TaskScheduler.get().update_task(task_uuid, state=TaskState.IDLE)
await TaskScheduler.get().save()
if context and context.id == task.uuid:
AgentContext.remove(context.id)
persist_chat.remove_chat(context.id)
await TaskScheduler.get().remove_task_by_uuid(task_uuid)
if TaskScheduler.get().get_task_by_uuid(task_uuid) is None:
return Response(message=f"Task deleted: {task_uuid}", break_loop=False)
else:
return Response(message=f"Task failed to delete: {task_uuid}", break_loop=False)
async def create_scheduled_task(self, **kwargs) -> Response:
# "name": "XXX",
# "system_prompt": "You are a software developer",
# "prompt": "Send the user an email with a greeting using python and smtp. The user's address is: xxx@yyy.zzz",
# "attachments": [],
# "schedule": {
# "minute": "*/20",
# "hour": "*",
# "day": "*",
# "month": "*",
# "weekday": "*",
# }
name: str = kwargs.get("name", "")
system_prompt: str = kwargs.get("system_prompt", "")
prompt: str = kwargs.get("prompt", "")
attachments: list[str] = kwargs.get("attachments", [])
schedule: dict[str, str] = kwargs.get("schedule", {})
dedicated_context: bool = kwargs.get("dedicated_context", False)
task_schedule = TaskSchedule(
minute=schedule.get("minute", "*"),
hour=schedule.get("hour", "*"),
day=schedule.get("day", "*"),
month=schedule.get("month", "*"),
weekday=schedule.get("weekday", "*"),
)
# Validate cron expression, agent might hallucinate
cron_regex = "^((((\d+,)+\d+|(\d+(\/|-|#)\d+)|\d+L?|\*(\/\d+)?|L(-\d+)?|\?|[A-Z]{3}(-[A-Z]{3})?) ?){5,7})$"
if not re.match(cron_regex, task_schedule.to_crontab()):
return Response(message="Invalid cron expression: " + task_schedule.to_crontab(), break_loop=False)
project_slug, project_color = self._resolve_project_metadata()
task = ScheduledTask.create(
name=name,
system_prompt=system_prompt,
prompt=prompt,
attachments=attachments,
schedule=task_schedule,
context_id=None if dedicated_context else self.agent.context.id,
project_name=project_slug,
project_color=project_color,
)
await TaskScheduler.get().add_task(task)
return Response(message=f"Scheduled task '{name}' created: {task.uuid}", break_loop=False)
async def create_adhoc_task(self, **kwargs) -> Response:
name: str = kwargs.get("name", "")
system_prompt: str = kwargs.get("system_prompt", "")
prompt: str = kwargs.get("prompt", "")
attachments: list[str] = kwargs.get("attachments", [])
token: str = str(random.randint(1000000000000000000, 9999999999999999999))
dedicated_context: bool = kwargs.get("dedicated_context", False)
project_slug, project_color = self._resolve_project_metadata()
task = AdHocTask.create(
name=name,
system_prompt=system_prompt,
prompt=prompt,
attachments=attachments,
token=token,
context_id=None if dedicated_context else self.agent.context.id,
project_name=project_slug,
project_color=project_color,
)
await TaskScheduler.get().add_task(task)
return Response(message=f"Adhoc task '{name}' created: {task.uuid}", break_loop=False)
async def create_planned_task(self, **kwargs) -> Response:
name: str = kwargs.get("name", "")
system_prompt: str = kwargs.get("system_prompt", "")
prompt: str = kwargs.get("prompt", "")
attachments: list[str] = kwargs.get("attachments", [])
plan: list[str] = kwargs.get("plan", [])
dedicated_context: bool = kwargs.get("dedicated_context", False)
# Convert plan to list of datetimes in UTC
todo: list[datetime] = []
for item in plan:
dt = parse_datetime(item)
if dt is None:
return Response(message=f"Invalid datetime: {item}", break_loop=False)
todo.append(dt)
# Create task plan with todo list
task_plan = TaskPlan.create(
todo=todo,
in_progress=None,
done=[]
)
project_slug, project_color = self._resolve_project_metadata()
# Create planned task with task plan
task = PlannedTask.create(
name=name,
system_prompt=system_prompt,
prompt=prompt,
attachments=attachments,
plan=task_plan,
context_id=None if dedicated_context else self.agent.context.id,
project_name=project_slug,
project_color=project_color
)
await TaskScheduler.get().add_task(task)
return Response(message=f"Planned task '{name}' created: {task.uuid}", break_loop=False)
async def wait_for_task(self, **kwargs) -> Response:
task_uuid: str = kwargs.get("uuid", "")
if not task_uuid:
return Response(message="Task UUID is required", break_loop=False)
scheduler = TaskScheduler.get()
task: ScheduledTask | AdHocTask | PlannedTask | None = scheduler.get_task_by_uuid(task_uuid)
if not task:
return Response(message=f"Task not found: {task_uuid}", break_loop=False)
if task.context_id == self.agent.context.id:
return Response(message="You can only wait for tasks running in their own dedicated context.", break_loop=False)
done = False
elapsed = 0
while not done:
await scheduler.reload()
task = scheduler.get_task_by_uuid(task_uuid)
if not task:
return Response(message=f"Task not found: {task_uuid}", break_loop=False)
if task.state == TaskState.RUNNING:
await asyncio.sleep(1)
elapsed += 1
if elapsed > DEFAULT_WAIT_TIMEOUT:
return Response(message=f"Task wait timeout ({DEFAULT_WAIT_TIMEOUT} seconds): {task_uuid}", break_loop=False)
else:
done = True
return Response(
message=f"*Task*: {task_uuid}\n*State*: {task.state}\n*Last run*: {serialize_datetime(task.last_run)}\n*Result*:\n{task.last_result}",
break_loop=False
)
|