What does the Conversations Android Quickstart do? How does it work? How would you add something similar to your own project? We'll cover all of these questions and more in this behind the scenes look at the example application code.
If you haven't had a chance to try out the Conversations Android Quickstart app yet, follow the instructions in the README to get it up and running.
You'll also need to supply an access token with a Chat grant for a Conversations Service in the strings.xml
resource file before running the application. You can generate an access token with the Twilio Command Line Interface (CLI):
twilio token:chat --identity <The test username> --chat-service-sid <ISXXX...>
The suggested way to install twilio-cli
on macOS is to use Homebrew. If you don't already have it installed, visit the Homebrew site for installation instructions and then return here.
Once you have installed Homebrew, run the following command to install twilio-cli
:
brew tap twilio/brew && brew install twilio
For other installation methods, see the Twilio CLI Quickstart.
The example application code uses Java as the programming language. We also only have one activity class, named MainActivity
. We chose not to use fragments in this quickstart for simplicity, but you can certainly use them with Conversations.
We built a class named QuickstartConversationsManager
to handle the interactions with the Conversations SDK.
Within the quickstart application, you will find examples of the following:
When you build an application that uses Conversations, you may be able to use the QuickstartConversationsManager
and MainActivity
classes as a start for your project. You may also just want to take a look at how the quickstart works, and then build your own solution with the classes in the SDK!
When you build your solutions with Twilio Conversations, you need a Conversations Android SDK for your mobile app. You can install this library using Gradle.
You would typically start by adding the ConversationsClient
from the com.twilio.conversations
package to your project, and then work with Conversation
objects to send and retrieve Message
objects for a given conversation. Other important classes are User
, Participant
, and Media
.
While we cover some of the basics of the Conversations SDK in this Quickstart, you can also find reference Javadocs for each class and interface. We also consider some of these topics in more detail in other pages in our docs, which we will link to in each section that has a corresponding guide.
The Conversations SDK for Android is only one half of the solution. You'll also need to build a server to support your mobile application. Twilio supports six different languages and platforms for you to build with. Java might be the best choice if you are an Android developer looking to try out web application development, but you can use any of these to build your server.
For your chosen language and/or platform, pick the appropriate Twilio Helper Library:
On each of these pages, you will find instructions for setting up the Twilio helper library (also called a "server-side SDK"). We recommend using dependency management for the Twilio libraries, and you'll find directions for the most common build tools for your platform.
If you don't already have a Twilio account, sign up for a Twilio trial account, and then create a new project. You'll also need to create an API Key and API Secret pair to call Twilio's REST API, whether you use one of the Twilio helper libraries, or make the API calls yourself.
Each chat user in your Conversations project needs an identity - this could be their user id, their username, or some kind of other identifier. You could certainly have anonymous users in your Conversations - for instance, a web chat popup with a customer service agent on an e-commerce website - but in that case, you would still want to issue some kind of identifier from your application.
Once you build Twilio Conversations into your project, you should generate an access token with a ChatGrant
for end users, along with the identity value.
With the Conversations Android Quickstart, the easiest way to get started is to create an access token from the Twilio Command Line Interface (CLI).
As part of this project, you will see that there are three different ways of providing credentials for Twilio - access tokens, auth tokens, and API keys. What is the difference between all of these different styles?
Access tokens provide short-lived credentials for a single end user to work with your Twilio service from a JavaScript application running in a web browser, or from a native iOS or Android mobile application. Use the Twilio helper libraries in your back end web services to create access tokens for your front end applications to consume. Alternatively, use the Twilio CLI to create access tokens for testing. These access tokens have a built-in expiration, and need to be refreshed from your server if your users have long-running connections. The Conversations client will update your application when access tokens are about to expire, or if they have expired, so that you can refresh the token.
Although the names are similar, authentication (or auth) tokens are not the same as access tokens, and cannot be used in the same way. The auth token pairs with your Twilio account identifier (also called the account SID) to provide authentication for the Twilio REST API. Your auth token should be treated with the same care that you would use to secure your Twilio password, and should never be included directly in source code, made available to a client application, or checked into a file in source control.
Similar to auth tokens, API key/secret pairs secure access to the Twilio REST API for your account. When you create an API key and secret pair from the Twilio console, the secret will only be shown once, and then it won't be recoverable. In your back end application, you would authenticate to Twilio with a combination of your account identifier (also known as the "Account SID"), an API key, and an API secret.
The advantage of API keys over auth tokens is that you can rotate API keys on your server application, especially if you use one API key and secret pair for each application cluster or instance. This way, you can have multiple credentials under your Twilio account, and if you need to swap out a key pair and then deactivate it, you can do it on an application basis, not on an account basis.
Whether you use auth tokens or API keys, we suggest that you store those credentials securely, and do not check them into source control. There are many different options for managing secure credentials that depend on how and where you run your development, staging, and production environments.
When you develop locally, look into using a .env
file with your project, usually in conjunction with a library named dotenv. For .NET Core, read our article on Setting Twilio Environment Variables in Windows 10 with PowerShell and .NET Core 3.0 to learn a lot more about this topic!
For the Conversations Quickstart, you can generate an access token using the Twilio Command Line Interface (CLI), and then paste that into the strings.xml
file. While this works for getting the quickstart up and running, you will want to replace this with your own function that retrieves an access token.
You can use OkHttp, Volley or another HTTP library to make an authenticated HTTP request to your server, where the server code would provide an access token with a ChatGrant
that sets the identity for the user based on your own authentication mechanism (such as an API key, or your own token).
Ideally, this method would be usable for three different scenarios:
The first step is to get an access token. Once you have an access token (a string value), you can initialize a Twilio Conversations Client. This client is the central class in the Conversations SDK, and you need to keep it around after initialization. The client is designed to be long-lived, and it will fire events off that your project can subscribe to.
You'll need to create your own listener for the Conversations Client that implements the ConversationsClientListener
interface. In the quick start, we created a class named QuickstartConversationsManager
to encapsulate our usage of the Conversations SDK.
1package com.twilio.conversationsquickstart;23import android.content.Context;4import android.util.Log;56import com.google.gson.Gson;7import com.twilio.conversations.CallbackListener;8import com.twilio.conversations.Conversation;9import com.twilio.conversations.ConversationListener;10import com.twilio.conversations.ConversationsClient;11import com.twilio.conversations.ConversationsClientListener;12import com.twilio.conversations.ErrorInfo;13import com.twilio.conversations.Participant;14import com.twilio.conversations.Message;15import com.twilio.conversations.StatusListener;16import com.twilio.conversations.User;1718import org.jetbrains.annotations.Nullable;1920import java.io.IOException;21import java.util.ArrayList;22import java.util.List;2324import okhttp3.OkHttpClient;25import okhttp3.Request;26import okhttp3.Response;2728interface QuickstartConversationsManagerListener {29void receivedNewMessage();30void messageSentCallback();31void reloadMessages();32}3334interface TokenResponseListener {35void receivedTokenResponse(boolean success, @Nullable Exception exception);36}3738interface AccessTokenListener {39void receivedAccessToken(@Nullable String token, @Nullable Exception exception);40}414243class QuickstartConversationsManager {4445// This is the unique name of the conversation we are using46private final static String DEFAULT_CONVERSATION_NAME = "general";4748final private ArrayList<Message> messages = new ArrayList<>();4950private ConversationsClient conversationsClient;5152private Conversation conversation;5354private QuickstartConversationsManagerListener conversationsManagerListener;5556private String tokenURL = "";5758private class TokenResponse {59String token;60}6162void retrieveAccessTokenFromServer(final Context context, String identity,63final TokenResponseListener listener) {6465// Set the chat token URL in your strings.xml file66String chatTokenURL = context.getString(R.string.chat_token_url);6768if ("https://YOUR_DOMAIN_HERE.twil.io/chat-token".equals(chatTokenURL)) {69listener.receivedTokenResponse(false, new Exception("You need to replace the chat token URL in strings.xml"));70return;71}7273tokenURL = chatTokenURL + "?identity=" + identity;7475new Thread(new Runnable() {76@Override77public void run() {78retrieveToken(new AccessTokenListener() {79@Override80public void receivedAccessToken(@Nullable String token,81@Nullable Exception exception) {82if (token != null) {83ConversationsClient.Properties props = ConversationsClient.Properties.newBuilder().createProperties();84ConversationsClient.create(context, token, props, mConversationsClientCallback);85listener.receivedTokenResponse(true,null);86} else {87listener.receivedTokenResponse(false, exception);88}89}90});91}92}).start();93}9495void initializeWithAccessToken(final Context context, final String token) {9697ConversationsClient.Properties props = ConversationsClient.Properties.newBuilder().createProperties();98ConversationsClient.create(context, token, props, mConversationsClientCallback);99}100101private void retrieveToken(AccessTokenListener listener) {102OkHttpClient client = new OkHttpClient();103104Request request = new Request.Builder()105.url(tokenURL)106.build();107try (Response response = client.newCall(request).execute()) {108String responseBody = "";109if (response != null && response.body() != null) {110responseBody = response.body().string();111}112Log.d(MainActivity.TAG, "Response from server: " + responseBody);113Gson gson = new Gson();114TokenResponse tokenResponse = gson.fromJson(responseBody,TokenResponse.class);115String accessToken = tokenResponse.token;116Log.d(MainActivity.TAG, "Retrieved access token from server: " + accessToken);117listener.receivedAccessToken(accessToken, null);118119}120catch (IOException ex) {121Log.e(MainActivity.TAG, ex.getLocalizedMessage(),ex);122listener.receivedAccessToken(null, ex);123}124}125126void sendMessage(String messageBody) {127if (conversation != null) {128Message.Options options = Message.options().withBody(messageBody);129Log.d(MainActivity.TAG,"Message created");130conversation.sendMessage(options, new CallbackListener<Message>() {131@Override132public void onSuccess(Message message) {133if (conversationsManagerListener != null) {134conversationsManagerListener.messageSentCallback();135}136}137});138}139}140141142private void loadChannels() {143if (conversationsClient == null || conversationsClient.getMyConversations() == null) {144return;145}146conversationsClient.getConversation(DEFAULT_CONVERSATION_NAME, new CallbackListener<Conversation>() {147@Override148public void onSuccess(Conversation conversation) {149if (conversation != null) {150if (conversation.getStatus() == Conversation.ConversationStatus.JOINED151|| conversation.getStatus() == Conversation.ConversationStatus.NOT_PARTICIPATING) {152Log.d(MainActivity.TAG, "Already Exists in Conversation: " + DEFAULT_CONVERSATION_NAME);153QuickstartConversationsManager.this.conversation = conversation;154QuickstartConversationsManager.this.conversation.addListener(mDefaultConversationListener);155QuickstartConversationsManager.this.loadPreviousMessages(conversation);156} else {157Log.d(MainActivity.TAG, "Joining Conversation: " + DEFAULT_CONVERSATION_NAME);158joinConversation(conversation);159}160}161}162163@Override164public void onError(ErrorInfo errorInfo) {165Log.e(MainActivity.TAG, "Error retrieving conversation: " + errorInfo.getMessage());166createConversation();167}168169});170}171172private void createConversation() {173Log.d(MainActivity.TAG, "Creating Conversation: " + DEFAULT_CONVERSATION_NAME);174175conversationsClient.createConversation(DEFAULT_CONVERSATION_NAME,176new CallbackListener<Conversation>() {177@Override178public void onSuccess(Conversation conversation) {179if (conversation != null) {180Log.d(MainActivity.TAG, "Joining Conversation: " + DEFAULT_CONVERSATION_NAME);181joinConversation(conversation);182}183}184185@Override186public void onError(ErrorInfo errorInfo) {187Log.e(MainActivity.TAG, "Error creating conversation: " + errorInfo.getMessage());188}189});190}191192193private void joinConversation(final Conversation conversation) {194Log.d(MainActivity.TAG, "Joining Conversation: " + conversation.getUniqueName());195if (conversation.getStatus() == Conversation.ConversationStatus.JOINED) {196197QuickstartConversationsManager.this.conversation = conversation;198Log.d(MainActivity.TAG, "Already joined default conversation");199QuickstartConversationsManager.this.conversation.addListener(mDefaultConversationListener);200return;201}202203204conversation.join(new StatusListener() {205@Override206public void onSuccess() {207QuickstartConversationsManager.this.conversation = conversation;208Log.d(MainActivity.TAG, "Joined default conversation");209QuickstartConversationsManager.this.conversation.addListener(mDefaultConversationListener);210QuickstartConversationsManager.this.loadPreviousMessages(conversation);211}212213@Override214public void onError(ErrorInfo errorInfo) {215Log.e(MainActivity.TAG, "Error joining conversation: " + errorInfo.getMessage());216}217});218}219220private void loadPreviousMessages(final Conversation conversation) {221conversation.getLastMessages(100,222new CallbackListener<List<Message>>() {223@Override224public void onSuccess(List<Message> result) {225messages.addAll(result);226if (conversationsManagerListener != null) {227conversationsManagerListener.reloadMessages();228}229}230});231}232233private final ConversationsClientListener mConversationsClientListener =234new ConversationsClientListener() {235236@Override237public void onConversationAdded(Conversation conversation) {238239}240241@Override242public void onConversationUpdated(Conversation conversation, Conversation.UpdateReason updateReason) {243244}245246@Override247public void onConversationDeleted(Conversation conversation) {248249}250251@Override252public void onConversationSynchronizationChange(Conversation conversation) {253254}255256@Override257public void onError(ErrorInfo errorInfo) {258259}260261@Override262public void onUserUpdated(User user, User.UpdateReason updateReason) {263264}265266@Override267public void onUserSubscribed(User user) {268269}270271@Override272public void onUserUnsubscribed(User user) {273274}275276@Override277public void onClientSynchronization(ConversationsClient.SynchronizationStatus synchronizationStatus) {278if (synchronizationStatus == ConversationsClient.SynchronizationStatus.COMPLETED) {279loadChannels();280}281}282283@Override284public void onNewMessageNotification(String s, String s1, long l) {285286}287288@Override289public void onAddedToConversationNotification(String s) {290291}292293@Override294public void onRemovedFromConversationNotification(String s) {295296}297298@Override299public void onNotificationSubscribed() {300301}302303@Override304public void onNotificationFailed(ErrorInfo errorInfo) {305306}307308@Override309public void onConnectionStateChange(ConversationsClient.ConnectionState connectionState) {310311}312313@Override314public void onTokenExpired() {315316}317318@Override319public void onTokenAboutToExpire() {320retrieveToken(new AccessTokenListener() {321@Override322public void receivedAccessToken(@Nullable String token, @Nullable Exception exception) {323if (token != null) {324conversationsClient.updateToken(token, new StatusListener() {325@Override326public void onSuccess() {327Log.d(MainActivity.TAG, "Refreshed access token.");328}329});330}331}332});333}334};335336private final CallbackListener<ConversationsClient> mConversationsClientCallback =337new CallbackListener<ConversationsClient>() {338@Override339public void onSuccess(ConversationsClient conversationsClient) {340QuickstartConversationsManager.this.conversationsClient = conversationsClient;341conversationsClient.addListener(QuickstartConversationsManager.this.mConversationsClientListener);342Log.d(MainActivity.TAG, "Success creating Twilio Conversations Client");343}344345@Override346public void onError(ErrorInfo errorInfo) {347Log.e(MainActivity.TAG, "Error creating Twilio Conversations Client: " + errorInfo.getMessage());348}349};350351352private final ConversationListener mDefaultConversationListener = new ConversationListener() {353354355@Override356public void onMessageAdded(final Message message) {357Log.d(MainActivity.TAG, "Message added");358messages.add(message);359if (conversationsManagerListener != null) {360conversationsManagerListener.receivedNewMessage();361}362}363364@Override365public void onMessageUpdated(Message message, Message.UpdateReason updateReason) {366Log.d(MainActivity.TAG, "Message updated: " + message.getMessageBody());367}368369@Override370public void onMessageDeleted(Message message) {371Log.d(MainActivity.TAG, "Message deleted");372}373374@Override375public void onParticipantAdded(Participant participant) {376Log.d(MainActivity.TAG, "Participant added: " + participant.getIdentity());377}378379@Override380public void onParticipantUpdated(Participant participant, Participant.UpdateReason updateReason) {381Log.d(MainActivity.TAG, "Participant updated: " + participant.getIdentity() + " " + updateReason.toString());382}383384@Override385public void onParticipantDeleted(Participant participant) {386Log.d(MainActivity.TAG, "Participant deleted: " + participant.getIdentity());387}388389@Override390public void onTypingStarted(Conversation conversation, Participant participant) {391Log.d(MainActivity.TAG, "Started Typing: " + participant.getIdentity());392}393394@Override395public void onTypingEnded(Conversation conversation, Participant participant) {396Log.d(MainActivity.TAG, "Ended Typing: " + participant.getIdentity());397}398399@Override400public void onSynchronizationChanged(Conversation conversation) {401402}403};404405public ArrayList<Message> getMessages() {406return messages;407}408409public void setListener(QuickstartConversationsManagerListener listener) {410this.conversationsManagerListener = listener;411}412}413
After you initialize the Conversations client, the client needs to synchronize with the server. The onConversationSynchronizationChange
method on each listener gets called when the synchronization status changes - the completed status is COMPLETED
, which means that the Conversations, Participants and Messages collections are ready to use.
1package com.twilio.conversationsquickstart;23import android.content.Context;4import android.util.Log;56import com.google.gson.Gson;7import com.twilio.conversations.CallbackListener;8import com.twilio.conversations.Conversation;9import com.twilio.conversations.ConversationListener;10import com.twilio.conversations.ConversationsClient;11import com.twilio.conversations.ConversationsClientListener;12import com.twilio.conversations.ErrorInfo;13import com.twilio.conversations.Participant;14import com.twilio.conversations.Message;15import com.twilio.conversations.StatusListener;16import com.twilio.conversations.User;1718import org.jetbrains.annotations.Nullable;1920import java.io.IOException;21import java.util.ArrayList;22import java.util.List;2324import okhttp3.OkHttpClient;25import okhttp3.Request;26import okhttp3.Response;2728interface QuickstartConversationsManagerListener {29void receivedNewMessage();30void messageSentCallback();31void reloadMessages();32}3334interface TokenResponseListener {35void receivedTokenResponse(boolean success, @Nullable Exception exception);36}3738interface AccessTokenListener {39void receivedAccessToken(@Nullable String token, @Nullable Exception exception);40}414243class QuickstartConversationsManager {4445// This is the unique name of the conversation we are using46private final static String DEFAULT_CONVERSATION_NAME = "general";4748final private ArrayList<Message> messages = new ArrayList<>();4950private ConversationsClient conversationsClient;5152private Conversation conversation;5354private QuickstartConversationsManagerListener conversationsManagerListener;5556private String tokenURL = "";5758private class TokenResponse {59String token;60}6162void retrieveAccessTokenFromServer(final Context context, String identity,63final TokenResponseListener listener) {6465// Set the chat token URL in your strings.xml file66String chatTokenURL = context.getString(R.string.chat_token_url);6768if ("https://YOUR_DOMAIN_HERE.twil.io/chat-token".equals(chatTokenURL)) {69listener.receivedTokenResponse(false, new Exception("You need to replace the chat token URL in strings.xml"));70return;71}7273tokenURL = chatTokenURL + "?identity=" + identity;7475new Thread(new Runnable() {76@Override77public void run() {78retrieveToken(new AccessTokenListener() {79@Override80public void receivedAccessToken(@Nullable String token,81@Nullable Exception exception) {82if (token != null) {83ConversationsClient.Properties props = ConversationsClient.Properties.newBuilder().createProperties();84ConversationsClient.create(context, token, props, mConversationsClientCallback);85listener.receivedTokenResponse(true,null);86} else {87listener.receivedTokenResponse(false, exception);88}89}90});91}92}).start();93}9495void initializeWithAccessToken(final Context context, final String token) {9697ConversationsClient.Properties props = ConversationsClient.Properties.newBuilder().createProperties();98ConversationsClient.create(context, token, props, mConversationsClientCallback);99}100101private void retrieveToken(AccessTokenListener listener) {102OkHttpClient client = new OkHttpClient();103104Request request = new Request.Builder()105.url(tokenURL)106.build();107try (Response response = client.newCall(request).execute()) {108String responseBody = "";109if (response != null && response.body() != null) {110responseBody = response.body().string();111}112Log.d(MainActivity.TAG, "Response from server: " + responseBody);113Gson gson = new Gson();114TokenResponse tokenResponse = gson.fromJson(responseBody,TokenResponse.class);115String accessToken = tokenResponse.token;116Log.d(MainActivity.TAG, "Retrieved access token from server: " + accessToken);117listener.receivedAccessToken(accessToken, null);118119}120catch (IOException ex) {121Log.e(MainActivity.TAG, ex.getLocalizedMessage(),ex);122listener.receivedAccessToken(null, ex);123}124}125126void sendMessage(String messageBody) {127if (conversation != null) {128Message.Options options = Message.options().withBody(messageBody);129Log.d(MainActivity.TAG,"Message created");130conversation.sendMessage(options, new CallbackListener<Message>() {131@Override132public void onSuccess(Message message) {133if (conversationsManagerListener != null) {134conversationsManagerListener.messageSentCallback();135}136}137});138}139}140141142private void loadChannels() {143if (conversationsClient == null || conversationsClient.getMyConversations() == null) {144return;145}146conversationsClient.getConversation(DEFAULT_CONVERSATION_NAME, new CallbackListener<Conversation>() {147@Override148public void onSuccess(Conversation conversation) {149if (conversation != null) {150if (conversation.getStatus() == Conversation.ConversationStatus.JOINED151|| conversation.getStatus() == Conversation.ConversationStatus.NOT_PARTICIPATING) {152Log.d(MainActivity.TAG, "Already Exists in Conversation: " + DEFAULT_CONVERSATION_NAME);153QuickstartConversationsManager.this.conversation = conversation;154QuickstartConversationsManager.this.conversation.addListener(mDefaultConversationListener);155QuickstartConversationsManager.this.loadPreviousMessages(conversation);156} else {157Log.d(MainActivity.TAG, "Joining Conversation: " + DEFAULT_CONVERSATION_NAME);158joinConversation(conversation);159}160}161}162163@Override164public void onError(ErrorInfo errorInfo) {165Log.e(MainActivity.TAG, "Error retrieving conversation: " + errorInfo.getMessage());166createConversation();167}168169});170}171172private void createConversation() {173Log.d(MainActivity.TAG, "Creating Conversation: " + DEFAULT_CONVERSATION_NAME);174175conversationsClient.createConversation(DEFAULT_CONVERSATION_NAME,176new CallbackListener<Conversation>() {177@Override178public void onSuccess(Conversation conversation) {179if (conversation != null) {180Log.d(MainActivity.TAG, "Joining Conversation: " + DEFAULT_CONVERSATION_NAME);181joinConversation(conversation);182}183}184185@Override186public void onError(ErrorInfo errorInfo) {187Log.e(MainActivity.TAG, "Error creating conversation: " + errorInfo.getMessage());188}189});190}191192193private void joinConversation(final Conversation conversation) {194Log.d(MainActivity.TAG, "Joining Conversation: " + conversation.getUniqueName());195if (conversation.getStatus() == Conversation.ConversationStatus.JOINED) {196197QuickstartConversationsManager.this.conversation = conversation;198Log.d(MainActivity.TAG, "Already joined default conversation");199QuickstartConversationsManager.this.conversation.addListener(mDefaultConversationListener);200return;201}202203204conversation.join(new StatusListener() {205@Override206public void onSuccess() {207QuickstartConversationsManager.this.conversation = conversation;208Log.d(MainActivity.TAG, "Joined default conversation");209QuickstartConversationsManager.this.conversation.addListener(mDefaultConversationListener);210QuickstartConversationsManager.this.loadPreviousMessages(conversation);211}212213@Override214public void onError(ErrorInfo errorInfo) {215Log.e(MainActivity.TAG, "Error joining conversation: " + errorInfo.getMessage());216}217});218}219220private void loadPreviousMessages(final Conversation conversation) {221conversation.getLastMessages(100,222new CallbackListener<List<Message>>() {223@Override224public void onSuccess(List<Message> result) {225messages.addAll(result);226if (conversationsManagerListener != null) {227conversationsManagerListener.reloadMessages();228}229}230});231}232233private final ConversationsClientListener mConversationsClientListener =234new ConversationsClientListener() {235236@Override237public void onConversationAdded(Conversation conversation) {238239}240241@Override242public void onConversationUpdated(Conversation conversation, Conversation.UpdateReason updateReason) {243244}245246@Override247public void onConversationDeleted(Conversation conversation) {248249}250251@Override252public void onConversationSynchronizationChange(Conversation conversation) {253254}255256@Override257public void onError(ErrorInfo errorInfo) {258259}260261@Override262public void onUserUpdated(User user, User.UpdateReason updateReason) {263264}265266@Override267public void onUserSubscribed(User user) {268269}270271@Override272public void onUserUnsubscribed(User user) {273274}275276@Override277public void onClientSynchronization(ConversationsClient.SynchronizationStatus synchronizationStatus) {278if (synchronizationStatus == ConversationsClient.SynchronizationStatus.COMPLETED) {279loadChannels();280}281}282283@Override284public void onNewMessageNotification(String s, String s1, long l) {285286}287288@Override289public void onAddedToConversationNotification(String s) {290291}292293@Override294public void onRemovedFromConversationNotification(String s) {295296}297298@Override299public void onNotificationSubscribed() {300301}302303@Override304public void onNotificationFailed(ErrorInfo errorInfo) {305306}307308@Override309public void onConnectionStateChange(ConversationsClient.ConnectionState connectionState) {310311}312313@Override314public void onTokenExpired() {315316}317318@Override319public void onTokenAboutToExpire() {320retrieveToken(new AccessTokenListener() {321@Override322public void receivedAccessToken(@Nullable String token, @Nullable Exception exception) {323if (token != null) {324conversationsClient.updateToken(token, new StatusListener() {325@Override326public void onSuccess() {327Log.d(MainActivity.TAG, "Refreshed access token.");328}329});330}331}332});333}334};335336private final CallbackListener<ConversationsClient> mConversationsClientCallback =337new CallbackListener<ConversationsClient>() {338@Override339public void onSuccess(ConversationsClient conversationsClient) {340QuickstartConversationsManager.this.conversationsClient = conversationsClient;341conversationsClient.addListener(QuickstartConversationsManager.this.mConversationsClientListener);342Log.d(MainActivity.TAG, "Success creating Twilio Conversations Client");343}344345@Override346public void onError(ErrorInfo errorInfo) {347Log.e(MainActivity.TAG, "Error creating Twilio Conversations Client: " + errorInfo.getMessage());348}349};350351352private final ConversationListener mDefaultConversationListener = new ConversationListener() {353354355@Override356public void onMessageAdded(final Message message) {357Log.d(MainActivity.TAG, "Message added");358messages.add(message);359if (conversationsManagerListener != null) {360conversationsManagerListener.receivedNewMessage();361}362}363364@Override365public void onMessageUpdated(Message message, Message.UpdateReason updateReason) {366Log.d(MainActivity.TAG, "Message updated: " + message.getMessageBody());367}368369@Override370public void onMessageDeleted(Message message) {371Log.d(MainActivity.TAG, "Message deleted");372}373374@Override375public void onParticipantAdded(Participant participant) {376Log.d(MainActivity.TAG, "Participant added: " + participant.getIdentity());377}378379@Override380public void onParticipantUpdated(Participant participant, Participant.UpdateReason updateReason) {381Log.d(MainActivity.TAG, "Participant updated: " + participant.getIdentity() + " " + updateReason.toString());382}383384@Override385public void onParticipantDeleted(Participant participant) {386Log.d(MainActivity.TAG, "Participant deleted: " + participant.getIdentity());387}388389@Override390public void onTypingStarted(Conversation conversation, Participant participant) {391Log.d(MainActivity.TAG, "Started Typing: " + participant.getIdentity());392}393394@Override395public void onTypingEnded(Conversation conversation, Participant participant) {396Log.d(MainActivity.TAG, "Ended Typing: " + participant.getIdentity());397}398399@Override400public void onSynchronizationChanged(Conversation conversation) {401402}403};404405public ArrayList<Message> getMessages() {406return messages;407}408409public void setListener(QuickstartConversationsManagerListener listener) {410this.conversationsManagerListener = listener;411}412}413
The Conversation
class is the building block of your Conversations application. In the Quickstart, we've set things up so that the user automatically joins one conversation. For instance, this conversation's unique id could be supplied by a back end service to represent a three way conversation between a restaurant, a customer, and a delivery driver.
Your user may have already joined the conversation, so you should check to see if they have before calling the join()
method on the Conversation
object.
1package com.twilio.conversationsquickstart;23import android.content.Context;4import android.util.Log;56import com.google.gson.Gson;7import com.twilio.conversations.CallbackListener;8import com.twilio.conversations.Conversation;9import com.twilio.conversations.ConversationListener;10import com.twilio.conversations.ConversationsClient;11import com.twilio.conversations.ConversationsClientListener;12import com.twilio.conversations.ErrorInfo;13import com.twilio.conversations.Participant;14import com.twilio.conversations.Message;15import com.twilio.conversations.StatusListener;16import com.twilio.conversations.User;1718import org.jetbrains.annotations.Nullable;1920import java.io.IOException;21import java.util.ArrayList;22import java.util.List;2324import okhttp3.OkHttpClient;25import okhttp3.Request;26import okhttp3.Response;2728interface QuickstartConversationsManagerListener {29void receivedNewMessage();30void messageSentCallback();31void reloadMessages();32}3334interface TokenResponseListener {35void receivedTokenResponse(boolean success, @Nullable Exception exception);36}3738interface AccessTokenListener {39void receivedAccessToken(@Nullable String token, @Nullable Exception exception);40}414243class QuickstartConversationsManager {4445// This is the unique name of the conversation we are using46private final static String DEFAULT_CONVERSATION_NAME = "general";4748final private ArrayList<Message> messages = new ArrayList<>();4950private ConversationsClient conversationsClient;5152private Conversation conversation;5354private QuickstartConversationsManagerListener conversationsManagerListener;5556private String tokenURL = "";5758private class TokenResponse {59String token;60}6162void retrieveAccessTokenFromServer(final Context context, String identity,63final TokenResponseListener listener) {6465// Set the chat token URL in your strings.xml file66String chatTokenURL = context.getString(R.string.chat_token_url);6768if ("https://YOUR_DOMAIN_HERE.twil.io/chat-token".equals(chatTokenURL)) {69listener.receivedTokenResponse(false, new Exception("You need to replace the chat token URL in strings.xml"));70return;71}7273tokenURL = chatTokenURL + "?identity=" + identity;7475new Thread(new Runnable() {76@Override77public void run() {78retrieveToken(new AccessTokenListener() {79@Override80public void receivedAccessToken(@Nullable String token,81@Nullable Exception exception) {82if (token != null) {83ConversationsClient.Properties props = ConversationsClient.Properties.newBuilder().createProperties();84ConversationsClient.create(context, token, props, mConversationsClientCallback);85listener.receivedTokenResponse(true,null);86} else {87listener.receivedTokenResponse(false, exception);88}89}90});91}92}).start();93}9495void initializeWithAccessToken(final Context context, final String token) {9697ConversationsClient.Properties props = ConversationsClient.Properties.newBuilder().createProperties();98ConversationsClient.create(context, token, props, mConversationsClientCallback);99}100101private void retrieveToken(AccessTokenListener listener) {102OkHttpClient client = new OkHttpClient();103104Request request = new Request.Builder()105.url(tokenURL)106.build();107try (Response response = client.newCall(request).execute()) {108String responseBody = "";109if (response != null && response.body() != null) {110responseBody = response.body().string();111}112Log.d(MainActivity.TAG, "Response from server: " + responseBody);113Gson gson = new Gson();114TokenResponse tokenResponse = gson.fromJson(responseBody,TokenResponse.class);115String accessToken = tokenResponse.token;116Log.d(MainActivity.TAG, "Retrieved access token from server: " + accessToken);117listener.receivedAccessToken(accessToken, null);118119}120catch (IOException ex) {121Log.e(MainActivity.TAG, ex.getLocalizedMessage(),ex);122listener.receivedAccessToken(null, ex);123}124}125126void sendMessage(String messageBody) {127if (conversation != null) {128Message.Options options = Message.options().withBody(messageBody);129Log.d(MainActivity.TAG,"Message created");130conversation.sendMessage(options, new CallbackListener<Message>() {131@Override132public void onSuccess(Message message) {133if (conversationsManagerListener != null) {134conversationsManagerListener.messageSentCallback();135}136}137});138}139}140141142private void loadChannels() {143if (conversationsClient == null || conversationsClient.getMyConversations() == null) {144return;145}146conversationsClient.getConversation(DEFAULT_CONVERSATION_NAME, new CallbackListener<Conversation>() {147@Override148public void onSuccess(Conversation conversation) {149if (conversation != null) {150if (conversation.getStatus() == Conversation.ConversationStatus.JOINED151|| conversation.getStatus() == Conversation.ConversationStatus.NOT_PARTICIPATING) {152Log.d(MainActivity.TAG, "Already Exists in Conversation: " + DEFAULT_CONVERSATION_NAME);153QuickstartConversationsManager.this.conversation = conversation;154QuickstartConversationsManager.this.conversation.addListener(mDefaultConversationListener);155QuickstartConversationsManager.this.loadPreviousMessages(conversation);156} else {157Log.d(MainActivity.TAG, "Joining Conversation: " + DEFAULT_CONVERSATION_NAME);158joinConversation(conversation);159}160}161}162163@Override164public void onError(ErrorInfo errorInfo) {165Log.e(MainActivity.TAG, "Error retrieving conversation: " + errorInfo.getMessage());166createConversation();167}168169});170}171172private void createConversation() {173Log.d(MainActivity.TAG, "Creating Conversation: " + DEFAULT_CONVERSATION_NAME);174175conversationsClient.createConversation(DEFAULT_CONVERSATION_NAME,176new CallbackListener<Conversation>() {177@Override178public void onSuccess(Conversation conversation) {179if (conversation != null) {180Log.d(MainActivity.TAG, "Joining Conversation: " + DEFAULT_CONVERSATION_NAME);181joinConversation(conversation);182}183}184185@Override186public void onError(ErrorInfo errorInfo) {187Log.e(MainActivity.TAG, "Error creating conversation: " + errorInfo.getMessage());188}189});190}191192193private void joinConversation(final Conversation conversation) {194Log.d(MainActivity.TAG, "Joining Conversation: " + conversation.getUniqueName());195if (conversation.getStatus() == Conversation.ConversationStatus.JOINED) {196197QuickstartConversationsManager.this.conversation = conversation;198Log.d(MainActivity.TAG, "Already joined default conversation");199QuickstartConversationsManager.this.conversation.addListener(mDefaultConversationListener);200return;201}202203204conversation.join(new StatusListener() {205@Override206public void onSuccess() {207QuickstartConversationsManager.this.conversation = conversation;208Log.d(MainActivity.TAG, "Joined default conversation");209QuickstartConversationsManager.this.conversation.addListener(mDefaultConversationListener);210QuickstartConversationsManager.this.loadPreviousMessages(conversation);211}212213@Override214public void onError(ErrorInfo errorInfo) {215Log.e(MainActivity.TAG, "Error joining conversation: " + errorInfo.getMessage());216}217});218}219220private void loadPreviousMessages(final Conversation conversation) {221conversation.getLastMessages(100,222new CallbackListener<List<Message>>() {223@Override224public void onSuccess(List<Message> result) {225messages.addAll(result);226if (conversationsManagerListener != null) {227conversationsManagerListener.reloadMessages();228}229}230});231}232233private final ConversationsClientListener mConversationsClientListener =234new ConversationsClientListener() {235236@Override237public void onConversationAdded(Conversation conversation) {238239}240241@Override242public void onConversationUpdated(Conversation conversation, Conversation.UpdateReason updateReason) {243244}245246@Override247public void onConversationDeleted(Conversation conversation) {248249}250251@Override252public void onConversationSynchronizationChange(Conversation conversation) {253254}255256@Override257public void onError(ErrorInfo errorInfo) {258259}260261@Override262public void onUserUpdated(User user, User.UpdateReason updateReason) {263264}265266@Override267public void onUserSubscribed(User user) {268269}270271@Override272public void onUserUnsubscribed(User user) {273274}275276@Override277public void onClientSynchronization(ConversationsClient.SynchronizationStatus synchronizationStatus) {278if (synchronizationStatus == ConversationsClient.SynchronizationStatus.COMPLETED) {279loadChannels();280}281}282283@Override284public void onNewMessageNotification(String s, String s1, long l) {285286}287288@Override289public void onAddedToConversationNotification(String s) {290291}292293@Override294public void onRemovedFromConversationNotification(String s) {295296}297298@Override299public void onNotificationSubscribed() {300301}302303@Override304public void onNotificationFailed(ErrorInfo errorInfo) {305306}307308@Override309public void onConnectionStateChange(ConversationsClient.ConnectionState connectionState) {310311}312313@Override314public void onTokenExpired() {315316}317318@Override319public void onTokenAboutToExpire() {320retrieveToken(new AccessTokenListener() {321@Override322public void receivedAccessToken(@Nullable String token, @Nullable Exception exception) {323if (token != null) {324conversationsClient.updateToken(token, new StatusListener() {325@Override326public void onSuccess() {327Log.d(MainActivity.TAG, "Refreshed access token.");328}329});330}331}332});333}334};335336private final CallbackListener<ConversationsClient> mConversationsClientCallback =337new CallbackListener<ConversationsClient>() {338@Override339public void onSuccess(ConversationsClient conversationsClient) {340QuickstartConversationsManager.this.conversationsClient = conversationsClient;341conversationsClient.addListener(QuickstartConversationsManager.this.mConversationsClientListener);342Log.d(MainActivity.TAG, "Success creating Twilio Conversations Client");343}344345@Override346public void onError(ErrorInfo errorInfo) {347Log.e(MainActivity.TAG, "Error creating Twilio Conversations Client: " + errorInfo.getMessage());348}349};350351352private final ConversationListener mDefaultConversationListener = new ConversationListener() {353354355@Override356public void onMessageAdded(final Message message) {357Log.d(MainActivity.TAG, "Message added");358messages.add(message);359if (conversationsManagerListener != null) {360conversationsManagerListener.receivedNewMessage();361}362}363364@Override365public void onMessageUpdated(Message message, Message.UpdateReason updateReason) {366Log.d(MainActivity.TAG, "Message updated: " + message.getMessageBody());367}368369@Override370public void onMessageDeleted(Message message) {371Log.d(MainActivity.TAG, "Message deleted");372}373374@Override375public void onParticipantAdded(Participant participant) {376Log.d(MainActivity.TAG, "Participant added: " + participant.getIdentity());377}378379@Override380public void onParticipantUpdated(Participant participant, Participant.UpdateReason updateReason) {381Log.d(MainActivity.TAG, "Participant updated: " + participant.getIdentity() + " " + updateReason.toString());382}383384@Override385public void onParticipantDeleted(Participant participant) {386Log.d(MainActivity.TAG, "Participant deleted: " + participant.getIdentity());387}388389@Override390public void onTypingStarted(Conversation conversation, Participant participant) {391Log.d(MainActivity.TAG, "Started Typing: " + participant.getIdentity());392}393394@Override395public void onTypingEnded(Conversation conversation, Participant participant) {396Log.d(MainActivity.TAG, "Ended Typing: " + participant.getIdentity());397}398399@Override400public void onSynchronizationChanged(Conversation conversation) {401402}403};404405public ArrayList<Message> getMessages() {406return messages;407}408409public void setListener(QuickstartConversationsManagerListener listener) {410this.conversationsManagerListener = listener;411}412}413
To send a message (with text content) to a conversation that a user has joined, you need to call the sendMessage()
method on a Conversation
object. To create a message, you can build one up with the Message.Options
class.
1package com.twilio.conversationsquickstart;23import android.content.Context;4import android.util.Log;56import com.google.gson.Gson;7import com.twilio.conversations.CallbackListener;8import com.twilio.conversations.Conversation;9import com.twilio.conversations.ConversationListener;10import com.twilio.conversations.ConversationsClient;11import com.twilio.conversations.ConversationsClientListener;12import com.twilio.conversations.ErrorInfo;13import com.twilio.conversations.Participant;14import com.twilio.conversations.Message;15import com.twilio.conversations.StatusListener;16import com.twilio.conversations.User;1718import org.jetbrains.annotations.Nullable;1920import java.io.IOException;21import java.util.ArrayList;22import java.util.List;2324import okhttp3.OkHttpClient;25import okhttp3.Request;26import okhttp3.Response;2728interface QuickstartConversationsManagerListener {29void receivedNewMessage();30void messageSentCallback();31void reloadMessages();32}3334interface TokenResponseListener {35void receivedTokenResponse(boolean success, @Nullable Exception exception);36}3738interface AccessTokenListener {39void receivedAccessToken(@Nullable String token, @Nullable Exception exception);40}414243class QuickstartConversationsManager {4445// This is the unique name of the conversation we are using46private final static String DEFAULT_CONVERSATION_NAME = "general";4748final private ArrayList<Message> messages = new ArrayList<>();4950private ConversationsClient conversationsClient;5152private Conversation conversation;5354private QuickstartConversationsManagerListener conversationsManagerListener;5556private String tokenURL = "";5758private class TokenResponse {59String token;60}6162void retrieveAccessTokenFromServer(final Context context, String identity,63final TokenResponseListener listener) {6465// Set the chat token URL in your strings.xml file66String chatTokenURL = context.getString(R.string.chat_token_url);6768if ("https://YOUR_DOMAIN_HERE.twil.io/chat-token".equals(chatTokenURL)) {69listener.receivedTokenResponse(false, new Exception("You need to replace the chat token URL in strings.xml"));70return;71}7273tokenURL = chatTokenURL + "?identity=" + identity;7475new Thread(new Runnable() {76@Override77public void run() {78retrieveToken(new AccessTokenListener() {79@Override80public void receivedAccessToken(@Nullable String token,81@Nullable Exception exception) {82if (token != null) {83ConversationsClient.Properties props = ConversationsClient.Properties.newBuilder().createProperties();84ConversationsClient.create(context, token, props, mConversationsClientCallback);85listener.receivedTokenResponse(true,null);86} else {87listener.receivedTokenResponse(false, exception);88}89}90});91}92}).start();93}9495void initializeWithAccessToken(final Context context, final String token) {9697ConversationsClient.Properties props = ConversationsClient.Properties.newBuilder().createProperties();98ConversationsClient.create(context, token, props, mConversationsClientCallback);99}100101private void retrieveToken(AccessTokenListener listener) {102OkHttpClient client = new OkHttpClient();103104Request request = new Request.Builder()105.url(tokenURL)106.build();107try (Response response = client.newCall(request).execute()) {108String responseBody = "";109if (response != null && response.body() != null) {110responseBody = response.body().string();111}112Log.d(MainActivity.TAG, "Response from server: " + responseBody);113Gson gson = new Gson();114TokenResponse tokenResponse = gson.fromJson(responseBody,TokenResponse.class);115String accessToken = tokenResponse.token;116Log.d(MainActivity.TAG, "Retrieved access token from server: " + accessToken);117listener.receivedAccessToken(accessToken, null);118119}120catch (IOException ex) {121Log.e(MainActivity.TAG, ex.getLocalizedMessage(),ex);122listener.receivedAccessToken(null, ex);123}124}125126void sendMessage(String messageBody) {127if (conversation != null) {128Message.Options options = Message.options().withBody(messageBody);129Log.d(MainActivity.TAG,"Message created");130conversation.sendMessage(options, new CallbackListener<Message>() {131@Override132public void onSuccess(Message message) {133if (conversationsManagerListener != null) {134conversationsManagerListener.messageSentCallback();135}136}137});138}139}140141142private void loadChannels() {143if (conversationsClient == null || conversationsClient.getMyConversations() == null) {144return;145}146conversationsClient.getConversation(DEFAULT_CONVERSATION_NAME, new CallbackListener<Conversation>() {147@Override148public void onSuccess(Conversation conversation) {149if (conversation != null) {150if (conversation.getStatus() == Conversation.ConversationStatus.JOINED151|| conversation.getStatus() == Conversation.ConversationStatus.NOT_PARTICIPATING) {152Log.d(MainActivity.TAG, "Already Exists in Conversation: " + DEFAULT_CONVERSATION_NAME);153QuickstartConversationsManager.this.conversation = conversation;154QuickstartConversationsManager.this.conversation.addListener(mDefaultConversationListener);155QuickstartConversationsManager.this.loadPreviousMessages(conversation);156} else {157Log.d(MainActivity.TAG, "Joining Conversation: " + DEFAULT_CONVERSATION_NAME);158joinConversation(conversation);159}160}161}162163@Override164public void onError(ErrorInfo errorInfo) {165Log.e(MainActivity.TAG, "Error retrieving conversation: " + errorInfo.getMessage());166createConversation();167}168169});170}171172private void createConversation() {173Log.d(MainActivity.TAG, "Creating Conversation: " + DEFAULT_CONVERSATION_NAME);174175conversationsClient.createConversation(DEFAULT_CONVERSATION_NAME,176new CallbackListener<Conversation>() {177@Override178public void onSuccess(Conversation conversation) {179if (conversation != null) {180Log.d(MainActivity.TAG, "Joining Conversation: " + DEFAULT_CONVERSATION_NAME);181joinConversation(conversation);182}183}184185@Override186public void onError(ErrorInfo errorInfo) {187Log.e(MainActivity.TAG, "Error creating conversation: " + errorInfo.getMessage());188}189});190}191192193private void joinConversation(final Conversation conversation) {194Log.d(MainActivity.TAG, "Joining Conversation: " + conversation.getUniqueName());195if (conversation.getStatus() == Conversation.ConversationStatus.JOINED) {196197QuickstartConversationsManager.this.conversation = conversation;198Log.d(MainActivity.TAG, "Already joined default conversation");199QuickstartConversationsManager.this.conversation.addListener(mDefaultConversationListener);200return;201}202203204conversation.join(new StatusListener() {205@Override206public void onSuccess() {207QuickstartConversationsManager.this.conversation = conversation;208Log.d(MainActivity.TAG, "Joined default conversation");209QuickstartConversationsManager.this.conversation.addListener(mDefaultConversationListener);210QuickstartConversationsManager.this.loadPreviousMessages(conversation);211}212213@Override214public void onError(ErrorInfo errorInfo) {215Log.e(MainActivity.TAG, "Error joining conversation: " + errorInfo.getMessage());216}217});218}219220private void loadPreviousMessages(final Conversation conversation) {221conversation.getLastMessages(100,222new CallbackListener<List<Message>>() {223@Override224public void onSuccess(List<Message> result) {225messages.addAll(result);226if (conversationsManagerListener != null) {227conversationsManagerListener.reloadMessages();228}229}230});231}232233private final ConversationsClientListener mConversationsClientListener =234new ConversationsClientListener() {235236@Override237public void onConversationAdded(Conversation conversation) {238239}240241@Override242public void onConversationUpdated(Conversation conversation, Conversation.UpdateReason updateReason) {243244}245246@Override247public void onConversationDeleted(Conversation conversation) {248249}250251@Override252public void onConversationSynchronizationChange(Conversation conversation) {253254}255256@Override257public void onError(ErrorInfo errorInfo) {258259}260261@Override262public void onUserUpdated(User user, User.UpdateReason updateReason) {263264}265266@Override267public void onUserSubscribed(User user) {268269}270271@Override272public void onUserUnsubscribed(User user) {273274}275276@Override277public void onClientSynchronization(ConversationsClient.SynchronizationStatus synchronizationStatus) {278if (synchronizationStatus == ConversationsClient.SynchronizationStatus.COMPLETED) {279loadChannels();280}281}282283@Override284public void onNewMessageNotification(String s, String s1, long l) {285286}287288@Override289public void onAddedToConversationNotification(String s) {290291}292293@Override294public void onRemovedFromConversationNotification(String s) {295296}297298@Override299public void onNotificationSubscribed() {300301}302303@Override304public void onNotificationFailed(ErrorInfo errorInfo) {305306}307308@Override309public void onConnectionStateChange(ConversationsClient.ConnectionState connectionState) {310311}312313@Override314public void onTokenExpired() {315316}317318@Override319public void onTokenAboutToExpire() {320retrieveToken(new AccessTokenListener() {321@Override322public void receivedAccessToken(@Nullable String token, @Nullable Exception exception) {323if (token != null) {324conversationsClient.updateToken(token, new StatusListener() {325@Override326public void onSuccess() {327Log.d(MainActivity.TAG, "Refreshed access token.");328}329});330}331}332});333}334};335336private final CallbackListener<ConversationsClient> mConversationsClientCallback =337new CallbackListener<ConversationsClient>() {338@Override339public void onSuccess(ConversationsClient conversationsClient) {340QuickstartConversationsManager.this.conversationsClient = conversationsClient;341conversationsClient.addListener(QuickstartConversationsManager.this.mConversationsClientListener);342Log.d(MainActivity.TAG, "Success creating Twilio Conversations Client");343}344345@Override346public void onError(ErrorInfo errorInfo) {347Log.e(MainActivity.TAG, "Error creating Twilio Conversations Client: " + errorInfo.getMessage());348}349};350351352private final ConversationListener mDefaultConversationListener = new ConversationListener() {353354355@Override356public void onMessageAdded(final Message message) {357Log.d(MainActivity.TAG, "Message added");358messages.add(message);359if (conversationsManagerListener != null) {360conversationsManagerListener.receivedNewMessage();361}362}363364@Override365public void onMessageUpdated(Message message, Message.UpdateReason updateReason) {366Log.d(MainActivity.TAG, "Message updated: " + message.getMessageBody());367}368369@Override370public void onMessageDeleted(Message message) {371Log.d(MainActivity.TAG, "Message deleted");372}373374@Override375public void onParticipantAdded(Participant participant) {376Log.d(MainActivity.TAG, "Participant added: " + participant.getIdentity());377}378379@Override380public void onParticipantUpdated(Participant participant, Participant.UpdateReason updateReason) {381Log.d(MainActivity.TAG, "Participant updated: " + participant.getIdentity() + " " + updateReason.toString());382}383384@Override385public void onParticipantDeleted(Participant participant) {386Log.d(MainActivity.TAG, "Participant deleted: " + participant.getIdentity());387}388389@Override390public void onTypingStarted(Conversation conversation, Participant participant) {391Log.d(MainActivity.TAG, "Started Typing: " + participant.getIdentity());392}393394@Override395public void onTypingEnded(Conversation conversation, Participant participant) {396Log.d(MainActivity.TAG, "Ended Typing: " + participant.getIdentity());397}398399@Override400public void onSynchronizationChanged(Conversation conversation) {401402}403};404405public ArrayList<Message> getMessages() {406return messages;407}408409public void setListener(QuickstartConversationsManagerListener listener) {410this.conversationsManagerListener = listener;411}412}413
Each Conversation
object from the Conversations SDK represents an individual conversation between one or more users. Inside the Conversations Quickstart, we interact with the Conversation
in the QuickstartConversationManager
class. We use this approach to avoid having an activity or fragment class that does too much. After initializing the Conversations SDK with an access token, waiting for the client to synchronize, and then either creating or joining a conversation, we can start to engage with that conversation by sending or receiving messages. These messages are Message
objects from the Conversations SDK.
We retrieve the last messages using the getLastMessages()
method on the Conversation
class. This returns all of the previous messages (up to a limit, which you can set in code), and you can use that to initialize the display for your class. After loading in any existing messages, the QuickstartConversationsManager
notifies its listener (the MainActivity
) that there is a new batch of messages to display.
1package com.twilio.conversationsquickstart;23import android.content.Context;4import android.util.Log;56import com.google.gson.Gson;7import com.twilio.conversations.CallbackListener;8import com.twilio.conversations.Conversation;9import com.twilio.conversations.ConversationListener;10import com.twilio.conversations.ConversationsClient;11import com.twilio.conversations.ConversationsClientListener;12import com.twilio.conversations.ErrorInfo;13import com.twilio.conversations.Participant;14import com.twilio.conversations.Message;15import com.twilio.conversations.StatusListener;16import com.twilio.conversations.User;1718import org.jetbrains.annotations.Nullable;1920import java.io.IOException;21import java.util.ArrayList;22import java.util.List;2324import okhttp3.OkHttpClient;25import okhttp3.Request;26import okhttp3.Response;2728interface QuickstartConversationsManagerListener {29void receivedNewMessage();30void messageSentCallback();31void reloadMessages();32}3334interface TokenResponseListener {35void receivedTokenResponse(boolean success, @Nullable Exception exception);36}3738interface AccessTokenListener {39void receivedAccessToken(@Nullable String token, @Nullable Exception exception);40}414243class QuickstartConversationsManager {4445// This is the unique name of the conversation we are using46private final static String DEFAULT_CONVERSATION_NAME = "general";4748final private ArrayList<Message> messages = new ArrayList<>();4950private ConversationsClient conversationsClient;5152private Conversation conversation;5354private QuickstartConversationsManagerListener conversationsManagerListener;5556private String tokenURL = "";5758private class TokenResponse {59String token;60}6162void retrieveAccessTokenFromServer(final Context context, String identity,63final TokenResponseListener listener) {6465// Set the chat token URL in your strings.xml file66String chatTokenURL = context.getString(R.string.chat_token_url);6768if ("https://YOUR_DOMAIN_HERE.twil.io/chat-token".equals(chatTokenURL)) {69listener.receivedTokenResponse(false, new Exception("You need to replace the chat token URL in strings.xml"));70return;71}7273tokenURL = chatTokenURL + "?identity=" + identity;7475new Thread(new Runnable() {76@Override77public void run() {78retrieveToken(new AccessTokenListener() {79@Override80public void receivedAccessToken(@Nullable String token,81@Nullable Exception exception) {82if (token != null) {83ConversationsClient.Properties props = ConversationsClient.Properties.newBuilder().createProperties();84ConversationsClient.create(context, token, props, mConversationsClientCallback);85listener.receivedTokenResponse(true,null);86} else {87listener.receivedTokenResponse(false, exception);88}89}90});91}92}).start();93}9495void initializeWithAccessToken(final Context context, final String token) {9697ConversationsClient.Properties props = ConversationsClient.Properties.newBuilder().createProperties();98ConversationsClient.create(context, token, props, mConversationsClientCallback);99}100101private void retrieveToken(AccessTokenListener listener) {102OkHttpClient client = new OkHttpClient();103104Request request = new Request.Builder()105.url(tokenURL)106.build();107try (Response response = client.newCall(request).execute()) {108String responseBody = "";109if (response != null && response.body() != null) {110responseBody = response.body().string();111}112Log.d(MainActivity.TAG, "Response from server: " + responseBody);113Gson gson = new Gson();114TokenResponse tokenResponse = gson.fromJson(responseBody,TokenResponse.class);115String accessToken = tokenResponse.token;116Log.d(MainActivity.TAG, "Retrieved access token from server: " + accessToken);117listener.receivedAccessToken(accessToken, null);118119}120catch (IOException ex) {121Log.e(MainActivity.TAG, ex.getLocalizedMessage(),ex);122listener.receivedAccessToken(null, ex);123}124}125126void sendMessage(String messageBody) {127if (conversation != null) {128Message.Options options = Message.options().withBody(messageBody);129Log.d(MainActivity.TAG,"Message created");130conversation.sendMessage(options, new CallbackListener<Message>() {131@Override132public void onSuccess(Message message) {133if (conversationsManagerListener != null) {134conversationsManagerListener.messageSentCallback();135}136}137});138}139}140141142private void loadChannels() {143if (conversationsClient == null || conversationsClient.getMyConversations() == null) {144return;145}146conversationsClient.getConversation(DEFAULT_CONVERSATION_NAME, new CallbackListener<Conversation>() {147@Override148public void onSuccess(Conversation conversation) {149if (conversation != null) {150if (conversation.getStatus() == Conversation.ConversationStatus.JOINED151|| conversation.getStatus() == Conversation.ConversationStatus.NOT_PARTICIPATING) {152Log.d(MainActivity.TAG, "Already Exists in Conversation: " + DEFAULT_CONVERSATION_NAME);153QuickstartConversationsManager.this.conversation = conversation;154QuickstartConversationsManager.this.conversation.addListener(mDefaultConversationListener);155QuickstartConversationsManager.this.loadPreviousMessages(conversation);156} else {157Log.d(MainActivity.TAG, "Joining Conversation: " + DEFAULT_CONVERSATION_NAME);158joinConversation(conversation);159}160}161}162163@Override164public void onError(ErrorInfo errorInfo) {165Log.e(MainActivity.TAG, "Error retrieving conversation: " + errorInfo.getMessage());166createConversation();167}168169});170}171172private void createConversation() {173Log.d(MainActivity.TAG, "Creating Conversation: " + DEFAULT_CONVERSATION_NAME);174175conversationsClient.createConversation(DEFAULT_CONVERSATION_NAME,176new CallbackListener<Conversation>() {177@Override178public void onSuccess(Conversation conversation) {179if (conversation != null) {180Log.d(MainActivity.TAG, "Joining Conversation: " + DEFAULT_CONVERSATION_NAME);181joinConversation(conversation);182}183}184185@Override186public void onError(ErrorInfo errorInfo) {187Log.e(MainActivity.TAG, "Error creating conversation: " + errorInfo.getMessage());188}189});190}191192193private void joinConversation(final Conversation conversation) {194Log.d(MainActivity.TAG, "Joining Conversation: " + conversation.getUniqueName());195if (conversation.getStatus() == Conversation.ConversationStatus.JOINED) {196197QuickstartConversationsManager.this.conversation = conversation;198Log.d(MainActivity.TAG, "Already joined default conversation");199QuickstartConversationsManager.this.conversation.addListener(mDefaultConversationListener);200return;201}202203204conversation.join(new StatusListener() {205@Override206public void onSuccess() {207QuickstartConversationsManager.this.conversation = conversation;208Log.d(MainActivity.TAG, "Joined default conversation");209QuickstartConversationsManager.this.conversation.addListener(mDefaultConversationListener);210QuickstartConversationsManager.this.loadPreviousMessages(conversation);211}212213@Override214public void onError(ErrorInfo errorInfo) {215Log.e(MainActivity.TAG, "Error joining conversation: " + errorInfo.getMessage());216}217});218}219220private void loadPreviousMessages(final Conversation conversation) {221conversation.getLastMessages(100,222new CallbackListener<List<Message>>() {223@Override224public void onSuccess(List<Message> result) {225messages.addAll(result);226if (conversationsManagerListener != null) {227conversationsManagerListener.reloadMessages();228}229}230});231}232233private final ConversationsClientListener mConversationsClientListener =234new ConversationsClientListener() {235236@Override237public void onConversationAdded(Conversation conversation) {238239}240241@Override242public void onConversationUpdated(Conversation conversation, Conversation.UpdateReason updateReason) {243244}245246@Override247public void onConversationDeleted(Conversation conversation) {248249}250251@Override252public void onConversationSynchronizationChange(Conversation conversation) {253254}255256@Override257public void onError(ErrorInfo errorInfo) {258259}260261@Override262public void onUserUpdated(User user, User.UpdateReason updateReason) {263264}265266@Override267public void onUserSubscribed(User user) {268269}270271@Override272public void onUserUnsubscribed(User user) {273274}275276@Override277public void onClientSynchronization(ConversationsClient.SynchronizationStatus synchronizationStatus) {278if (synchronizationStatus == ConversationsClient.SynchronizationStatus.COMPLETED) {279loadChannels();280}281}282283@Override284public void onNewMessageNotification(String s, String s1, long l) {285286}287288@Override289public void onAddedToConversationNotification(String s) {290291}292293@Override294public void onRemovedFromConversationNotification(String s) {295296}297298@Override299public void onNotificationSubscribed() {300301}302303@Override304public void onNotificationFailed(ErrorInfo errorInfo) {305306}307308@Override309public void onConnectionStateChange(ConversationsClient.ConnectionState connectionState) {310311}312313@Override314public void onTokenExpired() {315316}317318@Override319public void onTokenAboutToExpire() {320retrieveToken(new AccessTokenListener() {321@Override322public void receivedAccessToken(@Nullable String token, @Nullable Exception exception) {323if (token != null) {324conversationsClient.updateToken(token, new StatusListener() {325@Override326public void onSuccess() {327Log.d(MainActivity.TAG, "Refreshed access token.");328}329});330}331}332});333}334};335336private final CallbackListener<ConversationsClient> mConversationsClientCallback =337new CallbackListener<ConversationsClient>() {338@Override339public void onSuccess(ConversationsClient conversationsClient) {340QuickstartConversationsManager.this.conversationsClient = conversationsClient;341conversationsClient.addListener(QuickstartConversationsManager.this.mConversationsClientListener);342Log.d(MainActivity.TAG, "Success creating Twilio Conversations Client");343}344345@Override346public void onError(ErrorInfo errorInfo) {347Log.e(MainActivity.TAG, "Error creating Twilio Conversations Client: " + errorInfo.getMessage());348}349};350351352private final ConversationListener mDefaultConversationListener = new ConversationListener() {353354355@Override356public void onMessageAdded(final Message message) {357Log.d(MainActivity.TAG, "Message added");358messages.add(message);359if (conversationsManagerListener != null) {360conversationsManagerListener.receivedNewMessage();361}362}363364@Override365public void onMessageUpdated(Message message, Message.UpdateReason updateReason) {366Log.d(MainActivity.TAG, "Message updated: " + message.getMessageBody());367}368369@Override370public void onMessageDeleted(Message message) {371Log.d(MainActivity.TAG, "Message deleted");372}373374@Override375public void onParticipantAdded(Participant participant) {376Log.d(MainActivity.TAG, "Participant added: " + participant.getIdentity());377}378379@Override380public void onParticipantUpdated(Participant participant, Participant.UpdateReason updateReason) {381Log.d(MainActivity.TAG, "Participant updated: " + participant.getIdentity() + " " + updateReason.toString());382}383384@Override385public void onParticipantDeleted(Participant participant) {386Log.d(MainActivity.TAG, "Participant deleted: " + participant.getIdentity());387}388389@Override390public void onTypingStarted(Conversation conversation, Participant participant) {391Log.d(MainActivity.TAG, "Started Typing: " + participant.getIdentity());392}393394@Override395public void onTypingEnded(Conversation conversation, Participant participant) {396Log.d(MainActivity.TAG, "Ended Typing: " + participant.getIdentity());397}398399@Override400public void onSynchronizationChanged(Conversation conversation) {401402}403};404405public ArrayList<Message> getMessages() {406return messages;407}408409public void setListener(QuickstartConversationsManagerListener listener) {410this.conversationsManagerListener = listener;411}412}413
The QuickstartConversationsManager
class implements the ConverstationListener
interface. As events occur with our conversation, our manager object will get notified. One of these events is onMessageAdded.
This event gets fired from the Twilio Conversations SDK when any user sends a message to the conversation.
Our manager appends that message to the messages we already have, and then notifies its delegate that a new message has arrived, and that the view controller should refresh its view of the messages.
In the main activity, we tell the recycler view that contains the messages to reload its data.
Receiving New Messages
1package com.twilio.conversationsquickstart;23import android.content.Context;4import android.util.Log;56import com.google.gson.Gson;7import com.twilio.conversations.CallbackListener;8import com.twilio.conversations.Conversation;9import com.twilio.conversations.ConversationListener;10import com.twilio.conversations.ConversationsClient;11import com.twilio.conversations.ConversationsClientListener;12import com.twilio.conversations.ErrorInfo;13import com.twilio.conversations.Participant;14import com.twilio.conversations.Message;15import com.twilio.conversations.StatusListener;16import com.twilio.conversations.User;1718import org.jetbrains.annotations.Nullable;1920import java.io.IOException;21import java.util.ArrayList;22import java.util.List;2324import okhttp3.OkHttpClient;25import okhttp3.Request;26import okhttp3.Response;2728interface QuickstartConversationsManagerListener {29void receivedNewMessage();30void messageSentCallback();31void reloadMessages();32}3334interface TokenResponseListener {35void receivedTokenResponse(boolean success, @Nullable Exception exception);36}3738interface AccessTokenListener {39void receivedAccessToken(@Nullable String token, @Nullable Exception exception);40}414243class QuickstartConversationsManager {4445// This is the unique name of the conversation we are using46private final static String DEFAULT_CONVERSATION_NAME = "general";4748final private ArrayList<Message> messages = new ArrayList<>();4950private ConversationsClient conversationsClient;5152private Conversation conversation;5354private QuickstartConversationsManagerListener conversationsManagerListener;5556private String tokenURL = "";5758private class TokenResponse {59String token;60}6162void retrieveAccessTokenFromServer(final Context context, String identity,63final TokenResponseListener listener) {6465// Set the chat token URL in your strings.xml file66String chatTokenURL = context.getString(R.string.chat_token_url);6768if ("https://YOUR_DOMAIN_HERE.twil.io/chat-token".equals(chatTokenURL)) {69listener.receivedTokenResponse(false, new Exception("You need to replace the chat token URL in strings.xml"));70return;71}7273tokenURL = chatTokenURL + "?identity=" + identity;7475new Thread(new Runnable() {76@Override77public void run() {78retrieveToken(new AccessTokenListener() {79@Override80public void receivedAccessToken(@Nullable String token,81@Nullable Exception exception) {82if (token != null) {83ConversationsClient.Properties props = ConversationsClient.Properties.newBuilder().createProperties();84ConversationsClient.create(context, token, props, mConversationsClientCallback);85listener.receivedTokenResponse(true,null);86} else {87listener.receivedTokenResponse(false, exception);88}89}90});91}92}).start();93}9495void initializeWithAccessToken(final Context context, final String token) {9697ConversationsClient.Properties props = ConversationsClient.Properties.newBuilder().createProperties();98ConversationsClient.create(context, token, props, mConversationsClientCallback);99}100101private void retrieveToken(AccessTokenListener listener) {102OkHttpClient client = new OkHttpClient();103104Request request = new Request.Builder()105.url(tokenURL)106.build();107try (Response response = client.newCall(request).execute()) {108String responseBody = "";109if (response != null && response.body() != null) {110responseBody = response.body().string();111}112Log.d(MainActivity.TAG, "Response from server: " + responseBody);113Gson gson = new Gson();114TokenResponse tokenResponse = gson.fromJson(responseBody,TokenResponse.class);115String accessToken = tokenResponse.token;116Log.d(MainActivity.TAG, "Retrieved access token from server: " + accessToken);117listener.receivedAccessToken(accessToken, null);118119}120catch (IOException ex) {121Log.e(MainActivity.TAG, ex.getLocalizedMessage(),ex);122listener.receivedAccessToken(null, ex);123}124}125126void sendMessage(String messageBody) {127if (conversation != null) {128Message.Options options = Message.options().withBody(messageBody);129Log.d(MainActivity.TAG,"Message created");130conversation.sendMessage(options, new CallbackListener<Message>() {131@Override132public void onSuccess(Message message) {133if (conversationsManagerListener != null) {134conversationsManagerListener.messageSentCallback();135}136}137});138}139}140141142private void loadChannels() {143if (conversationsClient == null || conversationsClient.getMyConversations() == null) {144return;145}146conversationsClient.getConversation(DEFAULT_CONVERSATION_NAME, new CallbackListener<Conversation>() {147@Override148public void onSuccess(Conversation conversation) {149if (conversation != null) {150if (conversation.getStatus() == Conversation.ConversationStatus.JOINED151|| conversation.getStatus() == Conversation.ConversationStatus.NOT_PARTICIPATING) {152Log.d(MainActivity.TAG, "Already Exists in Conversation: " + DEFAULT_CONVERSATION_NAME);153QuickstartConversationsManager.this.conversation = conversation;154QuickstartConversationsManager.this.conversation.addListener(mDefaultConversationListener);155QuickstartConversationsManager.this.loadPreviousMessages(conversation);156} else {157Log.d(MainActivity.TAG, "Joining Conversation: " + DEFAULT_CONVERSATION_NAME);158joinConversation(conversation);159}160}161}162163@Override164public void onError(ErrorInfo errorInfo) {165Log.e(MainActivity.TAG, "Error retrieving conversation: " + errorInfo.getMessage());166createConversation();167}168169});170}171172private void createConversation() {173Log.d(MainActivity.TAG, "Creating Conversation: " + DEFAULT_CONVERSATION_NAME);174175conversationsClient.createConversation(DEFAULT_CONVERSATION_NAME,176new CallbackListener<Conversation>() {177@Override178public void onSuccess(Conversation conversation) {179if (conversation != null) {180Log.d(MainActivity.TAG, "Joining Conversation: " + DEFAULT_CONVERSATION_NAME);181joinConversation(conversation);182}183}184185@Override186public void onError(ErrorInfo errorInfo) {187Log.e(MainActivity.TAG, "Error creating conversation: " + errorInfo.getMessage());188}189});190}191192193private void joinConversation(final Conversation conversation) {194Log.d(MainActivity.TAG, "Joining Conversation: " + conversation.getUniqueName());195if (conversation.getStatus() == Conversation.ConversationStatus.JOINED) {196197QuickstartConversationsManager.this.conversation = conversation;198Log.d(MainActivity.TAG, "Already joined default conversation");199QuickstartConversationsManager.this.conversation.addListener(mDefaultConversationListener);200return;201}202203204conversation.join(new StatusListener() {205@Override206public void onSuccess() {207QuickstartConversationsManager.this.conversation = conversation;208Log.d(MainActivity.TAG, "Joined default conversation");209QuickstartConversationsManager.this.conversation.addListener(mDefaultConversationListener);210QuickstartConversationsManager.this.loadPreviousMessages(conversation);211}212213@Override214public void onError(ErrorInfo errorInfo) {215Log.e(MainActivity.TAG, "Error joining conversation: " + errorInfo.getMessage());216}217});218}219220private void loadPreviousMessages(final Conversation conversation) {221conversation.getLastMessages(100,222new CallbackListener<List<Message>>() {223@Override224public void onSuccess(List<Message> result) {225messages.addAll(result);226if (conversationsManagerListener != null) {227conversationsManagerListener.reloadMessages();228}229}230});231}232233private final ConversationsClientListener mConversationsClientListener =234new ConversationsClientListener() {235236@Override237public void onConversationAdded(Conversation conversation) {238239}240241@Override242public void onConversationUpdated(Conversation conversation, Conversation.UpdateReason updateReason) {243244}245246@Override247public void onConversationDeleted(Conversation conversation) {248249}250251@Override252public void onConversationSynchronizationChange(Conversation conversation) {253254}255256@Override257public void onError(ErrorInfo errorInfo) {258259}260261@Override262public void onUserUpdated(User user, User.UpdateReason updateReason) {263264}265266@Override267public void onUserSubscribed(User user) {268269}270271@Override272public void onUserUnsubscribed(User user) {273274}275276@Override277public void onClientSynchronization(ConversationsClient.SynchronizationStatus synchronizationStatus) {278if (synchronizationStatus == ConversationsClient.SynchronizationStatus.COMPLETED) {279loadChannels();280}281}282283@Override284public void onNewMessageNotification(String s, String s1, long l) {285286}287288@Override289public void onAddedToConversationNotification(String s) {290291}292293@Override294public void onRemovedFromConversationNotification(String s) {295296}297298@Override299public void onNotificationSubscribed() {300301}302303@Override304public void onNotificationFailed(ErrorInfo errorInfo) {305306}307308@Override309public void onConnectionStateChange(ConversationsClient.ConnectionState connectionState) {310311}312313@Override314public void onTokenExpired() {315316}317318@Override319public void onTokenAboutToExpire() {320retrieveToken(new AccessTokenListener() {321@Override322public void receivedAccessToken(@Nullable String token, @Nullable Exception exception) {323if (token != null) {324conversationsClient.updateToken(token, new StatusListener() {325@Override326public void onSuccess() {327Log.d(MainActivity.TAG, "Refreshed access token.");328}329});330}331}332});333}334};335336private final CallbackListener<ConversationsClient> mConversationsClientCallback =337new CallbackListener<ConversationsClient>() {338@Override339public void onSuccess(ConversationsClient conversationsClient) {340QuickstartConversationsManager.this.conversationsClient = conversationsClient;341conversationsClient.addListener(QuickstartConversationsManager.this.mConversationsClientListener);342Log.d(MainActivity.TAG, "Success creating Twilio Conversations Client");343}344345@Override346public void onError(ErrorInfo errorInfo) {347Log.e(MainActivity.TAG, "Error creating Twilio Conversations Client: " + errorInfo.getMessage());348}349};350351352private final ConversationListener mDefaultConversationListener = new ConversationListener() {353354355@Override356public void onMessageAdded(final Message message) {357Log.d(MainActivity.TAG, "Message added");358messages.add(message);359if (conversationsManagerListener != null) {360conversationsManagerListener.receivedNewMessage();361}362}363364@Override365public void onMessageUpdated(Message message, Message.UpdateReason updateReason) {366Log.d(MainActivity.TAG, "Message updated: " + message.getMessageBody());367}368369@Override370public void onMessageDeleted(Message message) {371Log.d(MainActivity.TAG, "Message deleted");372}373374@Override375public void onParticipantAdded(Participant participant) {376Log.d(MainActivity.TAG, "Participant added: " + participant.getIdentity());377}378379@Override380public void onParticipantUpdated(Participant participant, Participant.UpdateReason updateReason) {381Log.d(MainActivity.TAG, "Participant updated: " + participant.getIdentity() + " " + updateReason.toString());382}383384@Override385public void onParticipantDeleted(Participant participant) {386Log.d(MainActivity.TAG, "Participant deleted: " + participant.getIdentity());387}388389@Override390public void onTypingStarted(Conversation conversation, Participant participant) {391Log.d(MainActivity.TAG, "Started Typing: " + participant.getIdentity());392}393394@Override395public void onTypingEnded(Conversation conversation, Participant participant) {396Log.d(MainActivity.TAG, "Ended Typing: " + participant.getIdentity());397}398399@Override400public void onSynchronizationChanged(Conversation conversation) {401402}403};404405public ArrayList<Message> getMessages() {406return messages;407}408409public void setListener(QuickstartConversationsManagerListener listener) {410this.conversationsManagerListener = listener;411}412}413
Now that you've seen how the Conversations Android Quickstart implements several key pieces of functionality, you can see how to add the Conversations SDK to your Java or Kotlin Android project. You can re-use the Quickstart Conversations Manager class within your own project, or extend it to fit your needs.
For more information, check out these helpful links: