This guide provides you with an overview of the key objects you'll use in the Programmable Video API to build your video application with the Twilio Programmable Video Android SDK.
Note: If you haven’t already done so, take a look at the open source video collaboration app and quickstart apps. Then come back to this guide for more detail on how to add video to your own app.
If you’ve worked with WebRTC in the past, you’ll find that Programmable Video provides a simple wrapper around WebRTC’s lower-level APIs to make it easy to build rich audio and video applications. You can still access lower-level primitives, but that’s not required to get started.
Additionally, Programmable Video provides the missing pieces required to use WebRTC to build sophisticated applications: Global STUN/TURN relays, media services for large-scale group conferences and recording, and signaling infrastructure are all included.
Video API overview
Let’s start with an overview of the Programmable Video API:
- A
Room
represents a real-time audio, video, and/or screen-share session, and is the basic building block for a Programmable Video application. - In a
Peer-to-peer Room
, media flows directly between participants. Supports up to 10 participants in a mesh topology. - In a
Group Room
, media is routed through Twilio's Media Servers. Supports up to 50 participants. Participants
represent client applications that are connected to a Room and sharing audio and/or video media with one another.Tracks
represent the individual audio and video media streams that are shared within a Room.LocalTracks
represent the audio and video captured from the local microphone and camera.RemoteTracks
represent the audio and video tracks from other participants connected to the Room.
The following code samples illustrate common tasks that you as a developer may wish to perform related to a Room and its Participants.
Prerequisites
To start using the Android Programmable Video SDK in your apps, you need to perform a few basic tasks first.
1. Get the Programmable Video Android SDK
The Android Video SDK is distributed through jCenter.
To install the Android Video SDK, ensure the following configuration is in your build.gradle file:
Gradle
allprojects { repositories { jcenter() } } // The Video library resides on jcenter implementation 'com.twilio:video-android:6.0.0' android { compileOptions { sourceCompatibility 1.8 targetCompatibility 1.8 } }
Proguard
Add the following lines to your proguard-project.txt file.
-keep class tvi.webrtc.** { *; } -keep class com.twilio.video.** { *; } -keepattributes InnerClasses
Supported Devices
The Android SDK supports Android API level 16 and higher. It is built for armeabi-v7a, arm64-v8a, x86, and x86_64 architectures.
Release Notifications
Watch the video-android project on Bintray to get notified of all future releases.
2. Get an API Key
API Keys represent credentials to access the Twilio API. They are used for two purposes:
- to authenticate to the REST API.
- to create and revoke Access Tokens
For the purposes of this guide, we will create our API Key from the Twilio Console.
- Go to the API Keys section under Tools in the Twilio Console.
- Click on “Create a New API Key”, add a friendly name and save your Key and Secret.
3. Generate an Access Token
To execute the code samples below, you can use the Testing Tools page in the Twilio Console to generate an Access Token. An Access Token is a short-lived credential used to authenticate your client-side application to Twilio.
In a production application, your back-end server will need to generate an Access Token for every user in your application. An Access Token is a short-lived credential used to authenticate your client-side application to Twilio. Visit the User Identity and Access Token guide to learn more.
Connect to a Room
Call Video.connect()
to connect to a Room from your Android application. Once connected, you can send and receive audio and video streams with other Participants who are connected to the Room.
private Room.Listener roomListener() { return new Room.Listener() { @Override public void onConnected(Room room) { Log.d(TAG,"Connected to " + room.getName()); } } } public void connectToRoom(String roomName) { ConnectOptions connectOptions = new ConnectOptions.Builder(accessToken) .roomName(roomName) .audioTracks(localAudioTracks) .videoTracks(localVideoTracks) .dataTracks(localDataTracks) .build(); room = Video.connect(context, connectOptions, roomListener); }
You must pass the Access Token when connecting to a Room. You may also optionally pass the following:
- A room name, which allows you to dynamically specify the name of the Room you wish to join. (Note: You can also encode the Room name in the Access Token, which will allow the user to connect to only the Room specified in the token.)
- Local audio, video, or data tracks, to begin sharing pre-created local media with other Participants in the Room upon connecting.
The name of the Room specifies which Room you wish to join. If a Room by that name does not already exist, it will be created upon connection. If a Room by that name is already active, you'll be connected to the Room and receive notifications from any other Participants also connected to the same Room. Room names must be unique within an account.
You can also create a Room using the Rooms REST API. Look at the REST API Rooms resource docs for more details.
Example: Create a Room called DailyStandup
curl -XPOST 'https://video.twilio.com/v1/Rooms' \ -u '{API Key SID}:{API Secret}' \ -d 'UniqueName=DailyStandup'
Note: If you don’t specify a Type attribute, then Twilio will create a Group Room by default.
Default Room Settings
You can also set the room type from the Room Settings page in the Twilio Video Console. Twilio will use the room type set on Room Settings page, when you create a room from the client-side or the REST API.
Note: Twilio will set the Room Type as Group by default on the Room Settings page.
Once a Room is created, Twilio will fire a room-created
webhook event, if the StatusCallback URL is set. You can set the StatusCallback URL on the Room Settings page, if you want create a room from the client-side. If you create a room using the REST API, then you need to provide a StatusCallback URL while creating the room.
curl -XPOST 'https://video.twilio.com/v1/Rooms' \ -u '{API Key SID}:{API Secret}' \ -d 'UniqueName=DailyStandup' \ -d 'StatusCallback=https://hooks.yoursite.com/room-events' \ -d 'StatusCallbackMethod=POST' \ -d 'Type=group'
Enabling Room Recordings
Recordings can be enabled only on Group Rooms. Set Recordings to Enabled
to record participants when they connect to a Group Room. Recordings can also be enabled on Group Rooms through via the Rest API at Room creation time by setting the RecordParticipantsOnConnect
property to true
.
curl -XPOST 'https://video.twilio.com/v1/Rooms' \ -u 'SKXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX:your_api_key_secret' \ -d 'UniqueName=DailyStandup' \ -d 'Type=group' \ -d 'RecordParticipantsOnConnect=true' \ -d 'StatusCallback=http://example.org'
Join a Room
If you'd like to join a Room you know already exists, you handle that exactly the same way as creating a room: just pass the Room name to the connect
method. Once in a Room, you'll receive a participantConnected
event for each Participant that successfully joins. Querying the participants
getter will return any existing Participants who have already joined the Room.
private Room.Listener roomListener() { return new Room.Listener() { @Override public void onConnected(Room room) { Log.d(TAG,"Connected to " + room.getName()); } } } public void connectToRoom(String roomName) { ConnectOptions connectOptions = new ConnectOptions.Builder(accessToken) .roomName(roomName) .audioTracks(localAudioTracks) .videoTracks(localVideoTracks) .dataTracks(localDataTracks) .build(); room = Video.connect(context, connectOptions, roomListener); }
Set up local media
You can capture local media from your device's microphone, camera or screen-share on different platforms in the following ways:
In an Android application, begin capturing audio data by creating a LocalAudioTrack
, and begin capturing video by adding a LocalVideoTrack
with an associated VideoCapturer
. The Android Video SDK provides customizable video capturers for both camera and screen capture.
// Create an audio track boolean enable = true; LocalAudioTrack localAudioTrack = LocalAudioTrack.create(context, enable); // A video track requires an implementation of VideoCapturer CameraCapturer cameraCapturer = new CameraCapturer(context, CameraCapturer.CameraSource.FRONT_CAMERA); // Create a video track LocalVideoTrack localVideoTrack = LocalVideoTrack.create(context, enable, cameraCapturer); // Rendering a local video track requires an implementation of VideoSink // Let's assume we have added a VideoView in our view hierarchy VideoView videoView = (VideoView) findViewById(R.id.video_view); // Render a local video track to preview your camera localVideoTrack.addSink(videoView); // Release the audio track to free native memory resources localAudioTrack.release(); // Release the video track to free native memory resources localVideoTrack.release();
Connect as a publish-only Participant
For some use cases you may wish to connect as a publish-only Participant that is not subscribed to any Tracks. If you are connecting to a Group Room, you may disable automatic subscription behavior via ConnectOptions.
public void connectToRoom(String roomName) { ConnectOptions connectOptions = new ConnectOptions.Builder(accessToken) .roomName("my-room") .enableAutomaticSubscription(false) .build(); room = Video.connect(context, connectOptions, roomListener); }
Working with Remote Participants
Handle Connected Participants
When you join a Room, Participants may already be present. You can check for existing Participants in the connected
event callback by using the participants
getter.
// Connect to room Room room = Video.connect(context, connectOptions, new Room.Listener() { @Override public void onConnected(Room room) {} @Override public void onConnectFailure(Room room, TwilioException e) {} @Override public void onDisconnected(Room room, TwilioException e) {} @Override public void onRecordingStarted(Room room) {} @Override public void onRecordingStopped(Room room) {} @Override public void onParticipantConnected(Room room, RemoteParticipant participant) { Log.i("Room.Listener", participant.getIdentity() + " has joined the room."); } @Override public void onParticipantDisconnected(Room room, RemoteParticipant participant) { Log.i("Room.Listener", participant.getIdentity() + " has left the room."); } ); // ... Assume we have received the connected callback // After receiving the connected callback the LocalParticipant becomes available LocalParticipant localParticipant = room.getLocalParticipant(); Log.i("LocalParticipant ", localParticipant.getIdentity()); // Get the first participant from the room RemoteParticipant participant = room.getRemoteParticipants().get(0); Log.i("HandleParticipants", participant.getIdentity() + " is in the room.");
Handle Participant Connection Events
When Participants connect to or disconnect from a Room that you're connected to, you'll be notified via an event listener: Similar to Room Events, Twilio will fire Participant events if the StatusCallback webhook URL is set when the Room is created. These events help your application keep track of the participants who join or leave a Room.
private Room.Listener roomListener() { return new Room.Listener() { @Override public void onParticipantConnected(Room room, RemoteParticipant participant) { Log.v(TAG, "Participant connected: " + participant.getIdentity()); } @Override public void onParticipantDisconnected(Room room, RemoteParticipant participant) { Log.v(TAG, "Participant disconnected: " + participant.getIdentity()); } }; }
Display a Remote Participant's Video
To see the Video Tracks being sent by remote Participants, we need to render them to the screen:
// First, we set a Media Listener when a Participant first connects: private Room.Listener roomListener() { return new Room.Listener() { @Override public void onParticipantConnected(Room room, RemoteParticipant participant) { participant.setListener(remoteParticipantListener()); } }; } /* In the Participant listener, we can respond when the Participant adds a Video Track by rendering it on screen: */ private RemoteParticipant.Listener remoteParticipantListener() { return new RemoteParticipant.Listener() { @Override public void onVideoTrackSubscribed(RemoteParticipant participant, RemoteVideoTrackPublication remoteVideoTrackPublication, RemoteVideoTrack remoteVideoTrack) { primaryVideoView.setMirror(false); remoteVideoTrack.addSink(primaryVideoView); } }; }
Participating in a Room
Display a Camera Preview
Sometimes you need to make sure you're looking fantastic before entering a Room. We get it. Each SDK provides a means to render a local camera preview outside the context of an active Room:
/* The CameraCapturer is a default video capturer provided by Twilio which can capture video from the front or rear-facing device camera */ private CameraCapturer cameraCapturer; /* A VideoView receives frames from a local or remote video track and renders them to an associated view. */ private VideoView primaryVideoView; // Initialize the camera capturer and start the camera preview cameraCapturer = new CameraCapturer(this, CameraSource.FRONT_CAMERA); LocalVideoTrack localVideoTrack = LocalVideoTrack.create(context, true, cameraCapturer); primaryVideoView.setMirror(true); localVideoTrack.addSink(primaryVideoView); // Release the local video track to free native memory resources once you are done localVideoTrack.release();
Disconnect from a Room
You can disconnect from a Room you're currently participating in. Other Participants will receive a participantDisconnected
event.
// To disconnect from a Room, we call: room.disconnect(); // This results in a call to Room.Listener#onDisconnected private Room.Listener roomListener() { return new Room.Listener() { @Override public void onDisconnected(Room room, TwilioException e) { Log.d(TAG,"Disconnected from " + room.getName()); } }; }
Room reconnection
As of the 4.0.0
release, the Video SDK will raise notifications when a Room is reconnecting due to a network disruption. A Room reconnection is triggered due to a signaling or media reconnection event.
private Room.Listener roomListener() { return new Room.Listener() { /* * Exception will be either TwilioException.SIGNALING_CONNECTION_DISCONNECTED_EXCEPTION or * TwilioException.MEDIA_CONNECTION_ERROR_EXCEPTION */ @Override public void onReconnecting(Room room, TwilioException exception) { Log.v(TAG, "Reconnecting to room: " + room.getName() + ", exception = " + exception.getMessage()); } @Override public void onReconnected(Room room) { Log.v(TAG, "Reconnected to room " + room.getName()); } }; }
Reconnections in a Peer-to-Peer Room
In a Peer-to-Peer Room, each Participant has media connections to all the other Participants in the Room. If all media connections between the LocalParticipant and all other Participants are broken, then the LocalParticipant's Room will enter the reconnecting state until media connectivity with at least one Participant is re-established.
Server-side control
The Programmable Video REST API
allows you to control your video applications from your back-end server via HTTP requests. To learn more check out the Programmable Video REST API docs.
Getting help
We love feedback and questions especially those with helpful debugging information so we can diagnose and respond quickly. When submitting issues or support tickets, it would be great if you add the following:
- Description - A description of the issue
- Steps to reproduce - List the steps necessary to reproduce the issue
- Code - Include any applicable code snippets that would assist in reproduction and troubleshooting
- Expected Behavior - What you expect to happen
- Actual Behavior - What actually happens
- Reproduces How Often - What percentage of the time does it reproduce?
- Logs - Any log output when the issue occurs. See below for enabling debug level logging.
- Video Android SDK - The version(s) of the Video Android SDK where this issue is apparent
- Android Version - The version(s) of Android where this issue is apparent
- Android Device - The Android device(s) where this issue is apparent
- Room SID - Room SIDs can be useful for tracing backend issues
After gathering the above information, you can get help in a few ways:
- File an issue on the Video Android Quickstart
- Open a support ticket
Enabling Debug Logging
To enable debug level logging, add the following code in your application:
/* * Set the log level of the Video Android SDK */ Video.setLogLevel(LogLevel.DEBUG); /* * If your application is experiencing an issue related to a specific * module, you can set the log level of each of the following modules. */ Video.setModuleLogLevel(LogModule.CORE, LogLevel.DEBUG); Video.setModuleLogLevel(LogModule.PLATFORM, LogLevel.DEBUG); Video.setModuleLogLevel(LogModule.SIGNALING, LogLevel.DEBUG); Video.setModuleLogLevel(LogModule.WEBRTC, LogLevel.DEBUG);
0 Comments