Manage the Recordings of Your Video Calls with the Twilio Compositions API, Python and Flask

Do you use Twilio Programmable Video for your video meetings? One of the many optional features is to enable recording of your video rooms. When recording is enabled, each participant’s audio and video are recorded in separate tracks. You can then use the Compositions API to combine these tracks into a single playable video that will be compatible with most common media players.

In this tutorial, you will learn how to build a quick application for creating, viewing, and downloading your video compositions using the Compositions API, Python, and the Flask web framework. Let’s get started!

Prerequisites

Set up your environment

To get started, open up a terminal window and navigate to the place where you would like to set up your project. Then, create a new directory called python-compositions where your project will live, and change into that directory using the following commands:

mkdir python-compositions
cd python-compositions

Create a virtual environment

Following Python best practices, you are now going to create a virtual environment, where you are going to install the Python dependencies needed for this project.

If you are using a Unix or Mac OS system, open a terminal and enter the following commands to create and activate your virtual environment:

python3 -m venv venv
source venv/bin/activate

If you are following the tutorial on Windows, enter the following commands in a command prompt window:

python -m venv venv
venv\Scripts\activate

Now you are ready to install the Python dependencies used by this project:

pip install twilio flask flask-socketio simple-websocket pyngrok python-dotenv

The six Python packages that are needed by this project are:

Configure Twilio credentials

Next, create a new file named .env at the root of your project and open it in your code editor. The .env file is where you will keep your Twilio account credentials. Add the following variables to this file:

TWILIO_ACCOUNT_SID=XXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
TWILIO_API_KEY_SID=XXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
TWILIO_API_KEY_SECRET=XXXXXXXXXXXXXXXXXXXXXXXXXXXXXX

You’ll need to replace the placeholder text above with your actual Twilio credentials, which can be found in the Twilio Console:

Twilio console, showing location of Account SID

Copy and paste the value for “Account SID” to replace the placeholder text for TWILIO_ACCOUNT_SID.

Then, navigate to the API Keys section of the console and generate a new API Key. Copy the API Key’s values for SID and Secret to replace the placeholder text for TWILIO_API_KEY_SID and TWILIO_API_KEY_SECRET.

It’s important to keep these credentials safe, so in case you later decide to commit this project to a git repository, create a .gitignore file at the root of your project and add the .env file to it. While you’re in here, add the venv virtual environment directory as well:

.env
venv

Create a Flask server

In this step you are going to create a brand new Flask web application. Open a file named app.py in your text editor or IDE, and enter the following code in it:

from datetime import timedelta
import json
import os
from flask import Flask, render_template, request
from flask_socketio import SocketIO
from twilio.rest import Client
from dotenv import load_dotenv

load_dotenv()
app = Flask(__name__)
socketio = SocketIO(app)
twilio_client = Client(os.environ.get('TWILIO_API_KEY_SID'),
                       os.environ.get('TWILIO_API_KEY_SECRET'),
                       account_sid=os.environ.get('TWILIO_ACCOUNT_SID'))

# endpoints will be added here!

if __name__ == '__main__':
    socketio.run(app, debug=True)

This first version of the application just sets up the Flask and Socket.IO servers and the Twilio client, which is initialized with the Twilio credentials imported from the .env file. For now this server is just a placeholder without any endpoints.

The server is now functional and can be started with the following command:

python app.py

One of the features of Flask’s debug mode is that whenever code is changed, the server automatically restarts to incorporate the changes. Leave the server running in this terminal window as you continue working through the tutorial to take advantage of this functionality.

Starting an ngrok tunnel

The Flask web server is only available locally inside your computer, which means that it cannot be accessed over the Internet. But to implement the rendering of video rooms, we need Twilio to be able to send web notifications to this server. Thus during development, a trick is necessary to make the local server available on the Internet.

Open a second terminal window, activate the virtual environment and then run the following command:

ngrok http 5000

The ngrok screen should look as follows:

ngrok

Note the https:// forwarding URL. This URL is temporarily mapped to your Flask web server, and can be accessed from anywhere in the world. Any requests that arrive on it will be transparently forwarded to your server by the ngrok service. The URL is active for as long as you keep ngrok running, or until the ngrok session expires. Each time ngrok is launched, a new randomly generated URL will be mapped to the local server.

Leave the Flask and ngrok terminals running as you continue with this tutorial. If your ngrok session expires, stop ngrok by pressing Ctrl-C, and start it again to begin a new session. Keep in mind that each time you restart ngrok the randomly generated subdomain portion of the URL will change.

Create a Jinja template

Open a third terminal window and navigate to the root of your project. Create a directory called templates by running the following command:

mkdir templates

This is where the HTML content of the application will be stored. Open a new file called templates/index.html in your code editor and add the following code to it:

<html>
  <head>
    <title>Video Compositions</title>
    <link rel="stylesheet" href="{{ url_for('static', filename='styles.css') }}">
    <script src="https://cdn.socket.io/4.1.1/socket.io.min.js"
            integrity="sha384-cdrFIqe3RasCMNE0jeFG9xJHog/tgOVC1E9Lzve8LQN1g5WUHo0Kvk1mawWjxX7a"
            crossorigin="anonymous"></script>
  </head>
  <body class="app">

  </body>
</html>

