Visualize Twilio Usage Data with Python, Pandas, and Jupyter Notebooks

Custom reports for more control over your own data

Joyce Lin
codeburst

--

Photo by Bill Mackie on Unsplash

Some mysteries in life can only be answered by data. For example, if you have questions about your Twilio usage, there are a few ways to dig into the data. There are prebuilt summaries and graphs of your activity in the Twilio console, and if you’re handy with a spreadsheet, you can export the data. There are also third-party providers with out-of-the-box analytics and visualizations.

In the case that nothing answers your particular question, this tutorial shows you how to make custom reports using the Twilio REST API to access your data and drive your own insights.

Tutorial requirements

  • Python version 3
  • A free or paid Twilio account with a history of activity

Set up the Python virtual environment

Make a new project directory, and change into the directory from the command line.

$ mkdir twilio-jupyter
$ cd twilio-jupyter

Create a virtual environment called venv. If you’re on Unix or Mac operating systems, enter these commands in a terminal to create and activate the virtual environment:

$ python -m venv venv$ source venv/bin/activate

If you’re on a Windows machine, enter these commands in a command prompt window:

$ python -m venv venv$ venv\Scripts\activate

In the activated virtual environment, install these dependencies:

(venv) $ pip install jupyter requests python-dotenv pandas matplotlib

The Python packages we’re using are:

  • jupyter — a web app to make and share documents containing live code
  • requests — to send and authorize HTTP requests
  • python-dotenv — to manage environment variables
  • pandas — for data analysis and handling
  • matplotlib — to create graphs and charts

Run a Jupyter notebook

Jupyter is an interactive shell originally developed for the Python programming language. In a Jupyter notebook, you can write and run code in your browser while inspecting the output at each step.

Start the Jupyter notebook server from the virtual environment.

(venv) $ jupyter notebook

Once Jupyter is running at port 8888, go to your browser at http://localhost:8888/tree. This is the Jupyter web dashboard running on your local machine. You should see your current project directory, containing just one folder called venv.

Let’s add a notebook to the dashboard. Click the “New” dropdown to create a Python 3 notebook.

create a Python 3 Jupyter notebook

In the new tab, rename the Untitled notebook to twilio-usage at the top of the page.

Store Twilio credentials as environment variables

In order to access your Twilio data using the Twilio REST API, you’ll need to authorize your requests with your credentials.

Back in the terminal, you can see Jupyter running. Open a new command prompt on a separate tab, and activate the virtual environment again. Create a file called .env (notice the dot in front of this filename).

In the .env file, save your credentials from the Twilio Console formatted like this:

TWILIO_ACCOUNT_SID=YOUR-TWILIO-ACCOUNT-SIDTWILIO_AUTH_TOKEN=YOUR-TWILIO-AUTH-TOKEN

Write and run code in Jupyter

It’s time for our first line of code in our brand new notebook! Since you launched the notebook from within the virtual environment venv, you can access the dependencies installed in that environment by using an import statement in the notebook.

Copy the following code into the first code cell of the twilio-usage notebook and hit the “Run” button or press Shift+Enter.

import requestsimport pandas as pdimport osfrom dotenv import load_dotenvload_dotenv()

If the code executes properly, the resulting output beneath the code is True. This code imports the Python dependencies and loads the environment variables stored in .env so you can access the Twilio REST API with your credentials.

run code and inspect the output in Jupyter

Copy the following code into the next cell of the notebook, and hit “Run”.

accountSID = os.getenv('TWILIO_ACCOUNT_SID')authToken = os.getenv('TWILIO_AUTH_TOKEN')url = f'https://api.twilio.com/2010-04-01/Accounts/{accountSID}/Messages.json'response = requests.get(url, auth=(accountSID, authToken))messages = response.json()['messages']print('Number of messages: ', len(messages))# json is a built-in module for Python - no install requiredimport jsonprint(json.dumps(messages, indent=2))

This makes a GET request to the Twilio REST API to retrieve all of your SMS messages up to the paging maximum, which is 50 by default. The data is saved to a variable called messages that we can use while running subsequent cells. The resulting output is a log statement with a count of your SMS messages and a JSON object of those messages. If new messages are sent, remember to re-run this code cell to get the latest data.

Now that you know how the response from Twilio is formatted, you can transform the data using the primary Pandas data structure called a DataFrame to handle the data like you would in a SQL table. Run the following code in the next cell of the notebook to see the first five rows of SMS messages:

df = pd.DataFrame(messages)df.head()

Tidy up the data in the next code cell. Display only the date, price, and direction of your messages, formatting the output. Hit “Run”.

df = df.rename(columns={'price': 'Price', 'direction': 'Direction'})df['date_sent'] = pd.to_datetime(df.date_sent)df['Date'] = df.date_sent.dt.strftime('%m/%d/%Y')print(df[['Date','Price', 'Direction']])

Show this data in a bar graph displaying total price over time in the next code cell. Hit “Run”.

df['Price'] = df['Price'].astype(float)df['Date'] = pd.to_datetime(df['Date'])df['Price'].groupby(df['Date'].dt.to_period('D')).sum().plot(kind='bar', color='red')

Continue updating your view of the data by modifying or adding new code blocks. You could also focus on a specific period of time, filter by other criteria, or display a different type of graph.

Share the notebook

Once you have the data the way you like it, you can share the findings with other people. Here are some considerations for sharing a Jupyter notebook.

  • Add documentation: Jupyter cells can run code or render Markdown-formatted text. Interspersing explanatory text with code shows readers how to interact with the notebook.
  • Share a virtual environment: We used our virtual environment locally by launching Jupyter from within the activated environment. If you want to capture those dependencies, you can use ipykernel to replicate and share a Python kernel that contains the virtual environment.
  • Save to version control securely: Before pushing to Git, make sure you’re not leaking sensitive information. Make sure .env is included in the .gitignore of your project directory, so that the file is ignored from being checked in to version control. Another good practice is to remove the output saved by default with the underlying .ipynb notebook file. You can do this by opening the Jupyter command palette (CMD/CTRL + Shift + P) and selecting clear all cells output.

Once a notebook is saved to version control, other people can view and run the notebook on their own.

There are a few ways to render the notebook as a static HTML web page from a hosted version-control system, like GitHub, so that you can share the public URL with others to view. Here’s an example on GitHub and on Jupyter’s nbviewer.

To run the notebook interactively, people can set up a notebook server locally. There are also cloud options that don’t require any software installation. For example, you can Execute on Binder to run the notebook interactively on nbviewer.

Conclusion

Now that you know the basics of working with the Twilio REST API in Jupyter, try using data from other Twilio APIs. You can also explore other popular libraries like NumPy for advanced math calculations.

Interacting with data by tweaking the inputs can provide more insights than reading static graphs. Even though there are lots of out-of-the-box options for visualizing your Twilio usage data, you can also build and share your own custom reports.

Let me know what you come up with!

--

--