Build an AI Voice Agent for Automotive with VideoSDK

Learn to build a fully functional AI voice agent for the automotive industry using VideoSDK. This hands-on tutorial covers setup, code, and testing.

1. Introduction to AI Voice Agents in Automotive

What is an AI Voice Agent?

An AI Voice Agent is a software system that can understand spoken language, process it using artificial intelligence, and respond with synthesized speech. In practice, this means users can interact with technology using natural conversation, making complex tasks hands-free and intuitive.

Why are AI Voice Agents Important for the Automotive Industry?

In the automotive world, voice agents are revolutionizing the driving experience. They enable drivers and passengers to:
  • Control navigation and infotainment systems hands-free
  • Ask about vehicle features or maintenance
  • Troubleshoot common issues
  • Get real-time assistance while driving
  • Schedule service appointments or request information about connected car technologies
These capabilities not only improve convenience but also enhance safety by reducing distractions.

Core Components of a Voice Agent

A robust automotive voice agent relies on several key technologies:
  • Speech-to-Text (STT): Converts spoken words into text.
  • Large Language Model (LLM): Processes the text and generates intelligent responses.
  • Text-to-Speech (TTS): Converts the agent's response back into natural-sounding speech.
If you're new to building voice agents, the

Voice Agent Quick Start Guide

is a great resource to help you get started quickly.

What You'll Build in This Tutorial

In this tutorial, you'll create a fully working AI voice agent tailored for automotive use cases. The agent will answer questions about vehicle features, maintenance, navigation, and more—all using the Videosdk AI Agents framework.

2. Architecture and Core Concepts

High-Level Architecture Overview

Let's visualize how the agent processes a user's request from start to finish:
1sequenceDiagram
2    participant User
3    participant Agent
4    participant VAD
5    participant TurnDetector
6    participant STT
7    participant LLM
8    participant TTS
9    User->>VAD: Speaks (audio input)
10    VAD->>TurnDetector: Detects end of user speech
11    TurnDetector->>STT: Sends audio for transcription
12    STT->>LLM: Transcribed text
13    LLM->>Agent: Generates response
14    Agent->>TTS: Sends response text
15    TTS->>User: Plays synthesized speech
16
This pipeline ensures the agent listens, understands, and responds in real time. For a deeper dive into the essential building blocks, check out the

AI voice Agent core components overview

.

Understanding Key Concepts in the VideoSDK Framework

  • Agent: The main class that defines your voice assistant's personality and logic.
  • CascadingPipeline: Orchestrates the flow of audio and text through STT, LLM, TTS, and other plugins.
  • VAD (Voice Activity Detection): Listens for when the user starts and stops speaking.
  • TurnDetector: Determines when it's the agent's turn to speak, preventing interruptions.
These components work together to create a seamless conversational experience. To see how these elements interact, explore the

Cascading pipeline in AI voice Agents

documentation.

3. Setting Up the Development Environment

Prerequisites

  • Python 3.11+ (ensure you have the latest minor version)
  • VideoSDK Account: Sign up at the VideoSDK dashboard.

Step 1: Create a Virtual Environment

It's best to isolate your project dependencies.
1python3.11 -m venv venv
2source venv/bin/activate  # On Windows: venv\\Scripts\\activate
3

Step 2: Install Required Packages

Install the Videosdk AI Agents framework and plugin dependencies:
1pip install videosdk-agents videosdk-plugins-deepgram videosdk-plugins-openai videosdk-plugins-elevenlabs videosdk-plugins-silero videosdk-plugins-turn-detector
2
If you want to learn more about integrating specific plugins, such as the

Deepgram STT Plugin for voice agent

, the

OpenAI LLM Plugin for voice agent

, or the

ElevenLabs TTS Plugin for voice agent

, refer to their respective documentation pages.

Step 3: Configure API Keys in a .env File

Create a .env file in your project directory and add your API keys:
1VIDEOSDK_API_KEY=your_videosdk_api_key
2DEEPGRAM_API_KEY=your_deepgram_api_key
3OPENAI_API_KEY=your_openai_api_key
4ELEVENLABS_API_KEY=your_elevenlabs_api_key
5
You can find these keys in the respective service dashboards.

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