Here, you’re setting up the HTML and adding Socket.IO to your client side from a CDN.

Next, complete the body section of your template, which will include two tables—one for displaying rooms that already have compositions, and one for displaying rooms with recordings available for you to compose. Add the following template code inside the <body> element of index.html:

    <h1>Video Compositions</h1>
    <div id="statusUpdate"></div>

    <h2>Rooms with Compositions</h2>
    <table>
      <tr>
        <th>Room Name</th>
        <th>Duration</th>
        <th>Actions</th>
      </tr>
      {% for room in rooms %}
        {% if room.compositions %}
          <tr>
            <td>{{ room.name }}</td>
            <td>{{ room.duration }}</td>
            <td>
              <ul>
              {% for composition in room.compositions %}
                <li>
                  <button class="button compositionAction" value="/compositions/{{ composition.sid }}/view">View</button>
                  <button class="button compositionAction" value="/compositions/{{ composition.sid }}/download">Download</button>
                  <button class="button compositionAction" value="/compositions/{{ composition.sid }}/delete">Delete</button>
                </li>
              {% endfor %}
              </ul>
            </td>
          </tr>
        {% endif %}
      {% endfor %}
    </table>

    <h2>Recent Rooms with Recordings</h2>
    <table>
      <tr>
        <th>Room Name</th>
        <th>Duration</th>
        <th>Actions</th>
      </tr>
      {% for room in rooms %}
        <tr>
          <td>{{ room.name }}</td>
          <td>{{ room.duration }}</td>
          <td>
            <button class="button compositionAction" value="/compose/{{ room.sid }}">Compose</button>
          </td>
        </tr>
      {% endfor %}
    </table>

Now that you have the beginnings of your template ready, it’s time to add some more code to your server so that you can start viewing the data in your template.

Fetch video room data and update CSS styles

Return to app.py in your code editor. Add the following function right below the place where the twilio_client variable is defined. This function will allow you to get a list of recent video rooms and filter them by whether they have associated recordings and/or compositions:

def get_rooms_and_compositions():
    rooms = []

    # Get a list of recent video rooms. In this case, the 10 most recent completed rooms
    rooms = twilio_client.video.rooms.list(status='completed', limit=10)

    # Get a list of recordings
    recordings = twilio_client.video.recordings.list()

    # Create a list of only the room sids that have associated recordings
    room_sids_with_recordings = [recording.grouping_sids['room_sid']
                                 for recording in recordings]
    
    # Filter out the duplicates
    set_of_room_sids_with_recordings = list(set(room_sids_with_recordings))

    # Get the full details of the rooms with recordings
    rooms_with_recordings = [room for room in rooms if room.sid in set_of_room_sids_with_recordings]

    # Get a list of completed compositions
    compositions = twilio_client.video.compositions.list(status='completed')

    video_rooms = []

    # Match up any completed compositions with their associated rooms
    for room in rooms_with_recordings:
        room_compositions = [composition for composition in compositions if composition.room_sid == room.sid]
        video_rooms.append({
            'sid': room.sid,
            'name': room.unique_name,
            'duration': str(timedelta(seconds=room.duration)),
            'compositions': room_compositions,
        })

    # Return this list of video rooms and associated compositions 
    return video_rooms

The get_rooms_and_compositions() function above provides you a way to get the video room data you need from the Twilio APIs. Now add the first application route just below this function:

@app.route('/')
def index():
    return render_template('index.html', rooms=get_rooms_and_compositions())

This route will allow you to display data about video rooms and their compositions in your index.html template.

Do you remember the ngrok forwarding URLs from earlier? If you would like to see what your user interface looks like so far, try navigating to the https:// forwarding URL reported in the terminal running ngrok, (which should have the format https://<random-code>.ngrok.io/) in your browser. Depending on whether you have recorded any Twilio Video conversations lately, you may or may not already have data in your UI. If you have not created any recordings, you will see something like the image below in your browser window:

Browser window pointing to an ngrok.io URL, displaying the Video Compositions header and two tables with no styling added.

Styling the application

The application looks pretty basic so far, so in this section you are going to add a few CSS styles to make your template look more interesting.

Start by creating a static directory, from which Flask will load static files:

mkdir static

Next open a new file named static/styles.css in your text editor and paste in the following CSS code:

.app {
  font-family: Arial, Helvetica, sans-serif;
  box-sizing: border-box;
  padding: 0.75vw;
  width: 100%;
}

h1 {
  color: rgb(30, 62, 95)
}

h2 {
  color: rgb(37, 105, 173)
}

table {
  width: 90%;
  border-collapse: collapse;
  max-width: 975px;
  table-layout: fixed;
}

tr {
  max-height: fit-content;
}

th {
  background-color: rgb(177, 209, 243);
  padding: 1em;
  text-align: center;
  border: 1px solid rgb(30, 62, 95);
  padding: 1em;
}

td {
  border: 1px solid rgb(30, 62, 95);
  padding: 1em;
  text-align: center;
}

td li {
  list-style-type: none;
}

.button {
  color: white;
  background-color: rgb(8, 105, 196);
  box-shadow: inset 0 1px 0 0 rgb(255 255 255 / 40%);
  padding: 10px;
  border-radius: 7px;
  border: 1px solid transparent;
  margin: 3px;
  font-size: 16px;
}

