Skip to contentSkip to navigationSkip to topbar
On this page

Registering for Notifications on Android


Ready to send your first notification? We'll get you registered so you can start sending notifications faster than a collision-free hash table lookup (OK, maybe not that fast).

A Notifications application involves two components:

  • A client (Android) app that registers for and receives notifications
  • A server app that creates bindings and sends notifications

The aim of this guide is to show you how to store the app's unique address in Notify by creating a Binding so that later we can send notifications to it. There are two cases when you would need to update the Binding in Notify:

  • when the user logs in for the first time or with a new Identity
  • when FCM changes the address of the app.

As both acquiring the address of the app and creating a binding may take a bit, it is best to implement registration in a dedicated service (e.g., RegistrationIntentService) and fire it in both scenarios. Let's start with the first scenario, logging a new user in and then adding support for changing addresses.

When a user logs in, you want to capture the Identity and fire the RegistrationIntentService passing the new Identity as an Extra. Let's take a look at then how this RegistrationIntentService works.

First, the RegistrationIntentService needs to acquire the address of the app, and the registration token. This is done by invoking the FirebaseInstanceId.getInstance().getToken(); method.

Register a Device

register-a-device page anchor
1
public class RegistrationIntentService extends IntentService {
2
@Override
3
protected void onHandleIntent(Intent intent) {
4
String token = FirebaseInstanceId.getInstance().getToken();
5
}
6
}

Next, we need to get the Identity from the extra and create a Binding in Twilio. A "Binding" represents a unique app installation that can receive a notification. It associates a registration token (that we just acquired) with an Identity (from the Intent Extra). You can use the Identity to send notifications to a specific user (Identity). (More on that later.)

The app should send a request to the server containing the registration token, Identity, and BindingType. The server then will use this information to create the Binding via the Twilio API. We add this indirection to avoid exposing our Twilio credentials in the Android app.

Create a Binding (Client-side)

create-a-binding-client-side page anchor
1
public class RegistrationIntentService extends IntentService {
2
private BindingResource bindingResource;
3
4
@Override
5
protected void onHandleIntent(Intent intent) {
6
String token = FirebaseInstanceId.getInstance().getToken();
7
String identity = intent.getStringExtra(IDENTITY);
8
String storedIdentity = sharedPreferences.getString(IDENTITY, null);
9
if (newIdentity == null) {
10
// If no identity was provided to us then we use the identity stored in shared preferences.
11
// This can occur when the registration token changes.
12
identity = storedIdentity;
13
} else {
14
// Otherwise we save the new identity in the shared preferences for future use.
15
sharedPreferences.edit().putString(IDENTITY, binding.identity).commit();
16
}
17
sendRegistrationToServer(identity, token);
18
}
19
20
@Override
21
public void onCreate(){
22
super.onCreate();
23
Retrofit retrofit = new Retrofit.Builder()
24
.baseUrl(AppConstants.BASE_URL).addConverterFactory(JacksonConverterFactory.create(new ObjectMapper().setSerializationInclusion(JsonInclude.Include.NON_NULL)))
25
.build();
26
bindingResource = retrofit.create(BindingResource.class);
27
}
28
29
private CreateBindingResponse sendRegistrationToServer(String identity, String token) throws IOException {
30
String endpoint = sharedPreferences.getString(ENDPOINT + newIdentity, null);
31
Binding binding = new Binding(identity, endpoint, token, "fcm");
32
Call<CreateBindingResponse> call = bindingResource.createBinding(binding);
33
Response<CreateBindingResponse> response = call.execute();
34
sharedPreferences.edit().putString(ENDPOINT + binding.identity, response.body().endpoint).commit();
35
}
36
}
37

We use retrofit2 to make this request, but you can use any HTTP client. Our mini-API to communicate with our server is defined in the BindingResource, Binding and CreateBindingResponse classes. The BindingResource interface defines the signature of our API.

Create a Binding (Client-side)

create-a-binding-client-side-1 page anchor
1
public interface BindingResource {
2
@POST("/register")
3
Call<CreateBindingResponse> createBinding(@Body Binding binding);
4
}
5

The Binding class is a Plain Old Java Object (POJO) that the retrofit2 API will translate to JSON for us. It wraps the parameters we need to send to the server.

Create a Binding (Client-side)

create-a-binding-client-side-2 page anchor
1
public class Binding {
2
public String identity;
3
public String endpoint;
4
public String Address;
5
public String BindingType;
6
7
public Binding(String identity, String endpoint, String address, String bindingType) {
8
this.identity = identity;
9
this.endpoint = endpoint;
10
Address = address;
11
BindingType = bindingType;
12
}
13
}
14

The CreateBindingResponse is another POJO to translate the server's JSON response including the generated endpoint identifier and a message in case something went wrong.

Create a Binding (Client-side)

