DEV Community

Hussein A.
Hussein A.

Posted on

Creating an AI-driven experience using Twilio

Creating an AI-driven experience using Twilio can open up many possibilities for interactive and automated services. One compelling application is setting up an AI-powered SMS chatbot that can handle customer inquiries, book appointments, or provide information. Here’s a step-by-step guide on how to build this experience using Twilio and OpenAI:
Step 1: Set Up Twilio Account

  1. Create a Twilio Account: Sign up for a Twilio account if you don't have one.
  2. Get a Twilio Phone Number: Purchase a phone number from Twilio capable of sending and receiving SMS.

Step 2: Set Up Python Environment

Ensure you have Python installed. Install the required libraries:

pip install twilio flask openai
Enter fullscreen mode Exit fullscreen mode

Step 3: Create a Flask Application

Set up a Flask web application to handle incoming SMS messages and interact with the OpenAI API.

Create app.py

from flask import Flask, request, jsonify
from twilio.twiml.messaging_response import MessagingResponse
import openai

app = Flask(__name__)

# Set your OpenAI API key
openai.api_key = 'YOUR_OPENAI_API_KEY'

@app.route("/sms", methods=['POST'])
def sms_reply():
    """Respond to incoming SMS messages with a friendly AI-powered message."""
    # Get the message from the request
    incoming_msg = request.form.get('Body')
    resp = MessagingResponse()

    # Use OpenAI to generate a response
    ai_response = openai.Completion.create(
        model="text-davinci-002",
        prompt=f"Respond to this message: {incoming_msg}",
        max_tokens=150
    )

    # Extract the text from the AI response
    response_text = ai_response.choices[0].text.strip()

    # Create the Twilio response
    resp.message(response_text)
    return str(resp)

if __name__ == "__main__":
    app.run(debug=True)
Enter fullscreen mode Exit fullscreen mode

Step 4: Configure Twilio Webhook

  1. Deploy the Flask Application: You can deploy it on a cloud platform such as Heroku, AWS, or any other hosting service.
  2. Set Up the Webhook: In your Twilio console, configure your phone number's webhook to point to your Flask application's URL. For example, if deployed on Heroku, it might be https://your-app.herokuapp.com/sms.

Step 5: Test the Chatbot

Send an SMS to your Twilio number and see the AI respond based on the prompt it receives. You should see the chatbot's responses generated by OpenAI's GPT-3.

Step 6: Enhance the Chatbot

To improve the chatbot's capabilities, consider the following:

  1. Context Handling: Implement session management to maintain the context of conversations.
  2. Custom Prompts: Customize prompts to make responses more relevant to your use case.
  3. Additional Features: Add functionalities like appointment booking, FAQs, or connecting to other APIs for richer interactions.

Here’s an example of enhancing the chatbot to handle basic conversation context:

from flask import Flask, request, jsonify, session
from twilio.twiml.messaging_response import MessagingResponse
import openai

app = Flask(__name__)
app.secret_key = 'your_secret_key'

# Set your OpenAI API key
openai.api_key = 'YOUR_OPENAI_API_KEY'

@app.route("/sms", methods=['POST'])
def sms_reply():
    incoming_msg = request.form.get('Body')
    resp = MessagingResponse()

    # Retrieve the conversation history from the session
    if 'conversation' not in session:
        session['conversation'] = []

    session['conversation'].append(f"User: {incoming_msg}")

    # Use OpenAI to generate a response
    conversation = "\n".join(session['conversation'])
    ai_response = openai.Completion.create(
        model="text-davinci-002",
        prompt=f"The following is a conversation with an AI assistant. The assistant is helpful, creative, clever, and very friendly.\n\n{conversation}\nAI:",
        max_tokens=150,
        stop=None,
        temperature=0.9
    )

    response_text = ai_response.choices[0].text.strip()
    session['conversation'].append(f"AI: {response_text}")

    # Create the Twilio response
    resp.message(response_text)
    return str(resp)

if __name__ == "__main__":
    app.run(debug=True)
Enter fullscreen mode Exit fullscreen mode

This code snippet maintains a conversation context by storing the history in a session variable. This way, the AI can provide more contextually relevant responses based on the conversation history.

By following these steps, you can create a sophisticated AI-driven SMS chatbot leveraging Twilio and OpenAI, providing an interactive and automated experience for users.

Top comments (0)