Now, if you refresh the page in your browser, it should look more like this:

Browser window pointing to an ngrok.io URL, now with CSS styles.

Record a video

To continue with this tutorial, you will need some video recordings stored in your account. If you already have some, then great, you can continue on to the next section.

If you don’t have any video recordings, you can record some videos of yourself using the open-source Twilio Video application (or alternatively, if you already have a different Twilio Video application built that has recording capabilities enabled, you can use that as well).

To set up the video application, head to the twilio-video-app-react GitHub repository. Navigate to where you would like this code to live on your machine, then clone the repository by running the following command in your terminal:

git clone https://github.com/twilio/twilio-video-app-react.git

Once you have the repository cloned, change into this application’s root directory and run npm install to install dependencies:

cd twilio-video-app-react
npm install

Copy the .env. file from your Python application to the twilio-video-app-react directory, so that both projects use the same set of credentials. Then open the React application’s .env file and add the following variable at the bottom to disable the chat functionality, which is not needed for this project:

REACT_APP_DISABLE_TWILIO_CONVERSATIONS=true

Start the React application locally by running this command:

npm start

Navigate to http://localhost:3000/ in your browser and you will see that the Twilio React app has started up. Enter your name and a name for your video room:

Twilio Video React app's Lobby view, with inputs for a user's name and the video room name, next to a Continue button.

Click “Continue” to enter the lobby, and then click the “Join Now” button to start the video chat. If you would like, you can open http://localhost:3000/ in a second browser tab and create another version of yourself there.

Once you’re in the video chat, create a new recording by clicking the “More” button and selecting “Start Recording”. This will begin recording your video. Once you have a short video of yourself, click “Disconnect” to end the call.

Now you have a video recording you can use to try out composition! You can see a list of all of your recordings in the Twilio Console Recordings log.

Create a video composition

If you return to the browser tab that is pointing to the ngrok URL associated with your Python application and refresh the page, you should see at least one room listed under “Recent Rooms with Recordings”. Cool, right?

The room "Bass Practice 5" now appears in the Recent Rooms table.

In the table row containing your video room’s name is the “Compose” button you created earlier. If you click this button, it will not work just yet. You need to add a route to your server to make this “Compose” button functional.

When the user clicks the “Compose” button, the video room’s sid will be passed into the request to the Twilio Client to get the recordings associated with that room. Then, these recordings will be composed into a playable video file using the Compositions API.

When you send a request to compose a room, you also have the option to pass in a URL to receive StatusCallback events, which will provide you with updates as to how your composition is coming along.

There are also many different ways you can arrange the layout of your composition. For this project, you’ll be displaying all of the participants’ video tracks in a grid. To learn more about how to create other kinds of layouts, visit the Specifying Video Layouts section of the Composition API documentation.

To set up the compose route, add the following code to app.py, right after the index() function:

@app.route('/compose/<room_sid>')
def compose(room_sid):
    # Set the URL for receiving status callbacks
    # Your ngrok forwarding URL will be in req.headers.referer (https://<YOUR_VALUE_HERE>.ngrok.io/)
    status_callback_url = f'{request.referrer}callback'

    # Get the room's recordings and compose them
    recordings = twilio_client.video.recordings.list(grouping_sid=[room_sid])

    # Send a request to Twilio to create the composition
    create_composition = twilio_client.video.compositions.create(
        room_sid=room_sid,
        audio_sources='*',
        video_layout={'grid': {'video_sources': ['*']}},
        status_callback=status_callback_url,
        format='mp4'
    )

    socketio.emit('status-update', 'composition-request')
    return {'message': f'Creating composition with sid={create_composition.sid}'}

If you take a look at the code above, you’ll also notice that once the request to create the composition is made, you use Socket.IO to emit an event to let the client side know that this event has taken place.

Just below the code you added for the compose route, add the following code to create the callback route which will receive the Status Callbacks related to your video composition:

@app.route('/callback', methods=['POST'])
def callback():
    status = request.form['StatusCallbackEvent']
    socketio.emit('status-update', status)
    return ''

Every time there is a new status update from the Twilio Client, your application will receive Status Callbacks to this callback endpoint. When you receive a status update, this status will be emitted to the client side as well so you can update the UI.

Now that you are emitting events about your video composition’s status, it’s time to add some JavaScript to your Jinja template to handle changing the UI when these events are received.

Display status updates in the UI

Open templates/index.html in your text editor. Just above the closing </body> tag, add the following script:

    <script>
      addEventListener('click', async (event) => {
        if (event.target.classList.contains('compositionAction')) {
          event.preventDefault();
          const response = await fetch(event.target.value);
          const responseJson = await response.json();
          if (responseJson.url) {
            window.location = responseJson.url;
          }
        }
      });

      const socket = io();

      socket.on('status-update', async (status) => {
        let statusText;

        switch (status) {
          case 'composition-request':
            statusText = 'Sent request for composition. ✉️';
            break

          case 'composition-started':
            statusText = 'Composition has begun! ?';
            break

          case 'composition-available':
            statusText = 'Your composition is now available! ? Reloading in 3 seconds...'
            break

          case 'composition-progress':
            statusText = `Working... ?`
            break

          case 'composition-failed':
            statusText = 'Composition has failed. ?'
            break

          case 'composition-deleted':
            statusText = 'Composition deleted. ✅ Reloading in 3 seconds...'
            break

          default:
            statusText = ''
            break
        }

        const statusUpdate = document.getElementById('statusUpdate');
        statusUpdate.innerText = statusText;

        if (status === 'composition-available' || status === 'composition-deleted') {
          setTimeout(() => {
            location.reload();
          }, 3000);
        }
      }); 
    </script>

