Skip to content

Commit d3f3a13

Browse files
committed
2 parents a529ffd + d442433 commit d3f3a13

9 files changed

+460
-291
lines changed

src/agents/__init__.py

+24-3
Original file line numberDiff line numberDiff line change
@@ -106,6 +106,11 @@ def set_default_openai_key(key: str, use_for_tracing: bool = True) -> None:
106106
If False, you'll either need to set the OPENAI_API_KEY environment variable or call
107107
set_tracing_export_api_key() with the API key you want to use for tracing.
108108
"""
109+
try:
110+
_config.set_default_openai_key(key)
111+
except Exception as e:
112+
logging.error(f"Error setting default OpenAI key: {e}")
113+
raise
109114
_config.set_default_openai_key(key, use_for_tracing)
110115

111116

@@ -119,18 +124,34 @@ def set_default_openai_client(client: AsyncOpenAI, use_for_tracing: bool = True)
119124
you'll either need to set the OPENAI_API_KEY environment variable or call
120125
set_tracing_export_api_key() with the API key you want to use for tracing.
121126
"""
122-
_config.set_default_openai_client(client, use_for_tracing)
127+
try:
128+
_config.set_default_openai_client(client, use_for_tracing)
129+
except Exception as e:
130+
logging.error(f"Error setting default OpenAI client: {e}")
131+
raise
123132

124133

125134
def set_default_openai_api(api: Literal["chat_completions", "responses"]) -> None:
126135
"""Set the default API to use for OpenAI LLM requests. By default, we will use the responses API
127136
but you can set this to use the chat completions API instead.
128137
"""
129-
_config.set_default_openai_api(api)
138+
try:
139+
_config.set_default_openai_api(api)
140+
except Exception as e:
141+
logging.error(f"Error setting default OpenAI API: {e}")
142+
raise
130143

131144

132-
def enable_verbose_stdout_logging():
145+
def enable_verbose_stdout_logging() -> None:
133146
"""Enables verbose logging to stdout. This is useful for debugging."""
147+
try:
148+
for name in ["openai.agents", "openai.agents.tracing"]:
149+
logger = logging.getLogger(name)
150+
logger.setLevel(logging.DEBUG)
151+
logger.addHandler(logging.StreamHandler(sys.stdout))
152+
except Exception as e:
153+
logging.error(f"Error enabling verbose stdout logging: {e}")
154+
raise
134155
logger = logging.getLogger("openai.agents")
135156
logger.setLevel(logging.DEBUG)
136157
logger.addHandler(logging.StreamHandler(sys.stdout))

src/agents/_run_impl.py

+95-44
Original file line numberDiff line numberDiff line change
@@ -2,7 +2,7 @@
22

33
import asyncio
44
from dataclasses import dataclass
5-
from typing import TYPE_CHECKING, Any
5+
from typing import TYPE_CHECKING, Any, Union, List
66

