Overview
LiveKit Agents enables you to compose reliable workflows to tackle complex scenarios.
An Agent takes indefinite control of a session. It can include custom prompts, tools, and other logic. If needed, it can invoke tasks or hand off control to a different agent. This is useful for scenarios such as the following:
- Including multiple personas with unique traits within a single session.
- Moving through different predetermined conversation phases.
- Offering multiple modes or functionality within a single voice agent.
The framework also includes experimental support for Tasks, which take temporary control of a session to complete a specific task and return a specific result. For more information, see Tasks.
Agents
Agents form the backbone of a session’s functionality and are responsible for overall orchestration.
Defining an agent
Extend the Agent class to define a custom agent.
from livekit.agents import Agentclass HelpfulAssistant(Agent):def __init__(self):super().__init__(instructions="You are a helpful voice AI assistant.")async def on_enter(self) -> None:await self.session.generate_reply(instructions="Greet the user and ask how you can help them.")
import { voice } from '@livekit/agents';class HelpfulAssistant extends voice.Agent {constructor() {super({instructions: 'You are a helpful voice AI assistant.',});}async onEnter(): Promise<void> {this.session.generateReply({instructions: 'Greet the user and ask how you can help them.',});}}
You can also create an instance of Agent class directly:
agent = Agent(instructions="You are a helpful voice AI assistant.")
const agent = new voice.Agent({instructions: 'You are a helpful voice AI assistant.',});
Setting the active agent
Specify the initial agent in the AgentSession constructor:
session = AgentSession(agent=CustomerServiceAgent()# ...)
await session.start({agent: new CustomerServiceAgent(),room: ctx.room,});
To set a new agent, use the update_agent method:
session.update_agent(CustomerServiceAgent())
Handing off from tool call
Return a different agent from within a tool call to hand off control automatically. This allows the LLM to make decisions about when handoff should occur. For more information, see tool return value.
from livekit.agents import Agent, function_toolclass CustomerServiceAgent(Agent):def __init__(self):super().__init__(instructions="""You are a friendly customer service representative. Help customers withgeneral inquiries, account questions, and technical support. If a customer needsspecialized help, transfer them to the appropriate specialist.""")async def on_enter(self) -> None:await self.session.generate_reply(instructions="Greet the user warmly and offer your assistance.")@function_tool()async def transfer_to_billing(self, context: RunContext):"""Transfer the customer to a billing specialist for account and payment questions."""return BillingAgent(chat_ctx=self.chat_ctx), "Transferring to billing"@function_tool()async def transfer_to_technical_support(self, context: RunContext):"""Transfer the customer to technical support for product issues and troubleshooting."""return TechnicalSupportAgent(chat_ctx=self.chat_ctx), "Transferring to technical support"class BillingAgent(Agent):def __init__(self):super().__init__(instructions="""You are a billing specialist. Help customers with account questions,payments, refunds, and billing inquiries. Be thorough and empathetic.""")async def on_enter(self) -> None:await self.session.generate_reply(instructions="Introduce yourself as a billing specialist and ask how you can help with their account.")class TechnicalSupportAgent(Agent):def __init__(self):super().__init__(instructions="""You are a technical support specialist. Help customers troubleshootproduct issues, setup problems, and technical questions. Ask clarifying questionsto diagnose problems effectively.""")async def on_enter(self) -> None:await self.session.generate_reply(instructions="Introduce yourself as a technical support specialist and offer to help with any technical issues.")
import { voice, llm } from '@livekit/agents';class CustomerServiceAgent extends voice.Agent {constructor() {super({instructions: `You are a friendly customer service representative. Help customers withgeneral inquiries, account questions, and technical support. If a customer needsspecialized help, transfer them to the appropriate specialist.`,tools: {transferToBilling: llm.tool({description: 'Transfer the customer to a billing specialist for account and payment questions.',execute: async (_, { ctx }) => {return llm.handoff({agent: new BillingAgent(),returns: 'Transferring to billing',});},}),transferToTechnicalSupport: llm.tool({description: 'Transfer the customer to technical support for product issues and troubleshooting.',execute: async (_, { ctx }) => {return llm.handoff({agent: new TechnicalSupportAgent(),returns: 'Transferring to technical support',});},}),},});}async onEnter(): Promise<void> {this.session.generateReply({instructions: 'Greet the user warmly and offer your assistance.',});}}class BillingAgent extends voice.Agent {constructor() {super({instructions: `You are a billing specialist. Help customers with account questions,payments, refunds, and billing inquiries. Be thorough and empathetic.`,});}async onEnter(): Promise<void> {this.session.generateReply({instructions: 'Introduce yourself as a billing specialist and ask how you can help with their account.',});}}class TechnicalSupportAgent extends voice.Agent {constructor() {super({instructions: `You are a technical support specialist. Help customers troubleshootproduct issues, setup problems, and technical questions. Ask clarifying questionsto diagnose problems effectively.`,});}async onEnter(): Promise<void> {this.session.generateReply({instructions: 'Introduce yourself as a technical support specialist and offer to help with any technical issues.',});}}
Passing state
To store custom state within your session, use the userdata attribute. The type of userdata is up to you, but the recommended approach is to use a dataclass in Python or a typed interface in TypeScript.
from livekit.agents import AgentSessionfrom dataclasses import dataclass@dataclassclass MySessionInfo:user_name: str | None = Noneage: int | None = None
interface MySessionInfo {userName?: string;age?: number;}
To add userdata to your session, pass it in the constructor. You must also specify the type of userdata on the AgentSession itself.
session = AgentSession[MySessionInfo](userdata=MySessionInfo(),# ... tts, stt, llm, etc.)
const session = new voice.AgentSession<MySessionInfo>({userData: { userName: 'Steve' },// ... vad, stt, tts, llm, etc.});
Userdata is available as session.userdata, and is also available within function tools on the RunContext. The following example shows how to use userdata in an agent workflow that starts with the IntakeAgent.
class IntakeAgent(Agent):def __init__(self):super().__init__(instructions="""You are an intake agent. Learn the user's name and age.""")@function_tool()async def record_name(self, context: RunContext[MySessionInfo], name: str):"""Use this tool to record the user's name."""context.userdata.user_name = namereturn self._handoff_if_done()@function_tool()async def record_age(self, context: RunContext[MySessionInfo], age: int):"""Use this tool to record the user's age."""context.userdata.age = agereturn self._handoff_if_done()def _handoff_if_done(self):if self.session.userdata.user_name and self.session.userdata.age:return CustomerServiceAgent()else:return Noneclass CustomerServiceAgent(Agent):def __init__(self):super().__init__(instructions="You are a friendly customer service representative.")async def on_enter(self) -> None:userdata: MySessionInfo = self.session.userdataawait self.session.generate_reply(instructions=f"Greet {userdata.user_name} personally and offer your assistance.")
import { voice, llm } from '@livekit/agents';import { z } from 'zod';class IntakeAgent extends voice.Agent<MySessionInfo> {constructor() {super({instructions: "You are an intake agent. Learn the user's name and age.",tools: {recordName: llm.tool({description: 'Use this tool to record the user\'s name.',parameters: z.object({name: z.string(),}),execute: async ({ name }, { ctx }) => {ctx.userData.userName = name;return this.handoffIfDone(ctx);},}),recordAge: llm.tool({description: 'Use this tool to record the user\'s age.',parameters: z.object({age: z.number(),}),execute: async ({ age }, { ctx }) => {ctx.userData.age = age;return this.handoffIfDone(ctx);},}),},});}private handoffIfDone(ctx: voice.RunContext<MySessionInfo>) {if (ctx.userData.userName && ctx.userData.age) {return llm.handoff({agent: new CustomerServiceAgent(),returns: 'Information collected, transferring to customer service',});}return 'Please provide both your name and age.';}}class CustomerServiceAgent extends voice.Agent<MySessionInfo> {constructor() {super({instructions: 'You are a friendly customer service representative.',});}async onEnter(): Promise<void> {const userData = this.session.userData;this.session.generateReply({instructions: `Greet ${userData.userName} personally and offer your assistance.`,});}}
Tasks
Tasks allow you to create focused, reusable components that complete specific tasks and return typed results. Unlike regular agents that take indefinite control of a session, tasks are used within agents or other tasks, complete their objective, and return control along with their result.
Tasks are useful for scenarios such as:
- Acquiring recording consent at the beginning of a call.
- Collecting specific structured information, such as an address or a credit card number.
- Moving through a series of questions, one at a time.
- Any discrete task that should complete and return control to the caller.
Tasks are currently experimental and the API might change in a future release. This feature is not yet available for Node.js.
Defining a task
Extend the AgentTask class and specify a result type using generics. Use the on_enter method to begin the task's interaction with the user, and call the complete method with a result when complete. The task has full support for tools, similar to an agent.
from livekit.agents import AgentTask, function_toolclass CollectConsent(AgentTask[bool]):def __init__(self, chat_ctx=None):super().__init__(instructions="""Ask for recording consent and get a clear yes or no answer.Be polite and professional.""",chat_ctx=chat_ctx,)async def on_enter(self) -> None:await self.session.generate_reply(instructions="""Briefly introduce yourself, then ask for permission to record the call for quality assurance and training purposes.Make it clear that they can decline.""")@function_toolasync def consent_given(self) -> None:"""Use this when the user gives consent to record."""self.complete(True)@function_toolasync def consent_denied(self) -> None:"""Use this when the user denies consent to record."""self.complete(False)
Running a task
The task runs automatically upon creation. It must be created within the context of an existing Agent which is active within an AgentSession. The task takes control of the session until it returns a result. Await the task to receive its result.
from livekit.agents import Agent, function_tool, get_job_contextclass CustomerServiceAgent(Agent):def __init__(self):super().__init__(instructions="You are a friendly customer service representative.")async def on_enter(self) -> None:if await CollectConsent(chat_ctx=self.chat_ctx):await self.session.generate_reply(instructions="Offer your assistance to the user.")else:await self.session.generate_reply(instructions="Inform the user that you are unable to proceed and will end the call.")job_ctx = get_job_context()await job_ctx.api.room.delete_room(api.DeleteRoomRequest(room=job_ctx.room.name))
Task results
Use any result type you want. For complex results, use a custom dataclass.
from dataclasses import dataclass@dataclassclass ContactInfoResult:name: stremail_address: strphone_number: strclass GetContactInfoTask(AgentTask[ContactInfoResult]):# ....
Prebuilt tasks
The framework will include prebuilt tasks for common use cases within the module livekit.agents.beta.workflows. As of initial release, only the GetEmailTask is available.
GetEmailTask
Use GetEmailTask to reliably collect and validate an email address from the user.
from livekit.agents.beta.workflows import GetEmailTask# ... within your agent ...email_result = await GetEmailTask(chat_ctx=self.chat_ctx)print(f"Collected email: {email_result.email_address}")
Context preservation
By default, each new agent or task starts with a fresh conversation history for their LLM prompt. To include the prior conversation, set the chat_ctx parameter in the Agent or AgentTask constructor. You can either copy the prior agent's chat_ctx, or construct a new one based on custom business logic to provide the appropriate context.
from livekit.agents import ChatContext, function_tool, Agentclass TechnicalSupportAgent(Agent):def __init__(self, chat_ctx: ChatContext):super().__init__(instructions="""You are a technical support specialist. Help customers troubleshootproduct issues, setup problems, and technical questions.""",chat_ctx=chat_ctx)class CustomerServiceAgent(Agent):# ...@function_tool()async def transfer_to_technical_support(self):"""Transfer the customer to technical support for product issues and troubleshooting."""await self.session.generate_reply(instructions="Inform the customer that you're transferring them to the technical support team.")# Pass the chat context during handoffreturn TechnicalSupportAgent(chat_ctx=self.session.chat_ctx)
import { voice, llm } from '@livekit/agents';class TechnicalSupportAgent extends voice.Agent {constructor(chatCtx: llm.ChatContext) {super({instructions: `You are a technical support specialist. Help customers troubleshootproduct issues, setup problems, and technical questions.`,chatCtx,});}}class CustomerServiceAgent extends voice.Agent {constructor(chatCtx: llm.ChatContext) {super({// ... instructions, chatCtx, etc.tools: {transferToTechnicalSupport: llm.tool({description: 'Transfer the customer to technical support for product issues and troubleshooting.',execute: async (_, { ctx }) => {await ctx.session.generateReply({instructions: 'Inform the customer that you\'re transferring them to the technical support team.',});return llm.handoff({agent: new TechnicalSupportAgent(ctx.session.chatCtx),returns: 'Transferring to technical support team',});},}),},});}}
The complete conversation history for the session is always available in session.history.
Overriding plugins
You can override any of the plugins used in the session by setting the corresponding attributes in your Agent or AgentTask constructor. For instance, you can change the voice for a specific agent by overriding the tts attribute.
from livekit.agents import Agentclass CustomerServiceManager(Agent):def __init__(self):super().__init__(instructions="You are a customer service manager who can handle escalated issues.",tts="cartesia/sonic-2:6f84f4b8-58a2-430c-8c79-688dad597532")
import { voice } from '@livekit/agents';class CustomerServiceManager extends voice.Agent {constructor() {super({instructions: 'You are a customer service manager who can handle escalated issues.',tts: "cartesia/sonic-2:6f84f4b8-58a2-430c-8c79-688dad597532",});}}
Examples
These examples show how to build more complex workflows with multiple agents:
Drive-thru agent
Front-desk agent
Medical Office Triage
Restaurant Agent
Additional resources
For more information on concepts touched on in this article, see the following related articles: