Building AI Voice Agents for Business

Implement AI voice agents for business using VideoSDK. Follow this detailed guide with code examples and testing instructions.

Introduction to AI Voice Agents in Business

What is an AI

Voice Agent

?

AI Voice Agents are sophisticated systems designed to interact with users through voice. They leverage technologies like Speech-to-Text (STT), Large Language Models (LLM), and Text-to-Speech (TTS) to process and respond to spoken language. These agents can understand natural language, perform tasks, and provide information, making them invaluable in various business settings.

Why are they important for the business industry?

In the business world, AI Voice Agents can streamline operations, enhance customer service, and improve productivity. They can handle customer inquiries, assist with scheduling, and provide insights on market trends. By automating routine tasks, businesses can focus on more strategic activities.

Core Components of a

Voice Agent

  • STT (Speech-to-Text): Converts spoken language into text.
  • LLM (Large Language Model): Processes and understands the text to generate appropriate responses.
  • TTS (Text-to-Speech): Converts text responses back into spoken language.

What You'll Build in This Tutorial

In this tutorial, you will build an AI

Voice Agent

using the VideoSDK framework. This agent will act as a professional business consultant, capable of answering inquiries related to business operations and offering general advice.

Architecture and Core Concepts

High-Level Architecture Overview

The AI

Voice Agent

architecture involves several key components working together to process user input and generate responses. The flow starts with the user's speech, which is converted to text using STT. The text is then processed by an LLM to generate a response, which is finally converted back to speech using TTS.
Diagram

Understanding Key Concepts in the VideoSDK Framework

  • Agent: The core class representing your bot. It handles interactions and manages the conversation flow.
  • Cascading Pipeline in AI voice Agents

    :
    This defines the flow of audio processing, linking STT, LLM, and TTS components.
  • VAD &

    Turn Detector for AI voice Agents

    :
    These components help the agent determine when to listen and when to respond, ensuring smooth interaction.

Setting Up the Development Environment

Prerequisites

Before you begin, ensure you have Python 3.11+ installed and a VideoSDK account. You can sign up at app.videosdk.live.

Step 1: Create a Virtual Environment

Create a virtual environment to manage dependencies:
1python -m venv venv
2source venv/bin/activate  # On Windows use `venv\\Scripts\\activate`
3

Step 2: Install Required Packages

Install the necessary packages using pip:
1pip install videosdk
2pip install python-dotenv
3

Step 3: Configure API Keys in a .env file

Create a .env file in your project directory and add your VideoSDK API keys:
1VIDEOSDK_API_KEY=your_api_key_here
2

Building the AI Voice Agent: A Step-by-Step Guide