Let's dive into building your automotive AI voice agent. Below is the complete, runnable code. We'll break down each part 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 specialized for the automotive industry. Your persona is that of a knowledgeable, friendly, and efficient automotive assistant. Your primary capabilities include: answering questions about vehicle features, maintenance schedules, troubleshooting common car issues, providing navigation assistance, and helping users schedule service appointments. You can also offer information about connected car technologies, safety features, and infotainment systems. You must always prioritize user safety and privacy, never provide driving advice that could endanger users, and refrain from diagnosing complex mechanical issues—always recommend consulting a certified automotive technician for such cases. Do not store or share any personal or vehicle data. If asked for legal, financial, or emergency advice, politely decline and direct the user to the appropriate professional or emergency service. Always communicate clearly and concisely, ensuring instructions are easy to follow, especially when the user may be driving."
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=OpenAILLM(model="gpt-4o"),
30        tts=ElevenLabsTTS(model="eleven_flash_v2_5"),
31        vad=SileroVAD(threshold=0.35),
32        turn_detector=TurnDetector(threshold=0.8)
33    )
34
35    session = AgentSession(
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
Now, let's break down the code step by step.

Step 4.1: Generating a VideoSDK Meeting ID

Before running your agent, you'll need a meeting ID. You can generate one using the VideoSDK API:
1curl -X POST \
2  -H "Authorization: YOUR_VIDEOSDK_API_KEY" \
3  -H "Content-Type: application/json" \
4  -d '{}' \
5  https://api.videosdk.live/v2/rooms
6
Copy the returned roomId and use it in your RoomOptions if you want to join a specific meeting. If you omit room_id, a new room will be created automatically.

Step 4.2: Creating the Custom Agent Class

The heart of your voice agent is the custom class that defines its personality and behavior.
1agent_instructions = "You are an AI Voice Agent specialized for the automotive industry. Your persona is that of a knowledgeable, friendly, and efficient automotive assistant. ..."
2
3class MyVoiceAgent(Agent):
4    def __init__(self):
5        super().__init__(instructions=agent_instructions)
6    async def on_enter(self):
7        await self.session.say("Hello! How can I help?")
8    async def on_exit(self):
9        await self.session.say("Goodbye!")
10
  • The agent_instructions string defines the agent's persona, capabilities, and safety constraints.
  • on_enter and on_exit methods allow the agent to greet and say goodbye to users.
For more on how the agent manages dialogue, see the

conversation flow in AI voice Agents

documentation.

Step 4.3: Defining the Core Pipeline

The pipeline determines how audio and text flow through the system.
1pipeline = CascadingPipeline(
2    stt=DeepgramSTT(model="nova-2", language="en"),
3    llm=OpenAILLM(model="gpt-4o"),
4    tts=ElevenLabsTTS(model="eleven_flash_v2_5"),
5    vad=SileroVAD(threshold=0.35),
6    turn_detector=TurnDetector(threshold=0.8)
7)
8
  • DeepgramSTT: Converts speech to text using Deepgram's Nova-2 model.
  • OpenAILLM: Uses GPT-4o for intelligent, context-aware responses.
  • ElevenLabsTTS: Produces high-quality, natural-sounding speech.
  • SileroVAD: Detects when the user is speaking.
  • TurnDetector: Ensures smooth turn-taking between user and agent.
If you want to understand how voice activity is detected, the

Silero Voice Activity Detection

plugin documentation provides detailed insights. Similarly, for managing conversational turns, refer to the

Turn detector for AI voice Agents

guide.

Step 4.4: Managing the Session and Startup Logic

The session orchestrates the agent's lifecycle, from joining the room to shutting down.
1async def start_session(context: JobContext):
2    agent = MyVoiceAgent()
3    conversation_flow = ConversationFlow(agent)
4    pipeline = CascadingPipeline(
5        stt=DeepgramSTT(model="nova-2", language="en"),
6        llm=OpenAILLM(model="gpt-4o"),
7        tts=ElevenLabsTTS(model="eleven_flash_v2_5"),
8        vad=SileroVAD(threshold=0.35),
9        turn_detector=TurnDetector(threshold=0.8)
10    )
11    session = AgentSession(agent=agent, pipeline=pipeline, conversation_flow=conversation_flow)
12    try:
13        await context.connect()
14        await session.start()
15        await asyncio.Event().wait()
16    finally:
17        await session.close()
18        await context.shutdown()
19
20def make_context() -> JobContext:
21    room_options = RoomOptions(
22        name="VideoSDK Cascaded Agent",
23        playground=True
24    )
25    return JobContext(room_options=room_options)
26
27if __name__ == "__main__":
28    job = WorkerJob(entrypoint=start_session, jobctx=make_context)
29    job.start()
30
  • start_session sets up the agent, pipeline, and conversation flow.
  • make_context configures the meeting room and enables playground mode for easy testing.
  • The main block starts the job.

5. Running and Testing the Agent

Step 5.1: Running the Python Script

  1. Ensure your .env file is configured with all required API keys.
  2. Run your agent script:
1python main.py
2
  1. In the console output, look for a line containing a playground link. This link allows you to join the meeting and interact with your agent in a web browser.
You can experiment with your agent in the

AI Agent playground

, which provides a convenient web interface for testing and development.

Step 5.2: Interacting with the Agent in the Playground

  • Open the provided playground URL in your browser.
  • Join the meeting room.
  • Speak or type your questions to the agent. Try asking about vehicle features, maintenance, or navigation.
  • The agent will respond with synthesized speech, demonstrating the full conversational loop.
To gracefully shut down the agent, press Ctrl+C in your terminal. This ensures all resources are cleaned up properly.

6. Advanced Features and Customizations

Extending Functionality with Custom Tools

You can add custom capabilities to your agent using the function_tool decorator. For example, integrate with vehicle APIs to fetch real-time data, or add custom logic for specific automotive scenarios.

Exploring Other Plugins

The Videosdk AI Agents framework supports a variety of plugins:
  • STT: Cartesia (best), Deepgram (cost-effective), Rime (low-cost)
  • TTS: ElevenLabs (best quality), Deepgram (cost-effective)
  • LLM: OpenAI GPT-4, Google Gemini
Experiment with different combinations to optimize for your use case.

7. Troubleshooting Common Issues

API Key and Authentication Errors

  • Double-check your API keys in the .env file.
  • Ensure your VideoSDK account is active and has sufficient quota.

Audio Input/Output Problems

  • Make sure your microphone and speakers are working.
  • Test in the playground to isolate browser or network issues.

Dependency and Version Conflicts

  • Use a fresh virtual environment to avoid package conflicts.
  • Verify that all plugins are compatible with your Python version.

8. Conclusion

Congratulations! You've built a fully functional AI voice agent for the automotive industry using VideoSDK. This agent can answer questions, assist with navigation, and provide valuable information—all hands-free.
To take your project further, consider integrating with real-time vehicle APIs, adding multi-language support, or deploying your agent in production vehicles.
Happy coding!

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