> openai-agents
You are an expert in the OpenAI Agents SDK (formerly Swarm), the official framework for building multi-agent systems. You help developers create agents with tool calling, guardrails, agent handoffs, streaming, tracing, and MCP integration — building production-grade AI agents that coordinate, delegate tasks, and execute tools with built-in safety controls.
curl "https://skillshub.wtf/TerminalSkills/skills/openai-agents?format=md"OpenAI Agents SDK — Build Production AI Agents
You are an expert in the OpenAI Agents SDK (formerly Swarm), the official framework for building multi-agent systems. You help developers create agents with tool calling, guardrails, agent handoffs, streaming, tracing, and MCP integration — building production-grade AI agents that coordinate, delegate tasks, and execute tools with built-in safety controls.
Core Capabilities
Agent Definition
# agents/customer_support.py — Multi-agent customer support system
from agents import Agent, Runner, function_tool, GuardrailFunctionOutput, InputGuardrail
from pydantic import BaseModel
class OrderInfo(BaseModel):
order_id: str
status: str
total: float
items: list[str]
@function_tool
async def lookup_order(order_id: str) -> OrderInfo:
"""Look up an order by ID.
Args:
order_id: The order identifier (e.g., ORD-12345)
"""
order = await db.orders.find_by_id(order_id)
return OrderInfo(
order_id=order.id,
status=order.status,
total=order.total,
items=[item.name for item in order.items],
)
@function_tool
async def initiate_refund(order_id: str, reason: str) -> str:
"""Initiate a refund for an order.
Args:
order_id: The order to refund
reason: Reason for the refund
"""
result = await payments.refund(order_id, reason)
return f"Refund initiated: ${result.amount}. Reference: {result.reference_id}"
@function_tool
async def escalate_to_human(summary: str) -> str:
"""Escalate to a human agent when the issue is too complex.
Args:
summary: Brief summary of the issue for the human agent
"""
ticket = await support.create_ticket(summary, priority="high")
return f"Escalated to human agent. Ticket: {ticket.id}"
# Triage agent — routes to the right specialist
triage_agent = Agent(
name="Triage",
instructions="""You are a customer support triage agent.
Determine the customer's issue and hand off to the appropriate specialist:
- Order issues → Order Specialist
- Billing/refund → Billing Specialist
- Technical problems → escalate to human""",
handoffs=["order_specialist", "billing_specialist"],
tools=[escalate_to_human],
)
# Specialist agents
order_specialist = Agent(
name="Order Specialist",
instructions="You handle order-related inquiries. Look up orders, provide status updates, and help with modifications.",
tools=[lookup_order],
handoffs=["billing_specialist"], # Can hand off to billing if needed
)
billing_specialist = Agent(
name="Billing Specialist",
instructions="You handle billing and refund requests. Verify orders before processing refunds. Maximum refund without approval: $500.",
tools=[lookup_order, initiate_refund],
)
Guardrails
# Input guardrail — runs before the agent processes the message
class ContentCheck(BaseModel):
is_appropriate: bool
reasoning: str
async def content_guardrail(ctx, agent, input) -> GuardrailFunctionOutput:
"""Check if user input is appropriate before processing."""
result = await Runner.run(
Agent(
name="Content Checker",
instructions="Check if the input is a legitimate customer support request. Flag inappropriate content.",
output_type=ContentCheck,
),
input,
context=ctx,
)
return GuardrailFunctionOutput(
output_info=result.final_output,
tripwire_triggered=not result.final_output.is_appropriate,
)
triage_agent = Agent(
name="Triage",
instructions="...",
input_guardrails=[InputGuardrail(guardrail_function=content_guardrail)],
handoffs=["order_specialist", "billing_specialist"],
)
Running Agents
from agents import Runner
# Single turn
result = await Runner.run(
triage_agent,
"I want a refund for order ORD-12345, the product arrived damaged",
)
print(result.final_output)
# Agent flow: Triage → Billing Specialist → lookup_order → initiate_refund
# Streaming
async for event in Runner.run_streamed(triage_agent, user_message):
if event.type == "raw_response_event":
if hasattr(event.data, "delta"):
print(event.data.delta, end="")
elif event.type == "agent_updated_stream_event":
print(f"\n[Handed off to: {event.new_agent.name}]")
elif event.type == "tool_call_event":
print(f"\n[Calling tool: {event.tool_name}]")
# With MCP servers
from agents.mcp import MCPServerStdio
async with MCPServerStdio(command="npx", args=["-y", "@modelcontextprotocol/server-filesystem", "/data"]) as mcp:
agent = Agent(
name="File Assistant",
instructions="Help users manage files",
mcp_servers=[mcp],
)
result = await Runner.run(agent, "List all Python files in /data")
Installation
pip install openai-agents
Best Practices
- Triage + specialists — Use a triage agent for routing; specialist agents for domain-specific tasks
- Guardrails — Add input/output guardrails for content filtering, PII detection, policy enforcement
- Handoffs — Use handoffs for agent delegation; cheaper than one mega-agent with all tools
- Structured output — Use
output_typewith Pydantic models for typed, validated agent responses - Tool design — Make tools focused (one action each); clear docstrings help the agent use them correctly
- Tracing — Enable tracing for debugging agent decisions, tool calls, and handoff chains
- MCP integration — Connect MCP servers for file access, database queries, API calls without custom tools
- Streaming — Use
run_streamedfor real-time output; show tool calls and handoffs to users for transparency
> related_skills --same-repo
> zustand
You are an expert in Zustand, the small, fast, and scalable state management library for React. You help developers manage global state without boilerplate using Zustand's hook-based stores, selectors for performance, middleware (persist, devtools, immer), computed values, and async actions — replacing Redux complexity with a simple, un-opinionated API in under 1KB.
> zoho
Integrate and automate Zoho products. Use when a user asks to work with Zoho CRM, Zoho Books, Zoho Desk, Zoho Projects, Zoho Mail, or Zoho Creator, build custom integrations via Zoho APIs, automate workflows with Deluge scripting, sync data between Zoho apps and external systems, manage leads and deals, automate invoicing, build custom Zoho Creator apps, set up webhooks, or manage Zoho organization settings. Covers Zoho CRM, Books, Desk, Projects, Creator, and cross-product integrations.
> zod
You are an expert in Zod, the TypeScript-first schema declaration and validation library. You help developers define schemas that validate data at runtime AND infer TypeScript types at compile time — eliminating the need to write types and validators separately. Used for API input validation, form validation, environment variables, config files, and any data boundary.
> zipkin
Deploy and configure Zipkin for distributed tracing and request flow visualization. Use when a user needs to set up trace collection, instrument Java/Spring or other services with Zipkin, analyze service dependencies, or configure storage backends for trace data.