Welcome to the implementation guide for Revolut Pay on Android! This page provides a comprehensive walkthrough for integrating Revolut Pay into your Android application.
From an implementation perspective, integrating Revolut Pay into your Android app with the Revolut Pay SDK involves the following components:
The SDK automatically adapts the user experience based on whether the customer has the Revolut app installed, either by switching to the app or by presenting a secure in-app web flow, requiring no conditional logic in your implementation.
token
via the Merchant API: Create an order.For more information about the order and payment lifecycle, see: Order and payment lifecycle.
Check the following high-level procedure of implementing Revolut Pay in your Android app.
Before you start this tutorial, ensure you have completed the following steps:
Before the Revolut Pay button can be displayed in your app, your client-side code needs to fetch a unique, single-use token
that represents an order. This token
can only be created on your server by making a secure call to the Revolut Merchant API.
This server-side endpoint is a mandatory security requirement. Your secret API key must never be exposed in your Android application.
When a customer taps the Revolut Pay button in your app, your app will call this endpoint. Your endpoint is then responsible for:
amount
, currency
) from your client-side request.token
, in the API response.token
from the response to your app.Later, in the client-side configuration, the createOrder
callback function will call this endpoint to fetch the token
, which is required to initialise the SDK and display the Revolut Pay button.
Below is an example of the JSON response your endpoint will receive from the Merchant API after successfully creating an order. The crucial field to extract and return to your app is the token
.
{
"id": "6516e61c-d279-a454-a837-bc52ce55ed49",
"token": "0adc0e3c-ab44-4f33-bcc0-534ded7354ce",
"type": "payment",
"state": "pending",
"created_at": "2023-09-29T14:58:36.079398Z",
"updated_at": "2023-09-29T14:58:36.079398Z",
"amount": 1000,
"currency": "GBP",
"outstanding_amount": 1000,
"capture_mode": "automatic",
"checkout_url": "https://checkout.revolut.com/payment-link/0adc0e3c-ab44-4f33-bcc0-534ded7354ce",
"enforce_challenge": "automatic"
}
This section covers the one-time setup tasks required to prepare your Android project for the SDK.
Add the mavenCentral()
repository to your project-level build.gradle
file if it's not already there:
allprojects {
repositories {
mavenCentral()
}
}
Add the Revolut Pay SDK dependency to your module-level build.gradle
file:
implementation 'com.revolut:revolutpayments:1.0.0'
implementation 'com.revolut:revolutpay:2.8'
Sync your project with the Gradle files.
The minimum supported Android SDK version is API 21 (Android 5.0).
You need to declare necessary permissions and app-querying capabilities in your AndroidManifest.xml
.
Add internet permission: The SDK required network access.
<uses-permission android:name="android.permission.INTERNET" />
Declare Revolut app query: To allow the SDK to check if the Revolut app is installed, add the <queries>
element.
<queries>
<package android:name="com.revolut.revolut" />
</queries>
A deep link is required for the Revolut app to redirect the user back to your app after payment authorisation.
In your AndroidManifest.xml
, add an <intent-filter>
to the activity that will handle the result.
<activity
android:name=".MainActivity"
android:launchMode="singleTop">
<intent-filter>
<action android:name="android.intent.action.VIEW" />
<category android:name="android.intent.category.DEFAULT" />
<category android:name="android.intent.category.BROWSABLE" />
<data
android:host="payment-return"
android:scheme="myapp" />
</intent-filter>
</activity>
myapp
and payment-return
with a unique scheme and host for your app.launchMode
must be singleTop
to ensure the existing activity instance receives the result instead of creating a new one.In your application's entry point (e.g., the onCreate
method of your Application
class), initialise the Revolut Pay SDK with your public API key.
import com.revolut.revolutpayments.RevolutPayments
import com.revolut.revolutpay.api.revolutPay
import android.net.Uri
// ...
RevolutPayments.revolutPay.init(
environment = RevolutPayEnvironment.SANDBOX, // Or .MAIN
returnUri = Uri.parse("myapp://payment-return"), // Must match the deep link
merchantPublicKey = "<yourPublicApiKey>",
requestShipping = false, // Used for Fast checkout implementation
customer = null
)
This configures the SDK with the environment for testing or live payments and the deep link URI you configured in the previous step.
Now, you will add the Revolut Pay button to your UI and connect it to your backend to handle payments.
You can add the Revolut Pay button to your checkout screen either programmatically or via XML layout.
Create an instance of the button in your activity or fragment code.
import com.revolut.revolutpayments.RevolutPayments
import com.revolut.revolutpay.api.revolutPay
import com.revolut.revolutpay.api.button.ButtonParams
import com.revolut.revolutpay.api.params.Radius
import com.revolut.revolutpay.api.params.Size
import com.revolut.revolutpay.api.params.Variant
import com.revolut.revolutpay.api.params.VariantModes
import com.revolut.revolutpay.api.params.BoxText
// ...
val buttonParams = ButtonParams(
size = Size.LARGE,
radius = Radius.Medium,
variantModes = VariantModes( lightMode = Variant.DARK, darkMode = Variant.LIGHT ),
boxText = BoxText.NONE
)
val revolutPayButton = RevolutPayments.revolutPay.provideButton(
context = this,
params = buttonParams
)
// Add the button to your view hierarchy
your_layout.addView(revolutPayButton)
For more information on available parameters or customising the button's appearance, see: Revolut Pay Android SDK and Revolut Pay button guidelines.
When the customer taps the button, you must fetch the token
from your server and pass it to the SDK to start the payment flow.
Attach a controller to your button and implement the setHandler
callback.
revolutPayButton.createController().apply {
setHandler { flow ->
// This block is executed on button tap.
// 1. Show a loading indicator in your UI.
// 2. Call your backend to create an order.
viewModel.createOrderOnBackend { orderToken ->
// 3. Provide the token to the SDK.
flow.setOrderToken(orderToken = orderToken)
// Optionally, you can configure MIT here, by setting the parameter to `true`
flow.setSavePaymentMethodForMerchant(savePaymentMethodForMerchant = false)
// 4. Allow the SDK to manage its state with the UI lifecycle.
flow.attachLifecycle(viewLifecycleOwner.lifecycle)
// 5. Start the payment confirmation flow.
flow.continueConfirmationFlow()
}
}
// ... attach the result callback in the next step
}
The payment result is delivered back to your app in two parts: the deep link redirect and a callback for updating your UI.
Handle the deep link redirect
In the activity you configured with the <intent-filter>
, override onNewIntent
to pass the incoming URI to the SDK. The SDK processes this URI to determine the payment outcome.
override fun onNewIntent(intent: Intent?) {
super.onNewIntent(intent)
intent?.data?.let { uri ->
// Pass the deep link URI to the Revolut Pay SDK for processing
RevolutPayments.revolutPay.handle(uri)
}
}
Update the UI with the result
The result processed from the deep link is delivered to the OrderResultCallback
. Set this callback on your button controller to update your UI accordingly.
revolutPayButton.createController().apply {
setHandler { /* ... from previous step ... */ }
setOrderResultCallback(object : OrderResultCallback {
override fun onOrderCompleted() {
// Payment successful.
// Hide loading indicator and show a success message.
}
override fun onOrderFailed(throwable: Throwable) {
// Payment failed.
// Hide loading indicator and show an error message.
}
override fun onUserPaymentAbandoned() {
// User cancelled the payment.
// Hide loading indicator and return to checkout.
}
})
}
The callbacks are executed on the main thread. For network operations like creating an order, ensure you switch to a background thread (e.g., using Kotlin Coroutines or RxJava).
The client-side OrderResultCallback
is for UI updates only. Its delivery is not guaranteed due to network conditions or other issues. You must rely on server-to-server webhooks to get the final, authoritative status of a payment before fulfilling the order.
Set up a webhook listener on your server to receive events like ORDER_COMPLETED
and ORDER_PAYMENT_FAILED
. Your order fulfillment logic should be triggered only after receiving a successful payment event via a webhook.
For more information, see: Use webhooks to keep track of the payment lifecycle.
You can enable additional features for enhanced customer experience:
requestShipping = true
during SDK initialisation. This requires your backend to support the Fast checkout flow. See the Fast Checkout guide for details.setSavePaymentMethodForMerchant(savePaymentMethodForMerchant: Boolean)
function the createController
method right after setting the order token. See our guide on charging a saved payment method for details.providePromotionalBannerWidget
method for more details.Fast checkout and MIT are mutually exclusive. You can enable one or the other, but not both in the same transaction.
You can use the promotional banner widget to offer rewards to customers who create a new Revolut account after checkout.
We recommend implementing the promotional banner. Analysis has shown that having the widget can increase conversion to payment by ~5%.
The banner is best placed on your order confirmation or "thank you" screen, which you display after the payment is successfully completed.
To add the banner, call the RevolutPayments.revolutPay.providePromotionalBannerWidget(context: Context, params: PromoBannerParams)
method. This requires BannerParams
, which includes the transactionId
from your server.
// In your order confirmation Activity (e.g., OrderConfirmationActivity.kt)
import com.revolut.revolutpay.api.Currency
import com.revolut.revolutpay.api.params.Customer
import com.revolut.revolutpay.api.params.DateOfBirth
import com.revolut.revolutpay.api.params.PromoBannerParams
import com.revolut.revolutpay.api.revolutPay
import com.revolut.revolutpay.domain.model.CountryCode
import com.revolut.revolutpayments.RevolutPayments
class OrderConfirmationActivity : AppCompatActivity() {
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
setContentView(R.layout.activity_order_confirmation)
// 1. Get the order token you passed to this activity after a successful payment.
// This is the `token` from the order object you received from your server in Step 1.
val orderIdFromServer = intent.getStringExtra("ORDER_ID") ?: ""
// 2. Define the parameters for the banner.
val bannerParams = PromoBannerParams(
transactionId = orderIdFromServer,
paymentAmount = 1000, // Amount in the smallest currency unit (e.g., cents)
currency = Currency.EUR,
customer = Customer(
name = "Example Customer",
email = "example.customer@email.com",
phone = "+441234567890",
dateOfBirth = DateOfBirth(_day = 1, _month = 2, _year = 2000),
country = CountryCode.GB,
)
)
// 3. Create the banner widget.
val promotionalBanner = RevolutPayments.revolutPay.providePromotionalBannerWidget(
context = this,
params = bannerParams
)
// 4. Add the banner to your layout.
// Assuming you have a LinearLayout with id 'banner_container' in your XML file.
val bannerContainer = findViewById<LinearLayout>(R.id.banner_container)
bannerContainer.addView(promotionalBanner)
}
}
To apply a custom theme to the banner, first define a style in a resource file:
<style name="RevolutPay_RevolutPayBanner">
<item name="revolutPay_ColorAccent">#0666EB</item>
<item name="revolutPay_ColorBackground">#F7F7F7</item>
<item name="revolutPay_BannerCornerRadius">12dp</item>
<item name="revolutPay_ComponentCornerRadius">12dp</item>
<item name="revolutPay_StrokeWidth">0dp</item>
<item name="revolutPay_StrokeColor">#BBC4CD</item>
</style>
Then, reference this theme when creating the widget:
val promotionalBanner = RevolutPayments.revolutPay.providePromotionalBannerWidget(
context = this,
params = bannerParams,
themeId = R.style.RevolutPay_RevolutPayBanner
)
For a complete, working implementation, please refer to the example app included in our public SDK repository.
To run the example app:
The Sandbox environment is designed to replicate the production environment's behaviour, with the key difference being the absence of app redirection due to the lack of a sandbox version of the Revolut retail app.
For more information about Revolut Pay payment flows in Sandbox, see: Test flows.
Before going live, use this checklist to test your integration in both the SANDBOX
and MAIN
(production) environments.
mavenCentral()
is in build.gradle
.AndroidManifest.xml
: INTERNET
permission is present.AndroidManifest.xml
: <queries>
tag is present.AndroidManifest.xml
: Deep link <intent-filter>
is configured with a unique scheme/host.launchMode="singleTop"
.returnUri
.token
.onOrderCompleted
callback.onOrderFailed
callback.onUserPaymentAbandoned
callback.ORDER_COMPLETED
webhook.