The RudderStack Android SDK lets you track event data from your Android applications and send it to your specified destinations via RudderStack.
You can check the GitHub codebase to get more a hands-on understanding of the SDK and its architecture.
SDK setup requirements
To set up the RudderStack Android SDK, the following prerequisites must be met:
- You will need to install Android Studio on your system.
 - Also, you will need to set up a RudderStack account.
 - Once signed up, set up an Android source in the dashboard. You should be able to see a Write Key for this source, as shown below:
 
    - You will also need a data plane URL. Refer to the Glossary for more information on the data plane URL and where to find it.
 
Installing the SDK
We distribute the Android SDK through Maven Central. The recommended and easiest way to add the SDK to your project is through the Android Gradle build system.
Follow these steps:
- Open your project level 
build.gradlefile, and add the following lines of code: 
buildscript {    repositories {        mavenCentral()    }}allprojects {    repositories {        mavenCentral()    }}- Then open your 
app/build.gradleand add the dependency underdependenciesas shown below: 
implementation 'com.rudderstack.android.sdk:core:1.7+'// add the following line if you don't have Gson included alreadyimplementation 'com.google.code.gson:gson:2+'It is recommended to use the Core Android SDK without any device-mode destination SDKs as you will have a better view on the captured data from the SDK.
Using the Android SDK on applications with minSDKVersion less than 20
By default, the Android SDK does not support applications with minSDKVersion less than 20. You can add this support by following the steps below:
- Add the following dependency to the 
build.gradlefile of your application: 
implementation 'com.google.android.gms:play-services-base:17.6.0'- Add the function 
tlsBackport()in yourMainActivityas shown: 
private fun tlsBackport() {        try {            ProviderInstaller.installIfNeeded(this)            Log.e("Rudder", "Play present")            val sslContext: SSLContext = SSLContext.getInstance("TLSv1.2")            sslContext.init(null, null, null)            sslContext.createSSLEngine()        } catch (e: GooglePlayServicesRepairableException) {            // Prompt the user to install/update/enable Google Play services.            GoogleApiAvailability.getInstance()                .showErrorNotification(this, e.connectionStatusCode)            Log.e("Rudder", "Play install")        } catch (e: GooglePlayServicesNotAvailableException) {            // Indicates a non-recoverable error: let the user know.            Log.e("SecurityException", "Google Play Services not available.");            e.printStackTrace()        }    }- Finally, call the 
tlsBackport()function at the very beginning of youronCreate()method inMainActivity. 
override fun onCreate(savedInstanceState: Bundle?) {        super.onCreate(savedInstanceState)        setContentView(R.layout.activity_main)        if (Build.VERSION.SDK_INT <= Build.VERSION_CODES.KITKAT) {            tlsBackport()        }    }Setting Android Permission
Add this line to your AndroidManifest.xml file of your application for internet permission:
<uses-permission android:name="android.permission.INTERNET"/>We also declare android.permission.BLUETOOTH and android.permission.ACCESS_WIFI_STATE as optional by mentioning required="false" . If we get these permissions, we'll capture the Bluetooth status and the WiFi status of the device and pass it under context.network.
Initializing the RudderStack client
Import the library on the classes you desire to use RudderClient library
import com.rudderstack.android.sdk.core.*;Add the following code to the onCreate method in your Application class:
Follow our guide on Adding an Application Class to Your Android Application for more information.
val rudderClient = RudderClient.getInstance(    this,    WRITE_KEY,    RudderConfig.Builder()        .withDataPlaneUrl(DATA_PLANE_URL)        .withTrackLifecycleEvents(true)        .withRecordScreenViews(true)        .build())RudderClient rudderClient = RudderClient.getInstance(        this,        WRITE_KEY,        new RudderConfig.Builder()                .withDataPlaneUrl(DATA_PLANE_URL)                .withTrackLifecycleEvents(true)                .withRecordScreenViews(true)                .build());We automatically track the following optional events:
Application InstalledApplication UpdatedApplication OpenedApplication Backgrounded
withTrackLifecycleEvents method and passing false. But it is highly recommended to keep them enabled.Enabling/disabling user tracking via the optOut API (GDPR Support)
RudderStack gives the users (e.g., an EU user) the ability to opt out of tracking any user activity until the user gives their consent. You can do this by leveraging RudderStack's optOut API.
The optOut API takes true or false as a Boolean value to enable or disable tracking user activities. This flag persists across device reboots.
The following snippet highlights the use of the optOut API to disable user tracking:
rudderClient.optOut(true)rudderClient.optOut(true);Once the user grants their consent, you can enable user tracking once again by using the optOut API with false as a parameter sent to it, as shown:
rudderClient.optOut(false)rudderClient.optOut(false);The optOut API is available in the RudderStack Android SDK from version 1.0.21.
Chromecast
Google Chromecast is a device that plugs into your TV or monitor with an HDMI port, and can be used to stream content from your phone or computer.
RudderStack supports integrating the Android SDK with your Cast app. Follow these instructions to build your Android sender app. Then, add the Android SDK to it.
Follow the Google Cast developer guide for more details.
Track
You can record the users' activity through the track method. Every user action is called an event.
A sample track event is as shown below:
rudderClient.track(    "Product Added",    RudderProperty()        .putValue("product_id", "product_001"))rudderClient.track(        "Product Added",        new RudderProperty()                .putValue("product_id", "product_001"));Follow the method signature as below:
| Name | Data Type | Required | Description | 
|---|---|---|---|
name | String | Yes | Name of the event you want to track | 
property | RudderProperty or Map<String, Object> | No | Extra data properties you want to send along with the event | 
options | RudderOption | No | Extra event options | 
Identify
We capture deviceId and use that as anonymousId for identifying the user. It helps to track the users across the application installation. To attach more information to the user, you can use the identify method. Once you set the identify information to the user, those will be passed to the successive track or screen calls. To reset the user identification, you can use the reset method.
On the Android devices, the deviceId is assigned during the first boot. It remains consistent across the applications and installs. It changes only after factory reset.
An sample identify event is as shown:
val traits = RudderTraits()traits.putBirthday(Date())traits.putEmail("abc@123.com")traits.putFirstName("First")traits.putLastName("Last")traits.putGender("m")traits.putPhone("5555555555")val address = RudderTraits.Address()address.putCity("City")address.putCountry("USA")traits.putAddress(address)traits.put("boolean", Boolean.TRUE)traits.put("integer", 50)traits.put("float", 120.4f)traits.put("long", 1234L)traits.put("string", "hello")traits.put("date", Date(System.currentTimeMillis()))rudderClient.identify("test_user_id", traits, null)RudderTraits traits = new RudderTraits();traits.putBirthday(new Date());traits.putEmail("abc@123.com");traits.putFirstName("First");traits.putLastName("Last");traits.putGender("m");traits.putPhone("5555555555");RudderTraits.Address address = new RudderTraits.Address();address.putCity("City");address.putCountry("USA");traits.putAddress(address);traits.put("boolean", Boolean.TRUE);traits.put("integer", 50);traits.put("float", 120.4f);traits.put("long", 1234L);traits.put("string", "hello");traits.put("date", new Date(System.currentTimeMillis()));rudderClient.identify("test_user_id", traits, null);Follow the method signatures below:
| Name | Data Type | Required | Description | 
|---|---|---|---|
traits | RudderTraits | Yes | Traits information for the user | 
options | RudderOption | No | Extra options for the identify event | 
OR
| Name | Data Type | Required | Description | 
|---|---|---|---|
userId | String | Yes | Developer identity for the user | 
traits | RudderTraits | No | Traits information for user | 
option | RudderOption | No | Extra options for the identify event | 
Screen
You can use the screen call to record whenever the user sees a screen on the mobile device. You can also send some extra properties along with this event.
An example of the screen event is as shown:
rudderClient.screen(    "MainActivity",    "HomeScreen",    RudderProperty().putValue("foo", "bar"),    null)rudderClient.screen(    "MainActivity",    "HomeScreen",    new RudderProperty().putValue("foo", "bar"),    null);Follow the method signature below:
| Name | Data Type | Required | Description | 
|---|---|---|---|
screenName | String | Yes | Name of the screen viewed. | 
category | String | No | Category of the screen visited, such as HomeScreen, LoginScreen. Useful for tracking multiple Fragment views under a single Activity. | 
property | RudderProperty | No | Extra property object that you want to pass along with the screen call. | 
option | RudderOption | No | Extra options to be passed along with screen event. | 
Group
The group call associates a user to a specific organization. A sample group call for the API is below:
rudderClient.group(    "sample_group_id",    RudderTraits().putAge("24")        .putName("Test Group Name")        .putPhone("1234567891"))rudderClient.group(        "sample_group_id",        new RudderTraits().putAge("24")            .putName("Test Group Name")            .putPhone("1234567891")    );Follow the method signatures below:
| Name | Data Type | Required | Description | 
|---|---|---|---|
groupId | String | Yes | An ID of the organization with which you want to associate your user | 
traits | RudderTraits | No | Any other property of the organization you want to pass along with the call | 
options | RudderOption | No | Event level options | 
RudderStack doesn't persist the traits for the group across the sessions.
Alias
The alias call associates the user with a new identification. A sample alias call for the API is below:
rudderClient.alias("test_new_id")rudderClient.alias("test_new_id");Alternatively, you can use the following method signature
| Name | Data Type | Required | Description | 
|---|---|---|---|
newId | String | Yes | The new userId you want to assign to the user | 
options | RudderOption | No | Event level option | 
We replace the old userId with the newUserId and we persist that identification across the sessions.
Reset
You can use the reset method to clear the persisted traits for the identify call. This is required for Logout operations.
rudderClient.reset()rudderClient.reset();Configuring your RudderStack client
You can configure your client based on the following parameters using RudderConfig.Builder:
| Parameter | Type | Description | Default value | 
|---|---|---|---|
logLevel | Integer | Controls how much of the log you want to see from the SDK. | RudderLogger.RudderLogLevel.NONE | 
dataPlaneUrl | String | Your data plane URL. | https://hosted.rudderlabs.com | 
flushQueueSize | Integer | Number of events in a batch request to the RudderStack server. | 30 | 
dbThresholdCount | Integer | Number of events to be saved in the SQLite database. Once the limit is reached, older events are deleted from the database. | 10000 | 
sleepcount | Integer | Minimum waiting time to flush the events to the RudderStack server. The minimum value can be set to 1 second. | 10 seconds | 
configRefreshInterval | Integer | The SDK will fetch the config from dashboard after the specified time | 2 hours | 
trackLifecycleEvents | Boolean | Determines if the SDK will automatically capture the application lifecycle events. | true | 
autoSessionTracking | Boolean | Determines if the SDK automatically tracks the user sessions. Refer to Tracking user sessions for more information. | true | 
sessionTimeout | Integer | Maximum inactivity period before the session expires. | 300000 ms (5 minutes) | 
recordScreenViews | Boolean | Determines if the SDK will automatically capture the screen view events. | false | 
autoCollectAdvertId | Boolean | Determines if the SDK will collect the advertisement ID. | false | 
controlPlaneUrl | String | Change this parameter only if you are self-hosting the control plane. Check the Self-hosted control plane section below for more information. The SDK will add /sourceConfig along with this URL to fetch the source configuration. | https://api.rudderlabs.com | 
A sample code snippet to configure your client using RudderConfig.Builder is shown below:
rudderClient = RudderClient.getInstance(  this,  <WRITE_KEY>,  RudderConfig.Builder()  .withDataPlaneUrl(<DATA_PLANE_URL>)  .withSleepCount(1)  .withLogLevel(RudderLogger.RudderLogLevel.VERBOSE)  .build())Self-hosted control plane
If you are using a device mode destination like Adjust, Firebase, etc., the Android SDK needs to fetch the required configuration from the Control Plane. If you are using the Control Plane Lite utility to host your own Control Plane, then follow the steps in this section and specify controlPlaneUrl in yourRudderConfig.Builder that points to your hosted source configuration file.
controlPlaneUrl parameter during SDK initialization if you are using the dashboard from RudderStack Cloud Dashboard. This parameter is supported only if you are using our open-source Control Plane Lite to self-host your Control Plane.Setting the Android device token
You can set your device-token for push notification to be sent to the destinations that support Push Notification. We set the token under context.device.token.
Follow the code snippets below:
RudderClient.putDeviceToken("your_device_token")RudderClient.putDeviceToken("your_device_token");Setting the advertisement ID
By default, RudderStack collects the advertisement ID only if the following three conditions are met:
withAutoCollectAdvertIdis set totrueduring the SDK initialization, as shown:
val rudderClient = RudderClient.getInstance(    this,    WRITE_KEY,    RudderConfig.Builder()        .withDataPlaneUrl(DATA_PLANE_URL)        .withTrackLifecycleEvents(true)        .withRecordScreenViews(true)        .withAutoCollectAdvertId(true)        .build())com.google.android.gms.ads.identifier.AdvertisingIdClientis present in your application's class path.limitAdTrackingis not enabled for your device.
To set your own advertisement ID, you can use the putAdvertisingId method, as shown:
RudderClient.putAdvertisingId(<ADVERTISING_ID>);RudderStack sets gaid under context.device.advertisementId.
Anonymous ID
We use the deviceId as anonymousId by default. You can use the following method to override and use your own anonymousId with the SDK.
An example of setting the anonymousId is shown below:
RudderClient.putAnonymousId(<ANONYMOUS_ID>);To retrieve the anonymousId, you can use the following method:
RudderClient.getAnonymousId();The method getAnonymousId is available from v1.0.11 onwards.
Filtering events
When sending events to a destination via the device mode, you can explicitly specify which events should be discarded or allowed to flow through - by allowlisting or denylisting them.
Refer to the Client-side Event Filtering guide for more information on this feature.
Enabling/disabling events for specific destinations
The RudderStack Android SDK allows you to enable or disable event flow to a specific destination or all the destinations to which the source is connected. You can specify these destinations by creating a RudderOption object as shown:
val option = RudderOption()//default value for `All` is trueoption.putIntegration("All", false)// specifying destination by its display nameoption.putIntegration("Google Analytics", true)option.putIntegration(<DESTINATION DISPLAY NAME>, <boolean>)// specifying destination by its Factory objectoption.putIntegration(AppcenterIntegrationFactory.FACTORY,true);option.putIntegration(<RudderIntegration.FACTORY>,<boolean>);RudderOption option = new RudderOption();// default value for `All` is trueoption.putIntegration("All", false);// specifying destination by its display nameoption.putIntegration("Google Analytics", true);option.putIntegration(<DESTINATION DISPLAY NAME>, <boolean>);// specifying destination by its Factory objectoption.putIntegration(AppcenterIntegrationFactory.FACTORY,true);option.putIntegration(<RudderIntegration.FACTORY>,<boolean>);The keyword All in the above snippet represents all the destinations the source is connected to. Its value is set to true by default.
Make sure the destination display name that you pass while specifying the destinations should exactly match the destination name as shown here.
You can pass the destination(s) specified in the above snippet to the SDK in two ways:
1. Passing destinations while initializing the SDK
This is helpful when you want to enable/disable sending the events across all the event calls made using the SDK to the specified destination(s).
var rudderClient = RudderClient.getInstance(            this,            <WRITE_KEY>,            RudderConfig.Builder()                .withDataPlaneUrl(<DATA_PLANE_URL>)                .withLogLevel(RudderLogger.RudderLogLevel.DEBUG)                .withTrackLifecycleEvents(false)                .withRecordScreenViews(false)                .build(),            option // passing the rudderoption object containing the list of destination(s) you specified        )RudderClient client = RudderClient.getInstance(                this,                <WRITE_KEY>,                new RudderConfig.Builder()                        .withEndPointUri(<END_POINT_URL>)                        .build(),                option // passing the rudderoption object containing the list of destination(s) you specified        );2. Passing destinations while making event calls
This approach is helpful when you want to enable/disable sending only a particular event to the specified destination(s) or if you want to override the specified destinations passed with the SDK initialization for a particular event.
rudderClient.track(                    "Product Added",                    RudderProperty()                            .putValue("product_id", "product_001"),                    option // passing the rudderoption object containing the list of destination you specified            )rudderClient.track(                "Product Added",                new RudderProperty()                        .putValue("product_id", "product_001"),                option // passing the rudderoption object containing the list of destination(s) you specified        );If you specify the destinations both while initializing the SDK as well as while making an event call, then the destinations specified at the event level only will be considered.
External ID
You can pass your custom userId along with standard userId in your identify calls. We add those values under context.externalId. The following code snippet shows a way to add externalId to your identify request.
rudderClient.identify(    "sampleUserId",    RudderTraits().putFirstName("First Name"),    RudderOption()        .putExternalId("brazeExternalId", "some_external_id"))Tracking user sessions
By default, the Android SDK automatically tracks the user sessions. This means that RudderStack automatically determines the start and end of a user session depending on the inactivity time configured in the SDK (default time is 5 minutes).
withTrackLifecycleEvents should also be set to true. This is because RudderStack considers the Application Opened, Application Installed, or Application Updated events as the start of a new session.val rudderClient = RudderClient.getInstance(    this,    WRITE_KEY,    RudderConfig.Builder()        .withDataPlaneUrl(DATA_PLANE_URL)        .withAutoSessionTracking(true)  // Set to false to disable automatic session tracking        .withSessionTimeoutMillis(5*60*1000)        .build())RudderClient rudderClient = RudderClient.getInstance(    this,    WRITE_KEY,    new RudderConfig.Builder()        .withDataPlaneUrl(DATA_PLANE_URL)        .withAutoSessionTracking(true) // Set to false to disable automatic session tracking        .withSessionTimeoutMillis(5*60*1000)        .build());To disable automatic session tracking, set withAutoSessionTracking to false.
Debugging
If you run into any issues regarding the RudderStack Android SDK, you can turn on the VERBOSE or DEBUG logging to find out what the issue is. To turn on the logging, change your RudderClient initialization to the following:
val rudderClient: RudderClient = RudderClient.getInstance(this,YOUR_WRITE_KEY,RudderConfig.Builder().withDataPlaneUrl(DATA_PLANE_URL).withLogLevel(RudderLogger.RudderLogLevel.DEBUG).build())RudderClient rudderClient = RudderClient.getInstance(    this,    YOUR_WRITE_KEY,    new RudderConfig.Builder()        .withDataPlaneUrl(DATA_PLANE_URL)        .withLogLevel(RudderLogger.RudderLogLevel.DEBUG)        .build());Developing a device mode destination
You can easily develop a device mode destination in case RudderStack doesn't support it already, by following the steps listed in this section.
- Create a 
CustomFactoryclass by extendingRudderIntegration.java, as shown: 
import androidx.annotation.NonNull;import androidx.annotation.Nullable;
import com.rudderstack.android.sdk.core.RudderClient;import com.rudderstack.android.sdk.core.RudderConfig;import com.rudderstack.android.sdk.core.RudderIntegration;import com.rudderstack.android.sdk.core.RudderLogger;import com.rudderstack.android.sdk.core.RudderMessage;
public class CustomFactory extends RudderIntegration<CustomFactory> {    private static final String FACTORY_KEY = "Custom Factory";
    public static Factory FACTORY = new Factory() {        @Override        public RudderIntegration<?> create(Object settings, RudderClient client, RudderConfig rudderConfig) {            return new CustomFactory(client,rudderConfig);        }
        @Override        public String key() {            return FACTORY_KEY;        }    };
    private CustomFactory(@NonNull RudderClient client, RudderConfig config) {
    }
    private void processRudderEvent(RudderMessage element) {        System.out.println("Processing RudderEvent of type "+element.getType());
    }
    @Override    public void reset() {        System.out.println("Reset is called");    }
    @Override    public void flush() {        System.out.println("Flush is called");    }
    @Override    public void dump(@Nullable RudderMessage element) {        try {            if (element != null) {                processRudderEvent(element);            }        } catch (Exception e) {            RudderLogger.logError(e);        }    }
    @Override    public CustomFactory getUnderlyingInstance() {        return this;    }}Some pointers to keep in mind:
- You can use the constructor of the 
CustomFactoryclass to initialize the native SDK of the device mode destination you are working on. - RudderStack's Android SDK dumps every event it receives to the 
dump()method of theCustomFactoryclass. From here, you can process the event and hand it over to the native SDK of the device mode destination. - The SDK also triggers the 
reset()method of theCustomFactoryclass on everyreset()call made via the SDK. You can use this to handle the destination-specific reset. - RudderStack's Android SDK also triggers the 
flush()method of theCustomFactoryclass on everyflush()call made via the SDK which you can use to handle the destination-specific reset logic. You can make aflushcall using the SDK as shown below: 
rudderClient.flush()rudderClient.flush();- Make sure you return a valid value from 
getUnderlyingInstance()as it is used by the Android SDK to validateCustomFactory. - Make sure you do not duplicate the value of 
FACTORY_KEYacross multipleCustomFactorythat you develop. - Register 
CustomFactorywith the RudderStack Android SDK during its initialization, as shown: 
var rudderClient = RudderClient.getInstance(            this,            WRITE_KEY,            RudderConfig.Builder()                .withDataPlaneUrl(DATA_PLANE_URL)                .withTrackLifecycleEvents(false)                .withRecordScreenViews(false)                .withCustomFactory(CustomFactory.FACTORY)                .build())That's it! Your Device Mode destination is good to go.
FAQs
Do I need to add anything to my proguard-rules?
If you are facing any issues regarding event delivery in a production environment, add the following line in your proguard rule:
-keep class com.rudderstack.android.** { *; }What is the Android version required to set up the RudderStack Android SDK?
We currently support API 14: Android 4.0 (IceCreamSandwich) or higher.
I don't have an Application class to initialize my RudderStack client. What do I do?
Follow our guide on How to Add an Application Class to Your Android App to add an Application class.
How do I set the Android permissions?
Please refer to the Setting the Android Permission section above to do this.
Can I use the library with Maven?
Yes, you can use the library with maven.
<dependency>  <groupId>com.rudderstack.android.sdk</groupId>  <artifactId>core</artifactId>  <version>latest_version</version>  <type>pom</type></dependency>How do I check whether a specific event is getting fired or not?
Using the following command in the Logcat tool once you set the logLevel to VERBOSE.
adb logcat -s RudderSDK:V \    -v tag -e "EventRepository: dump: message:"How do I get the user traits after making the identify call?
You can get the user traits after making an identify call as shown in the following snippet:
val traits = rudderClient!!.getRudderContext().getTraits()Map<String , Object> traitsObj = rudderClient.getRudderContext().getTraits();Can I disable event tracking until the user gives their consent?
Yes, you can.
RudderStack gives you the ability to disable tracking any user activity until the user gives their consent, by leveraging the optOut API. This is required in cases where your app is audience-dependent (e.g. minors) or where you're using the app to track the user events (e.g. EU users) to meet the data protection and privacy regulations.
The optOut API takes true or false as a Boolean value to enable or disable tracking user activities. So, to disable user tracking, you can use the optOut API as shown:
rudderClient.optOut(true)Once the user gives their consent, you can enable user tracking again, as shown:
rudderClient.optOut(false)For more information on the optOut API, refer to the Enabling/Disabling User Tracking via optOut API section above.
You only need to call the optOut API with the required parameter once, as the information persists within the device even if you reboot it.
How does the SDK handle different client/server errors?
In case of client-side errors, e.g. if the source write key passed to the SDK is incorrect, RudderStack gives you a 400 Bad Request response and aborts the operation immediately.
For other types of network errors (e.g. Invalid Data Plane URL), the SDK tries to flush the events to RudderStack in an incremental manner (every 1 second, 2 seconds, 3 seconds, and so on).
Contact us
For more information on the topics covered on this page, email us or start a conversation in our Slack community.