Below is the complete code for the AI Voice Agent. We'll break it down in the following sections.
1import asyncio, os
2from videosdk.agents import Agent, AgentSession, CascadingPipeline, JobContext, RoomOptions, WorkerJob, ConversationFlow
3from videosdk.plugins.silero import SileroVAD
4from videosdk.plugins.turn_detector import TurnDetector, pre_download_model
5from videosdk.plugins.deepgram import DeepgramSTT
6from videosdk.plugins.openai import OpenAILLM
7from videosdk.plugins.elevenlabs import ElevenLabsTTS
8from typing import AsyncIterator
9
10# Pre-downloading the Turn Detector model
11pre_download_model()
12
13agent_instructions = "You are an AI Voice Agent designed specifically for business environments. Your persona is that of a professional business consultant who is knowledgeable, efficient, and courteous. Your primary capabilities include answering inquiries related to business operations, providing insights on market trends, assisting with scheduling meetings, and offering general business advice. You can also help with basic customer service tasks such as order tracking and handling common customer queries. However, you are not a financial advisor or legal expert, and you must include a disclaimer advising users to consult with a qualified professional for financial or legal advice. Additionally, you should respect user privacy and ensure that any sensitive information is handled according to data protection regulations."
14
15class MyVoiceAgent(Agent):
16    def __init__(self):
17        super().__init__(instructions=agent_instructions)
18    async def on_enter(self): await self.session.say("Hello! How can I help?")
19    async def on_exit(self): await self.session.say("Goodbye!")
20
21async def start_session(context: JobContext):
22    # Create agent and conversation flow
23    agent = MyVoiceAgent()
24    conversation_flow = ConversationFlow(agent)
25
26    # Create pipeline
27    pipeline = CascadingPipeline(
28        stt=DeepgramSTT(model="nova-2", language="en"),
29        llm=[OpenAI LLM Plugin for voice agent](https://docs.videosdk.live/ai_agents/plugins/llm/openai)(model="gpt-4o"),
30        tts=ElevenLabsTTS(model="eleven_flash_v2_5"),
31        vad=[Silero Voice Activity Detection](https://docs.videosdk.live/ai_agents/plugins/silero-vad)(threshold=0.35),
32        turn_detector=TurnDetector(threshold=0.8)
33    )
34
35    session = [AI voice Agent Sessions](https://docs.videosdk.live/ai_agents/core-components/agent-session)(
36        agent=agent,
37        pipeline=pipeline,
38        conversation_flow=conversation_flow
39    )
40
41    try:
42        await context.connect()
43        await session.start()
44        # Keep the session running until manually terminated
45        await asyncio.Event().wait()
46    finally:
47        # Clean up resources when done
48        await session.close()
49        await context.shutdown()
50
51def make_context() -> JobContext:
52    room_options = RoomOptions(
53    #  room_id="YOUR_MEETING_ID",  # Set to join a pre-created room; omit to auto-create
54        name="VideoSDK Cascaded Agent",
55        playground=True
56    )
57
58    return JobContext(room_options=room_options)
59
60if __name__ == "__main__":
61    job = WorkerJob(entrypoint=start_session, jobctx=make_context)
62    job.start()
63

Step 4.1: Generating a VideoSDK Meeting ID

To generate a meeting ID, use the following curl command:
1curl -X POST "https://api.videosdk.live/v1/rooms" \
2-H "Authorization: YOUR_API_KEY" \
3-H "Content-Type: application/json" \
4-d '{"name":"Business Meeting"}'
5

Step 4.2: Creating the Custom Agent Class

The MyVoiceAgent class extends the Agent class, defining the agent's behavior. It includes methods for entering and exiting a session, where it greets and bids farewell to users.

Step 4.3: Defining the Core Pipeline

The CascadingPipeline is crucial as it defines how the agent processes audio. It uses:
  • DeepgramSTT: For converting speech to text.
  • OpenAILLM: For processing text and generating responses.
  • ElevenLabsTTS: For converting text responses back to speech.
  • SileroVAD: For detecting voice activity.
  • TurnDetector: For managing conversation turns.

Step 4.4: Managing the Session and Startup Logic

The start_session function manages the agent session, initializing the conversation flow and pipeline. The make_context function sets up the room options, and the main block starts the agent.

Running and Testing the Agent

Step 5.1: Running the Python Script

Run the script using:
1python main.py
2

Step 5.2: Interacting with the Agent in the Playground

After starting the script, find the playground link in the console. Use it to join the session and interact with the agent.

Advanced Features and Customizations

Extending Functionality with Custom Tools

You can extend the agent's functionality by integrating custom tools using the function_tool interface.

Exploring Other Plugins

Consider experimenting with other STT, LLM, and TTS plugins to customize the agent's capabilities further.

Troubleshooting Common Issues

API Key and Authentication Errors

Ensure your API keys are correctly set in the .env file and that they have the necessary permissions.

Audio Input/Output Problems

Check your microphone and speaker settings, and ensure they are correctly configured.

Dependency and Version Conflicts

Use a virtual environment to manage dependencies and avoid version conflicts.

Conclusion

Summary of What You've Built

You have built a fully functional AI Voice Agent for business using the VideoSDK framework, capable of handling various business-related inquiries.

Next Steps and Further Learning

Explore additional features and plugins in the VideoSDK framework to enhance your agent's capabilities further. For a comprehensive understanding, refer to the

AI voice Agent core components overview

.

Get 10,000 Free Minutes Every Months

No credit card required to start.

Want to level-up your learning? Subscribe now

Subscribe to our newsletter for more tech based insights

FAQ