Agents telephony integration

Enable your voice AI agent to make and receive phone calls.

Overview

It's easy to integrate LiveKit Agents with telephony systems using Session Initiation Protocol (SIP). You can choose to support inbound calls, outbound calls, or both. LiveKit also provides features including DTMF, SIP REFER, and more.

Telephony integration requires no significant changes to your existing agent code, as phone calls are simply bridged into LiveKit rooms using a special participant type.

Getting started

  1. Follow the Voice AI quickstart to get a simple agent up and running.
  2. Set up a SIP trunk for your project.
  3. Return to this guide to enable inbound and outbound calls.

Inbound calls

After your inbound trunk is configured, set up a dispatch rule and instruct your agent to answer the call with a greeting.

Dispatch rules

The following rule routes all inbound calls to a new room, which your agent joins automatically.

{
"rule": {
"dispatchRuleIndividual": {
"roomPrefix": "call-"
}
}
}

Create this rule with the following command:

lk sip dispatch create dispatch-rule.json

Answering the phone

Call the say method of your AgentSession to greet the caller after picking up. This code goes after session.start:

await session.say("Hello, how can I help you today?")
Realtime models and TTS

The say method requires a TTS plugin. If you're using a realtime model then you may need to add a TTS plugin to your session or you use session.generate_reply() instead. See the documentation on agent speech for more information.

Call your agent

After you start your agent with the following command, dial the number you set up earlier to hear your agent answer the phone.

python main.py dev

Outbound calls

After setting up your outbound trunk, you may place outbound calls by dispatching an agent and then creating a SIP participant.

Agent dispatch

To dispatch your agent, you must first give it an explicit name. This disables automatic dispatch so you can create an outbound call workflow using explicit dispatch.

# ... your existing agent code ...
if __name__ == "__main__":
agents.cli.run_app(agents.WorkerOptions(
entrypoint_fnc=entrypoint,
# Add the agent_name parameter to your WorkerOptions
agent_name="my-outbound-caller-agent"
))

Dispatch your agent with the API, specifying the necessary information for outbound calling as part of the job metadata. This example passes only the phone number, but in a real app you are likely to pass more information as well.

await lkapi.agent_dispatch.create_dispatch(
api.CreateAgentDispatchRequest(
# Use the agent name you set in the WorkerOptions
agent_name="my-outbound-caller-agent",
# The room name to use. This should be unique for each call
room=f"outbound-{''.join(str(random.randint(0, 9)) for _ in range(10))}",
# Here we use JSON to pass the phone number, and could add more information if needed.
metadata='{"phone_number": "+15105550123"}'
)
)
Full examples

See the docs on agent dispatch for more complete examples.

Diaing a number

Add the following code so your agent reads the phone number and places an outbound call by creating a SIP participant after connection.

# add these imports at the top of your file
from livekit import api
import json
# ... any existing code / imports ...
def entrypoint(ctx: agents.JobContext):
await ctx.connect(auto_subscribe=AutoSubscribe.AUDIO_ONLY)
# If a phone number was provided, then place an outbound call
# By having a condition like this, you can use the same agent for inbound/outbound telephony as well as web/mobile/etc.
phone_number = json.loads(ctx.job.metadata)["phone_number"]
# The participant's identity can be anything you want, but this example uses the phone number itself
sip_participant_identity = phone_number
if phone_number is not None:
# The outbound call will be placed after this method is executed
try:
await ctx.api.sip.create_sip_participant(api.CreateSIPParticipantRequest(
# This ensures the participant joins the correct room
room_name=ctx.room.name,
# This is the outbound trunk ID to use (i.e. which phone number the call will come from)
# You can get this from LiveKit CLI with `lk sip outbound list`
sip_trunk_id='ST_xxxx',
# The outbound phone number to dial and identity to use
sip_call_to=phone_number,
participant_identity=sip_participant_identity,
))
except Exception:
# An error occurred such as invalid phone number, trunk configuration, network connectivity, etc.
pass
# .. start your AgentSession as normal ...

Take a call from your agent

Run this command with the LiveKit CLI to instruct your agent to give you a call on the phone.

lk dispatch create \
--new-room \
--agent-name my-outbound-caller-agent \
--metadata '{"phone_number": "+15105550123"}' # insert your own phone number here

Call status

The SIP participant joins the room as soon as the call starts dialing. This allows your agent to monitor for when the user picks up or if the call goes to voicemail or ends prematurely.

The participant attribute sip.callStatus reflects the live status of the call. Use this to configure your agent's behavior.

# Add this import at the top of your file
from livekit import rtc
def entrypoint(ctx: agents.JobContext):
### ... existing code to connect and create sip participant ...
# Monitor the SIP participant's attributes for changes
@ctx.room.on("participant_attributes_changed")
def on_attributes_changed(
changed_attributes: dict[str, str], participant: rtc.Participant
):
if participant.identity == sip_participant_identity:
if changed_attributes.get("sip.callStatus") == "dialing":
# outbound call is dialing and not yet answered
pass
elif changed_attributes.get("sip.callStatus") == "active":
# call has been answered (either by human or machine)
pass
elif changed_attributes.get("sip.callStatus") == "hangup":
# call has been ended
pass
elif changed_attributes.get("sip.callStatus") == "automation":
# call has connected but is still dialing DTMF numbers (changes to `active` after completion)
pass
# Watch for the SIP participant to leave the room
@ctx.room.on("participant_disconnected")
def on_participant_disconnected(participant: rtc.Participant):
if participant.identity == sip_participant_identity:
# SIP participant has hung up
pass
### ... existing code to start AgentSession ...

Voicemail detection

When a call moves to active, it indicates the call has been picked up. This means there might be a person on the other end, or a voicemail system. You can let speech flow into your AgentSession in either case, and give your LLM the ability to detect a likely voicemail system via tool call.

import asyncio # add this import at the top of your file
class Assistant(Agent):
## ... existing init code ...
@function_tool
async def detected_answering_machine(self):
"""Call this tool if you have detected a voicemail system, AFTER hearing the voicemail greeting"""
await self.session.say("I'll call back later.")
await asyncio.sleep(0.5) # Add a natural gap to the end of the voicemail message
await hangup_call()

Hangup

To end a call, it's important that you remove the SIP participant from the room before your agent leaves. If you simply end your agent session, the call continues in silence until the user hangs up on their own. The following sample code shows a simple hangup_call method implementation that you may use as a starting point.

# Add these imports at the top of your file
from livekit import api, rtc
# Add this function definition anywhere, then call it to disconnect all remote SIP participants.
async def hangup_call():
ctx = agents.job.get_current_job_context()
if ctx is None:
# Not running in a job context
return
sip_participants = [
p for p in ctx.room.remote_participants.values()
if p.kind == rtc.ParticipantKind.PARTICIPANT_KIND_SIP
]
for participant in sip_participants:
await ctx.api.room.remove_participant(
api.RoomParticipantIdentity(
room=ctx.room.name,
identity=participant.identity,
)
)

Next steps

The following guides are helpful to build powerful and reliable voice agents for your telephony app.