77
from openai.types.responses import (
88
ResponseComputerToolCall,
@@ -65,6 +65,7 @@
6565

6666

6767
class QueueCompleteSentinel:
68+
"""A sentinel value to indicate that the queue is complete."""
6869
pass
6970

7071

@@ -97,8 +98,7 @@ class ProcessedResponse:
9798
computer_actions: list[ToolRunComputerAction]
9899

99100
def has_tools_to_run(self) -> bool:
100-
# Handoffs, functions and computer actions need local processing
101-
# Hosted tools have already run, so there's nothing to do.
101+
"""Check if there are any tools to run."""
102102
return any(
103103
[
104104
self.handoffs,
@@ -151,6 +151,7 @@ def generated_items(self) -> list[RunItem]:
151151
def get_model_tracing_impl(
152152
tracing_disabled: bool, trace_include_sensitive_data: bool
153153
) -> ModelTracing:
154+
"""Get the model tracing implementation based on the tracing configuration."""
154155
if tracing_disabled:
155156
return ModelTracing.DISABLED
156157
elif trace_include_sensitive_data:
@@ -176,6 +177,7 @@ async def execute_tools_and_side_effects(
176177
context_wrapper: RunContextWrapper[TContext],
177178
run_config: RunConfig,
178179
) -> SingleStepResult:
180+
"""Execute tools and side effects for the current step."""
179181
# Make a copy of the generated items
180182
pre_step_items = list(pre_step_items)
181183

@@ -271,6 +273,7 @@ def process_model_response(
271273
output_schema: AgentOutputSchema | None,
272274
handoffs: list[Handoff],
273275
) -> ProcessedResponse:
276+
"""Process the model response and extract relevant information."""
274277
items: list[RunItem] = []
275278

276279
run_handoffs = []
@@ -356,6 +359,7 @@ async def execute_function_tool_calls(
356359
context_wrapper: RunContextWrapper[TContext],
357360
config: RunConfig,
358361
) -> list[RunItem]:
362+
"""Execute function tool calls."""
359363
async def run_single_tool(
360364
func_tool: FunctionTool, tool_call: ResponseFunctionToolCall
361365
) -> str:
@@ -422,6 +426,7 @@ async def execute_computer_actions(
422426
context_wrapper: RunContextWrapper[TContext],
423427
config: RunConfig,
424428
) -> list[RunItem]:
429+
"""Execute computer actions."""
425430
results: list[RunItem] = []
426431
# Need to run these serially, because each action can affect the computer state
427432
for action in actions:
@@ -451,6 +456,7 @@ async def execute_handoffs(
451456
context_wrapper: RunContextWrapper[TContext],
452457
run_config: RunConfig,
453458
) -> SingleStepResult:
459+
"""Execute handoffs."""
454460
# If there is more than one handoff, add tool responses that reject those handoffs
455461
if len(run_handoffs) > 1:
456462
output_message = "Multiple handoffs detected, ignoring this one."
@@ -470,9 +476,20 @@ async def execute_handoffs(
470476
actual_handoff = run_handoffs[0]
471477
with handoff_span(from_agent=agent.name) as span_handoff:
472478
handoff = actual_handoff.handoff
473-
new_agent: Agent[Any] = await handoff.on_invoke_handoff(
474-
context_wrapper, actual_handoff.tool_call.arguments
475-
)
479+
try:
480+
new_agent: Agent[Any] = await handoff.on_invoke_handoff(
481+
context_wrapper, actual_handoff.tool_call.arguments
482+
)
483+
except Exception as e:
484+
_utils.attach_error_to_span(
485+
span_handoff,
486+
SpanError(
487+
message="Error invoking handoff",
488+
data={"error": str(e)},
489+
)
490+
)
491+
raise
492+
476493
span_handoff.span_data.to_agent = new_agent.name
477494

478495
# Append a tool output item for the handoff
@@ -568,6 +585,7 @@ async def execute_final_output(
568585
hooks: RunHooks[TContext],
569586
context_wrapper: RunContextWrapper[TContext],
570587
) -> SingleStepResult:
588+
"""Execute final output."""
571589
# Run the on_end hooks
572590
await cls.run_final_output_hooks(agent, hooks, context_wrapper, final_output)
573591

@@ -587,6 +605,7 @@ async def run_final_output_hooks(
587605
context_wrapper: RunContextWrapper[TContext],
588606
final_output: Any,
589607
):
608+
"""Run the final output hooks."""
590609
await asyncio.gather(
591610
hooks.on_agent_end(context_wrapper, agent, final_output),
592611
agent.hooks.on_end(context_wrapper, agent, final_output)
@@ -602,8 +621,19 @@ async def run_single_input_guardrail(
602621
input: str | list[TResponseInputItem],
603622
context: RunContextWrapper[TContext],
604623
) -> InputGuardrailResult:
624+
"""Run a single input guardrail."""
605625
with guardrail_span(guardrail.get_name()) as span_guardrail:
606-
result = await guardrail.run(agent, input, context)
626+
try:
627+
result = await guardrail.run(agent, input, context)
628+
except Exception as e:
629+
_utils.attach_error_to_span(
630+
span_guardrail,
631+
SpanError(
632+
message="Error running input guardrail",
633+
data={"error": str(e)},
634+
)
635+
)
636+
raise
607637
span_guardrail.span_data.triggered = result.output.tripwire_triggered
608638
return result
609639

@@ -615,8 +645,19 @@ async def run_single_output_guardrail(
615645
agent_output: Any,
616646
context: RunContextWrapper[TContext],
617647
) -> OutputGuardrailResult:
648+
"""Run a single output guardrail."""
618649
with guardrail_span(guardrail.get_name()) as span_guardrail:
619-
result = await guardrail.run(agent=agent, agent_output=agent_output, context=context)
650+
try:
651+
result = await guardrail.run(agent=agent, agent_output=agent_output, context=context)
652+
except Exception as e:
653+
_utils.attach_error_to_span(
654+
span_guardrail,
655+
SpanError(
656+
message="Error running output guardrail",
657+
data={"error": str(e)},
658+
)
659+
)
660+
raise
620661
span_guardrail.span_data.triggered = result.output.tripwire_triggered
621662
return result
622663

@@ -626,6 +667,7 @@ def stream_step_result_to_queue(
626667
step_result: SingleStepResult,
627668
queue: asyncio.Queue[StreamEvent | QueueCompleteSentinel],
628669
):
670+
"""Stream the step result to the queue."""
629671
for item in step_result.new_step_items:
630672
if isinstance(item, MessageOutputItem):
631673
event = RunItemStreamEvent(item=item, name="message_output_created")
@@ -695,6 +737,7 @@ async def execute(
695737
context_wrapper: RunContextWrapper[TContext],
696738
config: RunConfig,
697739
) -> RunItem:
740+
"""Execute a computer action."""
698741
output_func = (
699742
cls._get_screenshot_async(action.computer_tool.computer, action.tool_call)
700743
if isinstance(action.computer_tool.computer, AsyncComputer)
@@ -741,25 +784,29 @@ async def _get_screenshot_sync(
741784
computer: Computer,
742785
tool_call: ResponseComputerToolCall,
743786
) -> str:
787+
"""Get a screenshot synchronously."""
744788
action = tool_call.action
745-
if isinstance(action, ActionClick):
746-
computer.click(action.x, action.y, action.button)
747-
elif isinstance(action, ActionDoubleClick):
748-
computer.double_click(action.x, action.y)
749-
elif isinstance(action, ActionDrag):
750-
computer.drag([(p.x, p.y) for p in action.path])
751-
elif isinstance(action, ActionKeypress):
752-
computer.keypress(action.keys)
753-
elif isinstance(action, ActionMove):
754-
computer.move(action.x, action.y)
755-
elif isinstance(action, ActionScreenshot):
756-
computer.screenshot()
757-
elif isinstance(action, ActionScroll):
758-
computer.scroll(action.x, action.y, action.scroll_x, action.scroll_y)
759-
elif isinstance(action, ActionType):
760-
computer.type(action.text)
761-
elif isinstance(action, ActionWait):
762-
computer.wait()
789+
try:
790+
if isinstance(action, ActionClick):
791+
computer.click(action.x, action.y, action.button)
792+
elif isinstance(action, ActionDoubleClick):
793+
computer.double_click(action.x, action.y)
794+
elif isinstance(action, ActionDrag):
795+
computer.drag([(p.x, p.y) for p in action.path])
796+
elif isinstance(action, ActionKeypress):
797+
computer.keypress(action.keys)
798+
elif isinstance(action, ActionMove):
799+
computer.move(action.x, action.y)
800+
elif isinstance(action, ActionScreenshot):
801+
computer.screenshot()
802+
elif isinstance(action, ActionScroll):
803+
computer.scroll(action.x, action.y, action.scroll_x, action.scroll_y)
804+
elif isinstance(action, ActionType):
805+
computer.type(action.text)
806+
elif isinstance(action, ActionWait):
807+
computer.wait()
808+
except Exception as e:
809+
raise ModelBehaviorError(f"Error executing computer action: {e}")
763810

764811
return computer.screenshot()
765812

@@ -769,24 +816,28 @@ async def _get_screenshot_async(
769816
computer: AsyncComputer,
770817
tool_call: ResponseComputerToolCall,
771818
) -> str:
819+
"""Get a screenshot asynchronously."""
772820
action = tool_call.action
773-
if isinstance(action, ActionClick):
774-
await computer.click(action.x, action.y, action.button)
775-
elif isinstance(action, ActionDoubleClick):
776-
await computer.double_click(action.x, action.y)
777-
elif isinstance(action, ActionDrag):
778-
await computer.drag([(p.x, p.y) for p in action.path])
779-
elif isinstance(action, ActionKeypress):
780-
await computer.keypress(action.keys)
781-
elif isinstance(action, ActionMove):
782-
await computer.move(action.x, action.y)
783-
elif isinstance(action, ActionScreenshot):
784-
await computer.screenshot()
785-
elif isinstance(action, ActionScroll):
786-
await computer.scroll(action.x, action.y, action.scroll_x, action.scroll_y)
787-
elif isinstance(action, ActionType):
788-
await computer.type(action.text)
789-
elif isinstance(action, ActionWait):
790-
await computer.wait()
821+
try:
822+
if isinstance(action, ActionClick):
823+
await computer.click(action.x, action.y, action.button)
824+
elif isinstance(action, ActionDoubleClick):
825+
await computer.double_click(action.x, action.y)
826+
elif isinstance(action, ActionDrag):
827+
await computer.drag([(p.x, p.y) for p in action.path])
828+
elif isinstance(action, ActionKeypress):
829+
await computer.keypress(action.keys)
830+
elif isinstance(action, ActionMove):
831+
await computer.move(action.x, action.y)
832+
elif isinstance(action, ActionScreenshot):
833+
await computer.screenshot()
834+
elif isinstance(action, ActionScroll):
835+
await computer.scroll(action.x, action.y, action.scroll_x, action.scroll_y)
836+
elif isinstance(action, ActionType):
837+
await computer.type(action.text)
838+
elif isinstance(action, ActionWait):
839+
await computer.wait()
840+
except Exception as e:
841+
raise ModelBehaviorError(f"Error executing computer action: {e}")
791842

792843
return await computer.screenshot()

src/agents/agent.py

+28-20
Original file line numberDiff line numberDiff line change
@@ -132,28 +132,36 @@ def as_tool(
132132
async def run_agent(context: RunContextWrapper, input: str) -> str:
133133
from .run import Runner
134134

135-
output = await Runner.run(
136-
starting_agent=self,
137-
input=input,
138-
context=context.context,
139-
)
140-
if custom_output_extractor:
141-
return await custom_output_extractor(output)
142-
143-
return ItemHelpers.text_message_outputs(output.new_items)
135+
try:
136+
output = await Runner.run(
137+
starting_agent=self,
138+
input=input,
139+
context=context.context,
140+
)
141+
if custom_output_extractor:
142+
return await custom_output_extractor(output)
143+
144+
return ItemHelpers.text_message_outputs(output.new_items)
145+
except Exception as e:
146+
logger.error(f"Error running agent as tool: {e}")
147+
raise
144148

145149
return run_agent
146150

147151
async def get_system_prompt(self, run_context: RunContextWrapper[TContext]) -> str | None:
148152
"""Get the system prompt for the agent."""
149-
if isinstance(self.instructions, str):
150-
return self.instructions
151-
elif callable(self.instructions):
152-
if inspect.iscoroutinefunction(self.instructions):
153-
return await cast(Awaitable[str], self.instructions(run_context, self))
154-
else:
155-
return cast(str, self.instructions(run_context, self))
156-
elif self.instructions is not None:
157-
logger.error(f"Instructions must be a string or a function, got {self.instructions}")
158-
159-
return None
153+
try:
154+
if isinstance(self.instructions, str):
155+
return self.instructions
156+
elif callable(self.instructions):
157+
if inspect.iscoroutinefunction(self.instructions):
158+
return await cast(Awaitable[str], self.instructions(run_context, self))
159+
else:
160+
return cast(str, self.instructions(run_context, self))
161+
elif self.instructions is not None:
162+
logger.error(f"Instructions must be a string or a function, got {self.instructions}")
163+
164+
return None
165+
except Exception as e:
166+
logger.error(f"Error getting system prompt: {e}")
167+
raise

0 commit comments

Comments
 (0)