With this code, when a user clicks on the “Compose” button or one of the other composition actions, it will begin that composition action by making an API call to your server. Then, as status updates come in via Socket.IO, your statusUpdate div will change its text to show a user-friendly message about the update. Most of these updates are based on the Composition Status Callbacks documentation, however we have added composition-request and composition-deleted to the code in this project because they are useful events to display updates about.

It’s time to try out making a composition. Once you have the above code in your project, click the “Compose” button in the table row containing your video room’s name. As the composition status updates come through, you can watch the UI change to display these updates.

Composition status update saying "Your composition is now available! Reloading in 3 seconds..." with a party-popper emoji.

Once the composition is ready, the page will reload and display the new composition in the “Rooms with Compositions” table:

Video compositions table, with a room called "Bass Practice 5" in the Rooms with Compositions table.

View, download, and delete a video composition

Now that you’ve created a composition, you probably want to check out the playback of your video call. It’s time to add the functions that will allow you to view and download your video composition.

Head back to app.py and add the following two functions to your file, just below your code for the callback route:

@app.route('/compositions/<sid>/view')
def view_composition(sid):
    # Get the composition by its sid.
    # Setting ContentDisposition to inline will allow you to view the video in your browser.
    uri = f'https://video.twilio.com/v1/Compositions/{sid}/Media?Ttl=3600&ContentDisposition=inline'
    response = twilio_client.request(method='GET', uri=uri)
    return {'url': json.loads(response.content)['redirect_to']}


@app.route('/compositions/<sid>/download')
def download_composition(sid):
    # Get the composition by its sid.
    # ContentDisposition defaults to attachment, which prompts your browser to download the file locally.
    uri = f'https://video.twilio.com/v1/Compositions/{sid}/Media?Ttl=3600'
    response = twilio_client.request(method='GET', uri=uri)
    return {'url': json.loads(response.content)['redirect_to']}

With these two routes, you will be able to get the composition you created by its sid and either view it in the browser window or download it to your machine.

While you’re in this file, add the following delete route just below the two you just added above. This will allow you to delete the composition at the click of a button:

@app.route('/compositions/<sid>/delete')
def delete_composition(sid):
    twilio_client.video.compositions(sid).delete()
    socketio.emit('status-update', 'composition-deleted');
    return {'message': f'Deleted composition with sid={sid}'}

Once the composition has been deleted on the Twilio side, this function will emit an event to your client-side template via Socket.IO. Then, your JavaScript code there will update the UI to remove the row in the table that corresponds with the deleted composition.

Try viewing and downloading a video composition

Now it’s time to try out viewing and downloading your video composition. Click on a “View” button, and you will see the video playback in your browser window:

Screenshot from a video composition of Mia Adjei playing a bass guitar.

                                          Pictured above is my colleague Mia Adjei playing their bass guitar. ?

If you click the back button in your browser and return to your ngrok URL, you can try out the “Download” option as well. When you click download, your browser will prompt you to download the file and save it to your computer.

An arrow points to the bottom of the browser window, where a .mp4 video file has been downloaded.

Finally, if you do not want the composition anymore, you can click the “Delete” button, and once it is deleted, the composition will disappear from your Twilio account.

What’s next for video compositions?

You’ve just built a quick application that allows you to create, view, download, and delete video compositions. Very cool!

Want to learn even more about Twilio Video Recordings and Compositions? Check out the articles below for more information:

I can’t wait to see what you build with Twilio Programmable Video!

Miguel Grinberg is a Principal Software Engineer for Technical Content at Twilio. Reach out to him at mgrinberg [at] twilio [dot] com if you have a cool project you’d like to share on this blog!

Do you use Twilio Programmable Video for your video meetings? One of the many optional features is to enable recording of your video rooms. When recording is enabled, each participant's audio and video are recorded in separate tracks. You can then use the Compositions API to combine these tracks into a single playable video that will be compatible with most common media players.

In this tutorial, you will learn how to build a quick application for creating, viewing, and downloading your video compositions using the Compositions API, Python, and the Flask web framework. Let's get started!

Prerequisites

Set up your environment

To get started, open up a terminal window and navigate to the place where you would like to set up your project. Then, create a new directory called python-compositions where your project will live, and change into that directory using the following commands:

mkdir python-compositions
cd python-compositions

Create a virtual environment

Following Python best practices, you are now going to create a virtual environment, where you are going to install the Python dependencies needed for this project.

If you are using a Unix or Mac OS system, open a terminal and enter the following commands to create and activate your virtual environment:

python3 -m venv venv
source venv/bin/activate

If you are following the tutorial on Windows, enter the following commands in a command prompt window:

python -m venv venv
venv\Scripts\activate

Now you are ready to install the Python dependencies used by this project:

pip install twilio flask flask-socketio simple-websocket pyngrok python-dotenv

The six Python packages that are needed by this project are:

Configure Twilio credentials

Next, create a new file named .env at the root of your project and open it in your code editor. The .env file is where you will keep your Twilio account credentials. Add the following variables to this file:

TWILIO_ACCOUNT_SID=XXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
TWILIO_API_KEY_SID=XXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
TWILIO_API_KEY_SECRET=XXXXXXXXXXXXXXXXXXXXXXXXXXXXXX

You’ll need to replace the placeholder text above with your actual Twilio credentials, which can be found in the Twilio Console:

Twilio console, showing location of Account SID

Copy and paste the value for “Account SID” to replace the placeholder text for TWILIO_ACCOUNT_SID.

Then, navigate to the API Keys section of the console and generate a new API Key. Copy the API Key's values for SID and Secret to replace the placeholder text for TWILIO_API_KEY_SID and TWILIO_API_KEY_SECRET.

It’s important to keep these credentials safe, so in case you later decide to commit this project to a git repository, create a .gitignore file at the root of your project and add the .env file to it. While you're in here, add the venv virtual environment directory as well:

.env
venv

Create a Flask server

In this step you are going to create a brand new Flask web application. Open a file named app.py in your text editor or IDE, and enter the following code in it:

from datetime import timedelta
import json
import os
from flask import Flask, render_template, request
from flask_socketio import SocketIO
from twilio.rest import Client
from dotenv import load_dotenv

load_dotenv()
app = Flask(__name__)
socketio = SocketIO(app)
twilio_client = Client(os.environ.get('TWILIO_API_KEY_SID'),
                       os.environ.get('TWILIO_API_KEY_SECRET'),
                       account_sid=os.environ.get('TWILIO_ACCOUNT_SID'))

# endpoints will be added here!

if __name__ == '__main__':
    socketio.run(app, debug=True)

This first version of the application just sets up the Flask and Socket.IO servers and the Twilio client, which is initialized with the Twilio credentials imported from the .env file. For now this server is just a placeholder without any endpoints.

The server is now functional and can be started with the following command:

python app.py

One of the features of Flask’s debug mode is that whenever code is changed, the server automatically restarts to incorporate the changes. Leave the server running in this terminal window as you continue working through the tutorial to take advantage of this functionality.

Starting an ngrok tunnel

The Flask web server is only available locally inside your computer, which means that it cannot be accessed over the Internet. But to implement the rendering of video rooms, we need Twilio to be able to send web notifications to this server. Thus during development, a trick is necessary to make the local server available on the Internet.

Open a second terminal window, activate the virtual environment and then run the following command:

ngrok http 5000

The ngrok screen should look as follows:

ngrok

Note the https:// forwarding URL. This URL is temporarily mapped to your Flask web server, and can be accessed from anywhere in the world. Any requests that arrive on it will be transparently forwarded to your server by the ngrok service. The URL is active for as long as you keep ngrok running, or until the ngrok session expires. Each time ngrok is launched, a new randomly generated URL will be mapped to the local server.

Leave the Flask and ngrok terminals running as you continue with this tutorial. If your ngrok session expires, stop ngrok by pressing Ctrl-C, and start it again to begin a new session. Keep in mind that each time you restart ngrok the randomly generated subdomain portion of the URL will change.

Create a Jinja template

Open a third terminal window and navigate to the root of your project. Create a directory called templates by running the following command:

mkdir templates

This is where the HTML content of the application will be stored. Open a new file called templates/index.html in your code editor and add the following code to it:

<html>
  <head>
    <title>Video Compositions</title>
    <link rel="stylesheet" href="{{ url_for('static', filename='styles.css') }}">
    <script src="https://cdn.socket.io/4.1.1/socket.io.min.js"
            integrity="sha384-cdrFIqe3RasCMNE0jeFG9xJHog/tgOVC1E9Lzve8LQN1g5WUHo0Kvk1mawWjxX7a"
            crossorigin="anonymous"></script>
  </head>
  <body class="app">

  </body>
</html>

Here, you're setting up the HTML and adding Socket.IO to your client side from a CDN.

Next, complete the body section of your template, which will include two tables—one for displaying rooms that already have compositions, and one for displaying rooms with recordings available for you to compose. Add the following template code inside the <body> element of index.html:

    <h1>Video Compositions</h1>
    <div id="statusUpdate"></div>

    <h2>Rooms with Compositions</h2>
    <table>
      <tr>
        <th>Room Name</th>
        <th>Duration</th>
        <th>Actions</th>
      </tr>
      {% for room in rooms %}
        {% if room.compositions %}
          <tr>
            <td>{{ room.name }}</td>
            <td>{{ room.duration }}</td>
            <td>
              <ul>
              {% for composition in room.compositions %}
                <li>
                  <button class="button compositionAction" value="/compositions/{{ composition.sid }}/view">View</button>
                  <button class="button compositionAction" value="/compositions/{{ composition.sid }}/download">Download</button>
                  <button class="button compositionAction" value="/compositions/{{ composition.sid }}/delete">Delete</button>
                </li>
              {% endfor %}
              </ul>
            </td>
          </tr>
        {% endif %}
      {% endfor %}
    </table>

    <h2>Recent Rooms with Recordings</h2>
    <table>
      <tr>
        <th>Room Name</th>
        <th>Duration</th>
        <th>Actions</th>
      </tr>
      {% for room in rooms %}
        <tr>
          <td>{{ room.name }}</td>
          <td>{{ room.duration }}</td>
          <td>
            <button class="button compositionAction" value="/compose/{{ room.sid }}">Compose</button>
          </td>
        </tr>
      {% endfor %}
    </table>

