agent-runtime-core 0.4.0__py3-none-any.whl → 0.5.1__py3-none-any.whl
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.
- agent_runtime_core/__init__.py +19 -1
- agent_runtime_core/interfaces.py +8 -0
- agent_runtime_core/steps.py +373 -0
- {agent_runtime_core-0.4.0.dist-info → agent_runtime_core-0.5.1.dist-info}/METADATA +96 -4
- {agent_runtime_core-0.4.0.dist-info → agent_runtime_core-0.5.1.dist-info}/RECORD +7 -6
- {agent_runtime_core-0.4.0.dist-info → agent_runtime_core-0.5.1.dist-info}/licenses/LICENSE +1 -1
- {agent_runtime_core-0.4.0.dist-info → agent_runtime_core-0.5.1.dist-info}/WHEEL +0 -0
agent_runtime_core/__init__.py
CHANGED
|
@@ -34,7 +34,7 @@ Example usage:
|
|
|
34
34
|
return RunResult(final_output={"message": "Hello!"})
|
|
35
35
|
"""
|
|
36
36
|
|
|
37
|
-
__version__ = "0.
|
|
37
|
+
__version__ = "0.5.1"
|
|
38
38
|
|
|
39
39
|
# Core interfaces
|
|
40
40
|
from agent_runtime_core.interfaces import (
|
|
@@ -76,6 +76,16 @@ from agent_runtime_core.runner import (
|
|
|
76
76
|
RunContextImpl,
|
|
77
77
|
)
|
|
78
78
|
|
|
79
|
+
# Step execution for long-running multi-step agents
|
|
80
|
+
from agent_runtime_core.steps import (
|
|
81
|
+
Step,
|
|
82
|
+
StepExecutor,
|
|
83
|
+
StepResult,
|
|
84
|
+
StepStatus,
|
|
85
|
+
ExecutionState,
|
|
86
|
+
StepExecutionError,
|
|
87
|
+
StepCancelledError,
|
|
88
|
+
)
|
|
79
89
|
|
|
80
90
|
# Testing utilities
|
|
81
91
|
from agent_runtime_core.testing import (
|
|
@@ -146,6 +156,14 @@ __all__ = [
|
|
|
146
156
|
"AgentRunner",
|
|
147
157
|
"RunnerConfig",
|
|
148
158
|
"RunContextImpl",
|
|
159
|
+
# Step execution
|
|
160
|
+
"Step",
|
|
161
|
+
"StepExecutor",
|
|
162
|
+
"StepResult",
|
|
163
|
+
"StepStatus",
|
|
164
|
+
"ExecutionState",
|
|
165
|
+
"StepExecutionError",
|
|
166
|
+
"StepCancelledError",
|
|
149
167
|
# Testing
|
|
150
168
|
"MockRunContext",
|
|
151
169
|
"MockLLMClient",
|
agent_runtime_core/interfaces.py
CHANGED
|
@@ -41,6 +41,14 @@ class EventType(str, Enum):
|
|
|
41
41
|
# State events
|
|
42
42
|
STATE_CHECKPOINT = "state.checkpoint"
|
|
43
43
|
|
|
44
|
+
# Step execution events (for long-running multi-step agents)
|
|
45
|
+
STEP_STARTED = "step.started"
|
|
46
|
+
STEP_COMPLETED = "step.completed"
|
|
47
|
+
STEP_FAILED = "step.failed"
|
|
48
|
+
STEP_SKIPPED = "step.skipped" # When resuming from checkpoint
|
|
49
|
+
STEP_RETRYING = "step.retrying"
|
|
50
|
+
PROGRESS_UPDATE = "progress.update" # General progress reporting
|
|
51
|
+
|
|
44
52
|
|
|
45
53
|
class Message(TypedDict, total=False):
|
|
46
54
|
"""
|
|
@@ -0,0 +1,373 @@
|
|
|
1
|
+
"""
|
|
2
|
+
Step executor for long-running multi-step agent operations.
|
|
3
|
+
|
|
4
|
+
This module provides a structured way to execute multi-step operations
|
|
5
|
+
with automatic checkpointing, resume capability, retries, and progress
|
|
6
|
+
reporting.
|
|
7
|
+
|
|
8
|
+
Example usage:
|
|
9
|
+
from agent_runtime_core.steps import StepExecutor, Step
|
|
10
|
+
|
|
11
|
+
class MyAgent(AgentRuntime):
|
|
12
|
+
async def run(self, ctx: RunContext) -> RunResult:
|
|
13
|
+
executor = StepExecutor(ctx)
|
|
14
|
+
|
|
15
|
+
result = await executor.run([
|
|
16
|
+
Step("fetch", self.fetch_data),
|
|
17
|
+
Step("process", self.process_data, retries=3),
|
|
18
|
+
Step("validate", self.validate),
|
|
19
|
+
])
|
|
20
|
+
|
|
21
|
+
return RunResult(final_output=result)
|
|
22
|
+
"""
|
|
23
|
+
|
|
24
|
+
import asyncio
|
|
25
|
+
import traceback
|
|
26
|
+
from dataclasses import dataclass, field
|
|
27
|
+
from datetime import datetime
|
|
28
|
+
from enum import Enum
|
|
29
|
+
from typing import Any, Awaitable, Callable, Optional, TypeVar, Union
|
|
30
|
+
from uuid import UUID, uuid4
|
|
31
|
+
|
|
32
|
+
from agent_runtime_core.interfaces import EventType, RunContext
|
|
33
|
+
|
|
34
|
+
|
|
35
|
+
class StepStatus(str, Enum):
|
|
36
|
+
"""Status of a step execution."""
|
|
37
|
+
|
|
38
|
+
PENDING = "pending"
|
|
39
|
+
RUNNING = "running"
|
|
40
|
+
COMPLETED = "completed"
|
|
41
|
+
FAILED = "failed"
|
|
42
|
+
SKIPPED = "skipped"
|
|
43
|
+
CANCELLED = "cancelled"
|
|
44
|
+
|
|
45
|
+
|
|
46
|
+
# Type for step functions: async def step_fn(ctx, state) -> result
|
|
47
|
+
StepFunction = Callable[[RunContext, dict], Awaitable[Any]]
|
|
48
|
+
|
|
49
|
+
|
|
50
|
+
@dataclass
|
|
51
|
+
class Step:
|
|
52
|
+
"""
|
|
53
|
+
Definition of a single step in a multi-step operation.
|
|
54
|
+
|
|
55
|
+
Args:
|
|
56
|
+
name: Unique identifier for this step
|
|
57
|
+
fn: Async function to execute. Receives (ctx, state) and returns result.
|
|
58
|
+
retries: Number of retry attempts on failure (default: 0)
|
|
59
|
+
retry_delay: Seconds to wait between retries (default: 1.0)
|
|
60
|
+
timeout: Optional timeout in seconds for this step
|
|
61
|
+
description: Human-readable description for progress reporting
|
|
62
|
+
checkpoint: Whether to checkpoint after this step (default: True)
|
|
63
|
+
"""
|
|
64
|
+
|
|
65
|
+
name: str
|
|
66
|
+
fn: StepFunction
|
|
67
|
+
retries: int = 0
|
|
68
|
+
retry_delay: float = 1.0
|
|
69
|
+
timeout: Optional[float] = None
|
|
70
|
+
description: Optional[str] = None
|
|
71
|
+
checkpoint: bool = True
|
|
72
|
+
|
|
73
|
+
|
|
74
|
+
@dataclass
|
|
75
|
+
class StepResult:
|
|
76
|
+
"""Result of executing a single step."""
|
|
77
|
+
|
|
78
|
+
name: str
|
|
79
|
+
status: StepStatus
|
|
80
|
+
result: Any = None
|
|
81
|
+
error: Optional[str] = None
|
|
82
|
+
attempts: int = 1
|
|
83
|
+
started_at: Optional[datetime] = None
|
|
84
|
+
completed_at: Optional[datetime] = None
|
|
85
|
+
duration_ms: Optional[float] = None
|
|
86
|
+
|
|
87
|
+
|
|
88
|
+
@dataclass
|
|
89
|
+
class ExecutionState:
|
|
90
|
+
"""
|
|
91
|
+
State of a multi-step execution.
|
|
92
|
+
|
|
93
|
+
This is what gets checkpointed and can be used to resume.
|
|
94
|
+
"""
|
|
95
|
+
|
|
96
|
+
execution_id: UUID = field(default_factory=uuid4)
|
|
97
|
+
current_step_index: int = 0
|
|
98
|
+
completed_steps: list[str] = field(default_factory=list)
|
|
99
|
+
step_results: dict[str, Any] = field(default_factory=dict)
|
|
100
|
+
started_at: datetime = field(default_factory=datetime.utcnow)
|
|
101
|
+
custom_state: dict = field(default_factory=dict)
|
|
102
|
+
|
|
103
|
+
def to_dict(self) -> dict:
|
|
104
|
+
"""Convert to dictionary for checkpointing."""
|
|
105
|
+
return {
|
|
106
|
+
"execution_id": str(self.execution_id),
|
|
107
|
+
"current_step_index": self.current_step_index,
|
|
108
|
+
"completed_steps": self.completed_steps,
|
|
109
|
+
"step_results": self.step_results,
|
|
110
|
+
"started_at": self.started_at.isoformat(),
|
|
111
|
+
"custom_state": self.custom_state,
|
|
112
|
+
}
|
|
113
|
+
|
|
114
|
+
@classmethod
|
|
115
|
+
def from_dict(cls, data: dict) -> "ExecutionState":
|
|
116
|
+
"""Restore from checkpointed dictionary."""
|
|
117
|
+
return cls(
|
|
118
|
+
execution_id=UUID(data["execution_id"]),
|
|
119
|
+
current_step_index=data["current_step_index"],
|
|
120
|
+
completed_steps=data["completed_steps"],
|
|
121
|
+
step_results=data["step_results"],
|
|
122
|
+
started_at=datetime.fromisoformat(data["started_at"]),
|
|
123
|
+
custom_state=data.get("custom_state", {}),
|
|
124
|
+
)
|
|
125
|
+
|
|
126
|
+
|
|
127
|
+
class StepExecutionError(Exception):
|
|
128
|
+
"""Raised when step execution fails after all retries."""
|
|
129
|
+
|
|
130
|
+
def __init__(self, step_name: str, message: str, attempts: int):
|
|
131
|
+
self.step_name = step_name
|
|
132
|
+
self.attempts = attempts
|
|
133
|
+
super().__init__(f"Step '{step_name}' failed after {attempts} attempts: {message}")
|
|
134
|
+
|
|
135
|
+
|
|
136
|
+
class StepCancelledError(Exception):
|
|
137
|
+
"""Raised when execution is cancelled."""
|
|
138
|
+
|
|
139
|
+
def __init__(self, step_name: str):
|
|
140
|
+
self.step_name = step_name
|
|
141
|
+
super().__init__(f"Execution cancelled during step '{step_name}'")
|
|
142
|
+
|
|
143
|
+
|
|
144
|
+
class StepExecutor:
|
|
145
|
+
"""
|
|
146
|
+
Executes a sequence of steps with checkpointing and resume capability.
|
|
147
|
+
|
|
148
|
+
Features:
|
|
149
|
+
- Automatic checkpointing after each step
|
|
150
|
+
- Resume from last checkpoint on restart
|
|
151
|
+
- Per-step retries with configurable delay
|
|
152
|
+
- Progress reporting via events
|
|
153
|
+
- Cancellation support
|
|
154
|
+
- Step-level timeouts
|
|
155
|
+
|
|
156
|
+
Example:
|
|
157
|
+
executor = StepExecutor(ctx)
|
|
158
|
+
|
|
159
|
+
result = await executor.run([
|
|
160
|
+
Step("fetch", fetch_data),
|
|
161
|
+
Step("process", process_data, retries=3),
|
|
162
|
+
Step("save", save_results),
|
|
163
|
+
])
|
|
164
|
+
"""
|
|
165
|
+
|
|
166
|
+
def __init__(
|
|
167
|
+
self,
|
|
168
|
+
ctx: RunContext,
|
|
169
|
+
*,
|
|
170
|
+
checkpoint_key: str = "_step_executor_state",
|
|
171
|
+
cancel_check_interval: float = 0.5,
|
|
172
|
+
):
|
|
173
|
+
"""
|
|
174
|
+
Initialize the step executor.
|
|
175
|
+
|
|
176
|
+
Args:
|
|
177
|
+
ctx: The run context from the agent runtime
|
|
178
|
+
checkpoint_key: Key used for storing execution state
|
|
179
|
+
cancel_check_interval: How often to check for cancellation (seconds)
|
|
180
|
+
"""
|
|
181
|
+
self.ctx = ctx
|
|
182
|
+
self.checkpoint_key = checkpoint_key
|
|
183
|
+
self.cancel_check_interval = cancel_check_interval
|
|
184
|
+
self._state: Optional[ExecutionState] = None
|
|
185
|
+
|
|
186
|
+
async def run(
|
|
187
|
+
self,
|
|
188
|
+
steps: list[Step],
|
|
189
|
+
*,
|
|
190
|
+
initial_state: Optional[dict] = None,
|
|
191
|
+
resume: bool = True,
|
|
192
|
+
) -> dict[str, Any]:
|
|
193
|
+
"""
|
|
194
|
+
Execute a sequence of steps.
|
|
195
|
+
|
|
196
|
+
Args:
|
|
197
|
+
steps: List of steps to execute
|
|
198
|
+
initial_state: Optional initial custom state
|
|
199
|
+
resume: Whether to resume from checkpoint if available
|
|
200
|
+
|
|
201
|
+
Returns:
|
|
202
|
+
Dictionary mapping step names to their results
|
|
203
|
+
|
|
204
|
+
Raises:
|
|
205
|
+
StepExecutionError: If a step fails after all retries
|
|
206
|
+
StepCancelledError: If execution is cancelled
|
|
207
|
+
"""
|
|
208
|
+
# Try to resume from checkpoint
|
|
209
|
+
if resume:
|
|
210
|
+
self._state = await self._load_state()
|
|
211
|
+
|
|
212
|
+
if self._state is None:
|
|
213
|
+
self._state = ExecutionState(
|
|
214
|
+
custom_state=initial_state or {}
|
|
215
|
+
)
|
|
216
|
+
|
|
217
|
+
total_steps = len(steps)
|
|
218
|
+
|
|
219
|
+
for i, step in enumerate(steps):
|
|
220
|
+
# Skip already completed steps
|
|
221
|
+
if step.name in self._state.completed_steps:
|
|
222
|
+
await self.ctx.emit(EventType.STEP_SKIPPED, {
|
|
223
|
+
"step_name": step.name,
|
|
224
|
+
"step_index": i,
|
|
225
|
+
"total_steps": total_steps,
|
|
226
|
+
"reason": "already_completed",
|
|
227
|
+
})
|
|
228
|
+
continue
|
|
229
|
+
|
|
230
|
+
# Check for cancellation
|
|
231
|
+
if self.ctx.cancelled():
|
|
232
|
+
raise StepCancelledError(step.name)
|
|
233
|
+
|
|
234
|
+
# Update state
|
|
235
|
+
self._state.current_step_index = i
|
|
236
|
+
|
|
237
|
+
# Execute the step
|
|
238
|
+
result = await self._execute_step(step, i, total_steps)
|
|
239
|
+
|
|
240
|
+
# Record completion
|
|
241
|
+
self._state.completed_steps.append(step.name)
|
|
242
|
+
self._state.step_results[step.name] = result.result
|
|
243
|
+
|
|
244
|
+
# Checkpoint if enabled
|
|
245
|
+
if step.checkpoint:
|
|
246
|
+
await self._save_state()
|
|
247
|
+
|
|
248
|
+
return self._state.step_results
|
|
249
|
+
|
|
250
|
+
async def _execute_step(
|
|
251
|
+
self,
|
|
252
|
+
step: Step,
|
|
253
|
+
index: int,
|
|
254
|
+
total: int,
|
|
255
|
+
) -> StepResult:
|
|
256
|
+
"""Execute a single step with retries."""
|
|
257
|
+
attempts = 0
|
|
258
|
+
last_error: Optional[str] = None
|
|
259
|
+
|
|
260
|
+
while attempts <= step.retries:
|
|
261
|
+
attempts += 1
|
|
262
|
+
|
|
263
|
+
# Emit started event
|
|
264
|
+
await self.ctx.emit(EventType.STEP_STARTED, {
|
|
265
|
+
"step_name": step.name,
|
|
266
|
+
"step_index": index,
|
|
267
|
+
"total_steps": total,
|
|
268
|
+
"attempt": attempts,
|
|
269
|
+
"max_attempts": step.retries + 1,
|
|
270
|
+
"description": step.description,
|
|
271
|
+
})
|
|
272
|
+
|
|
273
|
+
# Emit progress
|
|
274
|
+
await self.ctx.emit(EventType.PROGRESS_UPDATE, {
|
|
275
|
+
"step_name": step.name,
|
|
276
|
+
"step_index": index,
|
|
277
|
+
"total_steps": total,
|
|
278
|
+
"progress_percent": (index / total) * 100,
|
|
279
|
+
"description": step.description or f"Executing {step.name}",
|
|
280
|
+
})
|
|
281
|
+
|
|
282
|
+
started_at = datetime.utcnow()
|
|
283
|
+
|
|
284
|
+
try:
|
|
285
|
+
# Execute with optional timeout
|
|
286
|
+
if step.timeout:
|
|
287
|
+
result = await asyncio.wait_for(
|
|
288
|
+
step.fn(self.ctx, self._state.custom_state),
|
|
289
|
+
timeout=step.timeout,
|
|
290
|
+
)
|
|
291
|
+
else:
|
|
292
|
+
result = await step.fn(self.ctx, self._state.custom_state)
|
|
293
|
+
|
|
294
|
+
completed_at = datetime.utcnow()
|
|
295
|
+
duration_ms = (completed_at - started_at).total_seconds() * 1000
|
|
296
|
+
|
|
297
|
+
# Emit completed event
|
|
298
|
+
await self.ctx.emit(EventType.STEP_COMPLETED, {
|
|
299
|
+
"step_name": step.name,
|
|
300
|
+
"step_index": index,
|
|
301
|
+
"total_steps": total,
|
|
302
|
+
"attempt": attempts,
|
|
303
|
+
"duration_ms": duration_ms,
|
|
304
|
+
})
|
|
305
|
+
|
|
306
|
+
return StepResult(
|
|
307
|
+
name=step.name,
|
|
308
|
+
status=StepStatus.COMPLETED,
|
|
309
|
+
result=result,
|
|
310
|
+
attempts=attempts,
|
|
311
|
+
started_at=started_at,
|
|
312
|
+
completed_at=completed_at,
|
|
313
|
+
duration_ms=duration_ms,
|
|
314
|
+
)
|
|
315
|
+
|
|
316
|
+
except asyncio.CancelledError:
|
|
317
|
+
raise StepCancelledError(step.name)
|
|
318
|
+
|
|
319
|
+
except asyncio.TimeoutError:
|
|
320
|
+
last_error = f"Step timed out after {step.timeout}s"
|
|
321
|
+
|
|
322
|
+
except Exception as e:
|
|
323
|
+
last_error = f"{type(e).__name__}: {str(e)}"
|
|
324
|
+
|
|
325
|
+
# Check if we should retry
|
|
326
|
+
if attempts <= step.retries:
|
|
327
|
+
await self.ctx.emit(EventType.STEP_RETRYING, {
|
|
328
|
+
"step_name": step.name,
|
|
329
|
+
"step_index": index,
|
|
330
|
+
"attempt": attempts,
|
|
331
|
+
"max_attempts": step.retries + 1,
|
|
332
|
+
"error": last_error,
|
|
333
|
+
"retry_delay": step.retry_delay,
|
|
334
|
+
})
|
|
335
|
+
await asyncio.sleep(step.retry_delay)
|
|
336
|
+
|
|
337
|
+
# All retries exhausted
|
|
338
|
+
await self.ctx.emit(EventType.STEP_FAILED, {
|
|
339
|
+
"step_name": step.name,
|
|
340
|
+
"step_index": index,
|
|
341
|
+
"total_steps": total,
|
|
342
|
+
"attempts": attempts,
|
|
343
|
+
"error": last_error,
|
|
344
|
+
})
|
|
345
|
+
|
|
346
|
+
raise StepExecutionError(step.name, last_error or "Unknown error", attempts)
|
|
347
|
+
|
|
348
|
+
async def _load_state(self) -> Optional[ExecutionState]:
|
|
349
|
+
"""Load execution state from checkpoint."""
|
|
350
|
+
checkpoint = await self.ctx.get_state()
|
|
351
|
+
if checkpoint and self.checkpoint_key in checkpoint:
|
|
352
|
+
try:
|
|
353
|
+
return ExecutionState.from_dict(checkpoint[self.checkpoint_key])
|
|
354
|
+
except (KeyError, ValueError):
|
|
355
|
+
return None
|
|
356
|
+
return None
|
|
357
|
+
|
|
358
|
+
async def _save_state(self) -> None:
|
|
359
|
+
"""Save execution state to checkpoint."""
|
|
360
|
+
checkpoint = await self.ctx.get_state() or {}
|
|
361
|
+
checkpoint[self.checkpoint_key] = self._state.to_dict()
|
|
362
|
+
await self.ctx.checkpoint(checkpoint)
|
|
363
|
+
|
|
364
|
+
@property
|
|
365
|
+
def state(self) -> Optional[ExecutionState]:
|
|
366
|
+
"""Get the current execution state."""
|
|
367
|
+
return self._state
|
|
368
|
+
|
|
369
|
+
def update_custom_state(self, updates: dict) -> None:
|
|
370
|
+
"""Update custom state (will be checkpointed with next step)."""
|
|
371
|
+
if self._state:
|
|
372
|
+
self._state.custom_state.update(updates)
|
|
373
|
+
|
|
@@ -1,10 +1,10 @@
|
|
|
1
1
|
Metadata-Version: 2.4
|
|
2
2
|
Name: agent-runtime-core
|
|
3
|
-
Version: 0.
|
|
3
|
+
Version: 0.5.1
|
|
4
4
|
Summary: Framework-agnostic Python library for executing AI agents with consistent patterns
|
|
5
|
-
Project-URL: Homepage, https://github.com/
|
|
6
|
-
Project-URL: Repository, https://github.com/
|
|
7
|
-
Author: Chris
|
|
5
|
+
Project-URL: Homepage, https://github.com/makemore/agent-runtime-core
|
|
6
|
+
Project-URL: Repository, https://github.com/makemore/agent-runtime-core
|
|
7
|
+
Author: Chris Barry
|
|
8
8
|
License-Expression: MIT
|
|
9
9
|
License-File: LICENSE
|
|
10
10
|
Keywords: agents,ai,async,llm,runtime
|
|
@@ -720,6 +720,98 @@ result = await run_agent_test(MyAgent(), ctx)
|
|
|
720
720
|
assert result.final_output["response"] == "Hi there!"
|
|
721
721
|
```
|
|
722
722
|
|
|
723
|
+
## Step Executor
|
|
724
|
+
|
|
725
|
+
The `StepExecutor` provides a structured way to execute multi-step operations with automatic checkpointing, resume capability, retries, and progress reporting. Ideal for long-running agent tasks.
|
|
726
|
+
|
|
727
|
+
### Basic Usage
|
|
728
|
+
|
|
729
|
+
```python
|
|
730
|
+
from agent_runtime_core.steps import StepExecutor, Step
|
|
731
|
+
|
|
732
|
+
class MyAgent(AgentRuntime):
|
|
733
|
+
async def run(self, ctx: RunContext) -> RunResult:
|
|
734
|
+
executor = StepExecutor(ctx)
|
|
735
|
+
|
|
736
|
+
results = await executor.run([
|
|
737
|
+
Step("fetch", self.fetch_data),
|
|
738
|
+
Step("process", self.process_data, retries=3),
|
|
739
|
+
Step("validate", self.validate_results),
|
|
740
|
+
])
|
|
741
|
+
|
|
742
|
+
return RunResult(final_output=results)
|
|
743
|
+
|
|
744
|
+
async def fetch_data(self, ctx, state):
|
|
745
|
+
# Fetch data from external API
|
|
746
|
+
return {"items": [...]}
|
|
747
|
+
|
|
748
|
+
async def process_data(self, ctx, state):
|
|
749
|
+
# Access results from previous steps via state
|
|
750
|
+
return {"processed": True}
|
|
751
|
+
|
|
752
|
+
async def validate_results(self, ctx, state):
|
|
753
|
+
return {"valid": True}
|
|
754
|
+
```
|
|
755
|
+
|
|
756
|
+
### Step Options
|
|
757
|
+
|
|
758
|
+
```python
|
|
759
|
+
Step(
|
|
760
|
+
name="process", # Unique step identifier
|
|
761
|
+
fn=process_data, # Async function(ctx, state) -> result
|
|
762
|
+
retries=3, # Retry attempts on failure (default: 0)
|
|
763
|
+
retry_delay=2.0, # Seconds between retries (default: 1.0)
|
|
764
|
+
timeout=30.0, # Step timeout in seconds (optional)
|
|
765
|
+
description="Process data", # Human-readable description
|
|
766
|
+
checkpoint=True, # Save checkpoint after step (default: True)
|
|
767
|
+
)
|
|
768
|
+
```
|
|
769
|
+
|
|
770
|
+
### Resume from Checkpoint
|
|
771
|
+
|
|
772
|
+
Steps automatically checkpoint after completion. If execution is interrupted, it resumes from the last checkpoint:
|
|
773
|
+
|
|
774
|
+
```python
|
|
775
|
+
# First run - completes step1, fails during step2
|
|
776
|
+
executor = StepExecutor(ctx)
|
|
777
|
+
await executor.run([step1, step2, step3]) # Checkpoints after step1
|
|
778
|
+
|
|
779
|
+
# Second run - skips step1, resumes from step2
|
|
780
|
+
executor = StepExecutor(ctx)
|
|
781
|
+
await executor.run([step1, step2, step3]) # step1 skipped
|
|
782
|
+
```
|
|
783
|
+
|
|
784
|
+
### Custom State
|
|
785
|
+
|
|
786
|
+
Pass state between steps using `initial_state` and the `state` dict:
|
|
787
|
+
|
|
788
|
+
```python
|
|
789
|
+
async def step1(ctx, state):
|
|
790
|
+
state["counter"] = 1
|
|
791
|
+
return "done"
|
|
792
|
+
|
|
793
|
+
async def step2(ctx, state):
|
|
794
|
+
state["counter"] += 1 # Access state from step1
|
|
795
|
+
return state["counter"]
|
|
796
|
+
|
|
797
|
+
executor = StepExecutor(ctx)
|
|
798
|
+
results = await executor.run(
|
|
799
|
+
[Step("step1", step1), Step("step2", step2)],
|
|
800
|
+
initial_state={"counter": 0},
|
|
801
|
+
)
|
|
802
|
+
```
|
|
803
|
+
|
|
804
|
+
### Events
|
|
805
|
+
|
|
806
|
+
The executor emits events for observability:
|
|
807
|
+
|
|
808
|
+
- `EventType.STEP_STARTED` - Step execution began
|
|
809
|
+
- `EventType.STEP_COMPLETED` - Step completed successfully
|
|
810
|
+
- `EventType.STEP_FAILED` - Step failed after all retries
|
|
811
|
+
- `EventType.STEP_RETRYING` - Step is being retried
|
|
812
|
+
- `EventType.STEP_SKIPPED` - Step skipped (already completed)
|
|
813
|
+
- `EventType.PROGRESS_UPDATE` - Progress percentage update
|
|
814
|
+
|
|
723
815
|
## API Reference
|
|
724
816
|
|
|
725
817
|
### Configuration
|
|
@@ -1,8 +1,9 @@
|
|
|
1
|
-
agent_runtime_core/__init__.py,sha256=
|
|
1
|
+
agent_runtime_core/__init__.py,sha256=9Aen5YoHmemdCHBhGIsKINMalFr-_QkkeGs6bXlWSKU,4010
|
|
2
2
|
agent_runtime_core/config.py,sha256=e3_uB5brAuQcWU36sOhWF9R6RoJrngtCS-xEB3n2fas,4986
|
|
3
|
-
agent_runtime_core/interfaces.py,sha256
|
|
3
|
+
agent_runtime_core/interfaces.py,sha256=V3CAt8otNMF4Wdo5xJ9DyScL0iYcmQ90U0weadMQsw0,10777
|
|
4
4
|
agent_runtime_core/registry.py,sha256=hrbEdNNdqEz7-uN-82qofsXFTZBRDxZ2Ht9qwmp1qkw,1476
|
|
5
5
|
agent_runtime_core/runner.py,sha256=M3It72UhfmLt17jVnSvObiSfQ1_RN4JVUIJsjnRd2Ps,12771
|
|
6
|
+
agent_runtime_core/steps.py,sha256=XpVFK7P-ZOpr7NwaP7XFygduIpjrKld-OIig7dHNMKE,11994
|
|
6
7
|
agent_runtime_core/testing.py,sha256=ordECGprBappLBMWxlETvuf2AoIPNomJFeSedXaY30E,11131
|
|
7
8
|
agent_runtime_core/events/__init__.py,sha256=Gg7cMQHWfLTQ4Xik09KSg7cWbQDmW_MuF5_jl-yZkHU,1575
|
|
8
9
|
agent_runtime_core/events/base.py,sha256=NfHYyoczxr40Er5emROi_aY_07m5hDrKsn31pdWY2DY,1950
|
|
@@ -30,7 +31,7 @@ agent_runtime_core/state/sqlite.py,sha256=HKZwDiC_7F1W8Z_Pz8roEs91XhQ9rUHfGpuQ7W
|
|
|
30
31
|
agent_runtime_core/tracing/__init__.py,sha256=u1QicGc39e30gWyQD4cQWxGGjITnkwoOPUhNrG6aNyI,1266
|
|
31
32
|
agent_runtime_core/tracing/langfuse.py,sha256=Rj2sUlatk5sFro0y68tw5X6fQcSwWxcBOSOjB0F7JTU,3660
|
|
32
33
|
agent_runtime_core/tracing/noop.py,sha256=SpsbpsUcNG6C3xZG3uyiNPUHY8etloISx3w56Q8D3KE,751
|
|
33
|
-
agent_runtime_core-0.
|
|
34
|
-
agent_runtime_core-0.
|
|
35
|
-
agent_runtime_core-0.
|
|
36
|
-
agent_runtime_core-0.
|
|
34
|
+
agent_runtime_core-0.5.1.dist-info/METADATA,sha256=Y-ZOcumIFWdrqBWlV4QIvx5xyPaJGFnhUXtLtnqHjc4,23491
|
|
35
|
+
agent_runtime_core-0.5.1.dist-info/WHEEL,sha256=WLgqFyCfm_KASv4WHyYy0P3pM_m7J5L9k2skdKLirC8,87
|
|
36
|
+
agent_runtime_core-0.5.1.dist-info/licenses/LICENSE,sha256=fDlWep3_mUrj8KHV_jk275tHVEW7_9sJRhkNuGCZ_TA,1068
|
|
37
|
+
agent_runtime_core-0.5.1.dist-info/RECORD,,
|
|
File without changes
|