create-a-binding-client-side-3 page anchor
1
package com.twilio.notify.quickstart.notifyapi.model;
2
3
/**
4
* Created by vmuller on 4/19/17.
5
*/
6
public class CreateBindingResponse {
7
public String message;
8
public String endpoint;
9
10
public String getMessage() {
11
return message;
12
}
13
14
public String getEndpoint() {
15
return endpoint;
16
}
17
18
public void setMessage(String message) {
19
this.message = message;
20
}
21
22
public void setEndpoint(String endpoint) {
23
this.endpoint = endpoint;
24
}
25
}
26

We are almost finished with the Android app. Remember that there was another scenario when we wanted to create a Binding: when FCM changed the registration token. To implement this, we will need two steps:

  • Register a service that listens to the token update events from FCM
  • Implement that service

To register the service, we'll add an intent filter to declare the capabilities of our service, the MyInstanceIDService.

Create a Binding (Client-side)

create-a-binding-client-side-4 page anchor
1
<service android:name="[.MyInstanceIDService]" android:exported="false">
2
<intent-filter>
3
<action android:name="com.google.android.gms.iid.InstanceID"/>
4
</intent-filter>
5
</service>

Then we can implement this service. All it does is, invoke our RegistrationIntentService to create a new Binding.

You may wonder, how can we just keep creating Bindings without ever deleting any? The Notify API's deduplication feature allows this. It deletes previous Bindings in the same Notify Service that have the same Address (registration token) or Endpoint. Endpoint is an auto-generated unique identifier that we receive from the Notify service. Notice how our SendRegistrationToServer method stores this Endpoint in the shared preferences and reuses it in subsequent create Binding requests ensuring that Bindings are not duplicated even when the registration token changes.


Server

server page anchor

Now that we have our Android app ready, let's turn our attention to the server that interacts with the Notify API.

In our server app, we'll receive the POST request. It will contain the following four parameters.

namedescription
IdentityThe Identity to which this Binding belongs. Identity is defined by your application and can have multiple endpoints.
EndpointThe identifier of the device to which this registration belongs. Endpoints are also defined by your application.
BindingTypeThe type of the Binding determines the transport technology to use.
AddressThe address obtained from the vendor. For APNS it is the device token. For FCM, it is the registration token.
(error)

Do not use Personally Identifiable Information for Identity

Notify uses Identity as a unique identifier of a user. You should not use directly identifying information (aka personally identifiable information or PII) like a person's name, home address, email or phone number, etc. as Identity, because the systems that will process this attribute assume it is not directly identifying information.

We'll use index.js in our server app and these four parameters to send an API request to Twilio. Then, we'll send a success message or an error back to the mobile app together with the Endpoint. We implement this logic in the /register endpoint, but this is not required. You can come up with your own API, and perhaps integrate it into a login or a session initialization flow.

Create a Binding (Server-side)Link to code sample: Create a Binding (Server-side)
1
// Download the helper library from https://www.twilio.com/docs/node/install
2
const twilio = require("twilio"); // Or, for ESM: import twilio from "twilio";
3
4
// Find your Account SID and Auth Token at twilio.com/console
5
// and set the environment variables. See http://twil.io/secure
6
const accountSid = process.env.TWILIO_ACCOUNT_SID;
7
const authToken = process.env.TWILIO_AUTH_TOKEN;
8
const client = twilio(accountSid, authToken);
9
10
async function createBinding() {
11
const binding = await client.notify.v1
12
.services("ISXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX")
13
.bindings.create({
14
address: "fcm_device_token",
15
bindingType: "fcm",
16
endpoint: "XXXXXXXXXXXXXXX",
17
identity: "00000001",
18
tag: ["preferred device"],
19
});
20
21
console.log(binding.sid);
22
}
23
24
createBinding();

Output

1
{
2
"account_sid": "ACaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa",
3
"address": "fcm_device_token",
4
"binding_type": "fcm",
5
"credential_sid": null,
6
"date_created": "2015-07-30T20:00:00Z",
7
"date_updated": "2015-07-30T20:00:00Z",
8
"endpoint": "XXXXXXXXXXXXXXX",
9
"identity": "00000001",
10
"notification_protocol_version": "3",
11
"service_sid": "ISXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX",
12
"sid": "BSaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa",
13
"tags": [
14
"26607274"
15
],
16
"links": {
17
"user": "https://notify.twilio.com/v1/Services/ISaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa/Users/24987039"
18
},
19
"url": "https://notify.twilio.com/v1/Services/ISaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa/Bindings/BSaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa"
20
}

Now that we've registered the client app with Firebase Cloud Messaging and created a Binding, it's time to send some notifications! Check out our Sending Notifications guide for more information.

Next: Sending Notifications »

Need some help?

Terms of service

Copyright © 2024 Twilio Inc.