Now that you have the beginnings of your template ready, it's time to add some more code to your server so that you can start viewing the data in your template.

Fetch video room data and update CSS styles

Return to app.py in your code editor. Add the following function right below the place where the twilio_client variable is defined. This function will allow you to get a list of recent video rooms and filter them by whether they have associated recordings and/or compositions:

def get_rooms_and_compositions():
    rooms = []

    # Get a list of recent video rooms. In this case, the 10 most recent completed rooms
    rooms = twilio_client.video.rooms.list(status='completed', limit=10)

    # Get a list of recordings
    recordings = twilio_client.video.recordings.list()

    # Create a list of only the room sids that have associated recordings
    room_sids_with_recordings = [recording.grouping_sids['room_sid']
                                 for recording in recordings]
    
    # Filter out the duplicates
    set_of_room_sids_with_recordings = list(set(room_sids_with_recordings))

    # Get the full details of the rooms with recordings
    rooms_with_recordings = [room for room in rooms if room.sid in set_of_room_sids_with_recordings]

    # Get a list of completed compositions
    compositions = twilio_client.video.compositions.list(status='completed')

    video_rooms = []

    # Match up any completed compositions with their associated rooms
    for room in rooms_with_recordings:
        room_compositions = [composition for composition in compositions if composition.room_sid == room.sid]
        video_rooms.append({
            'sid': room.sid,
            'name': room.unique_name,
            'duration': str(timedelta(seconds=room.duration)),
            'compositions': room_compositions,
        })

    # Return this list of video rooms and associated compositions 
    return video_rooms

The get_rooms_and_compositions() function above provides you a way to get the video room data you need from the Twilio APIs. Now add the first application route just below this function:

@app.route('/')
def index():
    return render_template('index.html', rooms=get_rooms_and_compositions())

This route will allow you to display data about video rooms and their compositions in your index.html template.

Do you remember the ngrok forwarding URLs from earlier? If you would like to see what your user interface looks like so far, try navigating to the https:// forwarding URL reported in the terminal running ngrok, (which should have the format https://<random-code>.ngrok.io/) in your browser. Depending on whether you have recorded any Twilio Video conversations lately, you may or may not already have data in your UI. If you have not created any recordings, you will see something like the image below in your browser window:

Browser window pointing to an ngrok.io URL, displaying the Video Compositions header and two tables with no styling added.

Styling the application

The application looks pretty basic so far, so in this section you are going to add a few CSS styles to make your template look more interesting.

Start by creating a static directory, from which Flask will load static files:

mkdir static

Next open a new file named static/styles.css in your text editor and paste in the following CSS code:

.app {
  font-family: Arial, Helvetica, sans-serif;
  box-sizing: border-box;
  padding: 0.75vw;
  width: 100%;
}

h1 {
  color: rgb(30, 62, 95)
}

h2 {
  color: rgb(37, 105, 173)
}

table {
  width: 90%;
  border-collapse: collapse;
  max-width: 975px;
  table-layout: fixed;
}

tr {
  max-height: fit-content;
}

th {
  background-color: rgb(177, 209, 243);
  padding: 1em;
  text-align: center;
  border: 1px solid rgb(30, 62, 95);
  padding: 1em;
}

td {
  border: 1px solid rgb(30, 62, 95);
  padding: 1em;
  text-align: center;
}

td li {
  list-style-type: none;
}

.button {
  color: white;
  background-color: rgb(8, 105, 196);
  box-shadow: inset 0 1px 0 0 rgb(255 255 255 / 40%);
  padding: 10px;
  border-radius: 7px;
  border: 1px solid transparent;
  margin: 3px;
  font-size: 16px;
}

Now, if you refresh the page in your browser, it should look more like this:

Browser window pointing to an ngrok.io URL, now with CSS styles.

Record a video

To continue with this tutorial, you will need some video recordings stored in your account. If you already have some, then great, you can continue on to the next section.

If you don’t have any video recordings, you can record some videos of yourself using the open-source Twilio Video application (or alternatively, if you already have a different Twilio Video application built that has recording capabilities enabled, you can use that as well).

To set up the video application, head to the twilio-video-app-react GitHub repository. Navigate to where you would like this code to live on your machine, then clone the repository by running the following command in your terminal:

git clone https://github.com/twilio/twilio-video-app-react.git

Once you have the repository cloned, change into this application's root directory and run npm install to install dependencies:

cd twilio-video-app-react
npm install

Copy the .env. file from your Python application to the twilio-video-app-react directory, so that both projects use the same set of credentials. Then open the React application’s .env file and add the following variable at the bottom to disable the chat functionality, which is not needed for this project:

REACT_APP_DISABLE_TWILIO_CONVERSATIONS=true

Start the React application locally by running this command:

npm start

Navigate to http://localhost:3000/ in your browser and you will see that the Twilio React app has started up. Enter your name and a name for your video room:

Twilio Video React app&#x27;s Lobby view, with inputs for a user&#x27;s name and the video room name, next to a Continue button.

Click “Continue” to enter the lobby, and then click the “Join Now” button to start the video chat. If you would like, you can open http://localhost:3000/ in a second browser tab and create another version of yourself there.

Once you're in the video chat, create a new recording by clicking the “More” button and selecting “Start Recording”. This will begin recording your video. Once you have a short video of yourself, click “Disconnect” to end the call.

Now you have a video recording you can use to try out composition! You can see a list of all of your recordings in the Twilio Console Recordings log.

Create a video composition

If you return to the browser tab that is pointing to the ngrok URL associated with your Python application and refresh the page, you should see at least one room listed under “Recent Rooms with Recordings”. Cool, right?

The room "Bass Practice 5" now appears in the Recent Rooms table.

In the table row containing your video room's name is the “Compose” button you created earlier. If you click this button, it will not work just yet. You need to add a route to your server to make this “Compose” button functional.

When the user clicks the “Compose” button, the video room's sid will be passed into the request to the Twilio Client to get the recordings associated with that room. Then, these recordings will be composed into a playable video file using the Compositions API.

When you send a request to compose a room, you also have the option to pass in a URL to receive StatusCallback events, which will provide you with updates as to how your composition is coming along.

There are also many different ways you can arrange the layout of your composition. For this project, you'll be displaying all of the participants' video tracks in a grid. To learn more about how to create other kinds of layouts, visit the Specifying Video Layouts section of the Composition API documentation.

To set up the compose route, add the following code to app.py, right after the index() function:

@app.route('/compose/<room_sid>')
def compose(room_sid):
    # Set the URL for receiving status callbacks
    # Your ngrok forwarding URL will be in req.headers.referer (https://<YOUR_VALUE_HERE>.ngrok.io/)
    status_callback_url = f'{request.referrer}callback'

    # Get the room's recordings and compose them
    recordings = twilio_client.video.recordings.list(grouping_sid=[room_sid])

    # Send a request to Twilio to create the composition
    create_composition = twilio_client.video.compositions.create(
        room_sid=room_sid,
        audio_sources='*',
        video_layout={'grid': {'video_sources': ['*']}},
        status_callback=status_callback_url,
        format='mp4'
    )

    socketio.emit('status-update', 'composition-request')
    return {'message': f'Creating composition with sid={create_composition.sid}'}

If you take a look at the code above, you'll also notice that once the request to create the composition is made, you use Socket.IO to emit an event to let the client side know that this event has taken place.

Just below the code you added for the compose route, add the following code to create the callback route which will receive the Status Callbacks related to your video composition:

@app.route('/callback', methods=['POST'])
def callback():
    status = request.form['StatusCallbackEvent']
    socketio.emit('status-update', status)
    return ''

Every time there is a new status update from the Twilio Client, your application will receive Status Callbacks to this callback endpoint. When you receive a status update, this status will be emitted to the client side as well so you can update the UI.

Now that you are emitting events about your video composition's status, it's time to add some JavaScript to your Jinja template to handle changing the UI when these events are received.

Display status updates in the UI

Open templates/index.html in your text editor. Just above the closing </body> tag, add the following script:

    <script>
      addEventListener('click', async (event) => {
        if (event.target.classList.contains('compositionAction')) {
          event.preventDefault();
          const response = await fetch(event.target.value);
          const responseJson = await response.json();
          if (responseJson.url) {
            window.location = responseJson.url;
          }
        }
      });

      const socket = io();

      socket.on('status-update', async (status) => {
        let statusText;

        switch (status) {
          case 'composition-request':
            statusText = 'Sent request for composition. ✉️';
            break

          case 'composition-started':
            statusText = 'Composition has begun! ?';
            break

          case 'composition-available':
            statusText = 'Your composition is now available! ? Reloading in 3 seconds...'
            break

          case 'composition-progress':
            statusText = `Working... ?`
            break

          case 'composition-failed':
            statusText = 'Composition has failed. ?'
            break

          case 'composition-deleted':
            statusText = 'Composition deleted. ✅ Reloading in 3 seconds...'
            break

          default:
            statusText = ''
            break
        }

        const statusUpdate = document.getElementById('statusUpdate');
        statusUpdate.innerText = statusText;

        if (status === 'composition-available' || status === 'composition-deleted') {
          setTimeout(() => {
            location.reload();
          }, 3000);
        }
      }); 
    </script>

With this code, when a user clicks on the “Compose” button or one of the other composition actions, it will begin that composition action by making an API call to your server. Then, as status updates come in via Socket.IO, your statusUpdate div will change its text to show a user-friendly message about the update. Most of these updates are based on the Composition Status Callbacks documentation, however we have added composition-request and composition-deleted to the code in this project because they are useful events to display updates about.

It's time to try out making a composition. Once you have the above code in your project, click the “Compose” button in the table row containing your video room's name. As the composition status updates come through, you can watch the UI change to display these updates.

Composition status update saying "Your composition is now available! Reloading in 3 seconds..." with a party-popper emoji.

Once the composition is ready, the page will reload and display the new composition in the “Rooms with Compositions” table:

Video compositions table, with a room called "Bass Practice 5" in the Rooms with Compositions table.

View, download, and delete a video composition

Now that you've created a composition, you probably want to check out the playback of your video call. It's time to add the functions that will allow you to view and download your video composition.

Head back to app.py and add the following two functions to your file, just below your code for the callback route:

@app.route('/compositions/<sid>/view')
def view_composition(sid):
    # Get the composition by its sid.
    # Setting ContentDisposition to inline will allow you to view the video in your browser.
    uri = f'https://video.twilio.com/v1/Compositions/{sid}/Media?Ttl=3600&ContentDisposition=inline'
    response = twilio_client.request(method='GET', uri=uri)
    return {'url': json.loads(response.content)['redirect_to']}


@app.route('/compositions/<sid>/download')
def download_composition(sid):
    # Get the composition by its sid.
    # ContentDisposition defaults to attachment, which prompts your browser to download the file locally.
    uri = f'https://video.twilio.com/v1/Compositions/{sid}/Media?Ttl=3600'
    response = twilio_client.request(method='GET', uri=uri)
    return {'url': json.loads(response.content)['redirect_to']}

With these two routes, you will be able to get the composition you created by its sid and either view it in the browser window or download it to your machine.

While you're in this file, add the following delete route just below the two you just added above. This will allow you to delete the composition at the click of a button:

@app.route('/compositions/<sid>/delete')
def delete_composition(sid):
    twilio_client.video.compositions(sid).delete()
    socketio.emit('status-update', 'composition-deleted');
    return {'message': f'Deleted composition with sid={sid}'}

Once the composition has been deleted on the Twilio side, this function will emit an event to your client-side template via Socket.IO. Then, your JavaScript code there will update the UI to remove the row in the table that corresponds with the deleted composition.

Try viewing and downloading a video composition

Now it's time to try out viewing and downloading your video composition. Click on a “View” button, and you will see the video playback in your browser window:

Screenshot from a video composition of Mia Adjei playing a bass guitar.

                                          Pictured above is my colleague Mia Adjei playing their bass guitar. ?

If you click the back button in your browser and return to your ngrok URL, you can try out the “Download” option as well. When you click download, your browser will prompt you to download the file and save it to your computer.

An arrow points to the bottom of the browser window, where a .mp4 video file has been downloaded.

Finally, if you do not want the composition anymore, you can click the “Delete” button, and once it is deleted, the composition will disappear from your Twilio account.

What's next for video compositions?

You've just built a quick application that allows you to create, view, download, and delete video compositions. Very cool!

Want to learn even more about Twilio Video Recordings and Compositions? Check out the articles below for more information:

I can’t wait to see what you build with Twilio Programmable Video!

Miguel Grinberg is a Principal Software Engineer for Technical Content at Twilio. Reach out to him at mgrinberg [at] twilio [dot] com if you have a cool project you’d like to share on this blog!


Print Share Comment Cite Upload Translate
APA
Miguel Grinberg | Sciencx (2024-03-28T19:00:59+00:00) » Manage the Recordings of Your Video Calls with the Twilio Compositions API, Python and Flask. Retrieved from https://www.scien.cx/2021/06/03/manage-the-recordings-of-your-video-calls-with-the-twilio-compositions-api-python-and-flask/.
MLA
" » Manage the Recordings of Your Video Calls with the Twilio Compositions API, Python and Flask." Miguel Grinberg | Sciencx - Thursday June 3, 2021, https://www.scien.cx/2021/06/03/manage-the-recordings-of-your-video-calls-with-the-twilio-compositions-api-python-and-flask/
HARVARD
Miguel Grinberg | Sciencx Thursday June 3, 2021 » Manage the Recordings of Your Video Calls with the Twilio Compositions API, Python and Flask., viewed 2024-03-28T19:00:59+00:00,<https://www.scien.cx/2021/06/03/manage-the-recordings-of-your-video-calls-with-the-twilio-compositions-api-python-and-flask/>
VANCOUVER
Miguel Grinberg | Sciencx - » Manage the Recordings of Your Video Calls with the Twilio Compositions API, Python and Flask. [Internet]. [Accessed 2024-03-28T19:00:59+00:00]. Available from: https://www.scien.cx/2021/06/03/manage-the-recordings-of-your-video-calls-with-the-twilio-compositions-api-python-and-flask/
CHICAGO
" » Manage the Recordings of Your Video Calls with the Twilio Compositions API, Python and Flask." Miguel Grinberg | Sciencx - Accessed 2024-03-28T19:00:59+00:00. https://www.scien.cx/2021/06/03/manage-the-recordings-of-your-video-calls-with-the-twilio-compositions-api-python-and-flask/
IEEE
" » Manage the Recordings of Your Video Calls with the Twilio Compositions API, Python and Flask." Miguel Grinberg | Sciencx [Online]. Available: https://www.scien.cx/2021/06/03/manage-the-recordings-of-your-video-calls-with-the-twilio-compositions-api-python-and-flask/. [Accessed: 2024-03-28T19:00:59+00:00]
rf:citation
» Manage the Recordings of Your Video Calls with the Twilio Compositions API, Python and Flask | Miguel Grinberg | Sciencx | https://www.scien.cx/2021/06/03/manage-the-recordings-of-your-video-calls-with-the-twilio-compositions-api-python-and-flask/ | 2024-03-28T19:00:59+00:00
https://github.com/addpipe/simple-recorderjs-demo