With our Tap to Pay on Android solution you can accept contactless in-person payments using an Android mobile device as the payment interface, and process these payments on the Adyen payments platform.
Requirements
Before you begin, take into account the following requirements, limitations, and preparations.
| Requirement | Description | 
|---|---|
| Integration type | You must have a POS app that is integrated with Terminal API. | 
| API credentials | You need the following API credentials: 
 | 
| Webhooks | To learn the outcome of refunds, set up Standard webhooks (if this hasn't been done already). | 
| Hardware | An Android commercial off-the-shelf (COTS) mobile device with an integrated NFC reader. Must not be a payment terminal. See Android system requirements for the full hardware and software requirements. | 
| Limitations | Check the countries/regions, payment methods, and functionality that we support for Tap to Pay on Android. | 
| Setup steps | Before you begin: 
 | 
How it works
Sample app
Hit the ground running with our Android sample app.
To build a Tap to Pay on Android solution:
- 
Add the Mobile SDK for Android to your project, using an API key. 
- 
Implement a server-to-server API request to establish a secure communication session. 
- 
In your POS app, enable the transaction functionality of the SDK. The SDK initializes automatically, but you can change that. 
- 
From your POS app, call the warmup function to speed up initiating transactions. 
- 
In your POS app, implement handling payments using the SDK. 
 This creates the following flow:- Your Android POS app creates a Terminal API payment request, or receives a Terminal API payment request from your backend.
- The POS app passes the payment request to the Mobile SDK.
- The SDK initiates the transaction on the card reader.
 To complete the payment, the customer taps the NFC reader on your mobile device with their payment card or phone (or other device) that has a digital wallet like Apple Pay.
- The SDK passes the Terminal API payment response to the POS app.
 
- 
In your POS app, implement handling refunds using the SDK. 
- 
If the same device will be used at multiple locations, implement clearing the communication session. 
1. Add the SDK to your project
You can add the Mobile SDK for Android to your POS app through a private Adyen repository. To get access, you need to have an Adyen API key that is used only for the purpose of getting the SDK.
Our SDK only runs on Android 12 or later. You can still target earlier Android versions, but our SDK will not initialize.
To add the Mobile SDK to your project, you need to create an API credential with an API key that only has the Allow SDK download for POS developers role.
This API key is only meant to be used to get access to the SDK repository. To make a sessions request, you need a different API key.
You can share this API key with anybody in your team who needs to get the SDK, or you can create multiple API keys for internal use.
To add the SDK to your project:
- 
In your Customer Area create an API credential with an API key: - 
Go to Developers > API credentials, and select Create new credential. 
- 
Under Payments > Credential type select Web service user and then select Create credential. 
- 
Under Server settings > Authentication select the API key tab and then select Generate API key. 
- 
Select the copy icon and save your API key in a secure location. 
- 
Go to Permissions > Roles > POS, select Allow SDK download for POS developers, and deselect any other permissions and roles. Contact Support Team if you don't see the Allow SDK download for POS developers role. 
- 
Select Save changes. 
 
- 
- 
In the repositoriesblock of your project, usually defined in yoursettings.gradlefile, add the URL to the remote repository where the SDK is stored, and add the API key that you created in the previous step.dependencyResolutionManagement { //... repositories { google() mavenCentral() maven { url = uri("https://pos-mobile-test.cdn.adyen.com/adyen-pos-android") credentials(HttpHeaderCredentials::class) { name = "x-api-key" value = "<YOUR_API_KEY>" } authentication { create<HttpHeaderAuthentication>("header") } } } }
- 
In your project's build.gradlefile, add the package dependencies.- To find the latest val versioncheck the release notes for the Mobile SDK for Android.
- For the build type, note that -debugcan only access the test environment, and-releasecan only access the live environment.
- In case of other custom build variants, use <buildVariantName>Implementation 'com.adyen.ipp:pos-mobile-<type>:$version'where<type>can be release for production builds, or debug for debug or development builds.
 val version = 2.2.0 debugImplementation 'com.adyen.ipp:pos-mobile-debug:$version' // Be aware that importing additional modules will increase the size of your application. // To optimize your app's size and build times, only include the specific payment features you require. debugImplementation 'com.adyen.ipp:payment-tap-to-pay-debug:$version' debugImplementation 'com.adyen.ipp:payment-card-reader-debug:$version'
- To find the latest 
2. Establish a session
The Mobile SDK has to communicate in a secure way with the Adyen payments platform. For more information, see Communication session.
To authenticate your server-to-server API request for establishing a communication session, you need to have an Adyen API credential in your test Customer Area. This credential must have a client key and an API key with the following role:
- Checkout webservice role. This role is assigned by default when the API key is created.
To add a client key to an existing API credential, create a client key as follows:
- Log in to your Customer Area.
- Go to Developers > API credentials, and select the credential username for your integration, for example ws@Company.[YourCompanyAccount].
- Under Client settings > Authentication select the Client key tab.
- Select Generate client key.
- 
Select Save changes. The client key is part of the setup but is not used later on. Therefore, you do not need to specify allowed origins, and you do not need to save the client key in your system. 
To let your backend establish a session, use the regular endpoint, or the dedicated endpoint for payment facilitators.
- Regular endpoint: /checkout/possdk/v68/sessions
- Payment facilitator endpoint: /softposconfig/v3/auth/certificate
3. Enable transactions
To enable the payments functionality of the Mobile SDK for Android, add code to your Android POS app:
- 
Implement the AuthenticationProviderinterface. Note that you need to extract the sdkData from the server response and create anAuthenticationResponseobject withsdkDatain the constructor. Below is an example of how you could do that, assuming your project uses OkHttp.class MyAuthenticationProvider : AuthenticationProvider() { override suspend fun authenticate(setupToken: String): Result<AuthenticationResponse> { // Make a call to your backend to trigger a `/checkout/possdk/v68/sessions` request, specifying the `setupToken` provided by the SDK val client = OkHttpClient() val request = Request.Builder() .url("ADDRESS_OF_YOUR_BACKEND_API") .build() client.newCall(request).execute().use { response -> response.body?.let { // parse your own back-end response and return AuthenticationResponse //... return Result.success(AuthenticationResponse(sdkData)) } } } }
- 
Implement the MerchantAuthenticationServiceabstract class: in your implementation, provide an instance of yourAuthenticationProviderfrom the previous step. If you use Dagger2/Hilt dependency injection, below is an example of how you could do this:class MyAuthenticationService : MerchantAuthenticationService() { @Inject override lateinit var authenticationProvider: AuthenticationProvider }
- 
Add the service to your POS app's AndroidManifest.xmlfile.<service android:name=".MyAuthenticationService" />
- 
Make sure that the MerchantAuthenticationServicecan provide newsdkDataat any time.
 If there is no session or the session has expired, the service is called using theMerchantAuthenticationService.authenticate(setupToken)callback. Using the providedsetupTokenyou need to get thesdkDatathrough your backend and return it. For instructions, see Establish a session.The Adyen POS Mobile SDK detects the MerchantAuthenticationServiceautomatically. If the SDK fails to detect the service, an error will occur when SDK methods are called. To resolve this, you can manually set the service usingInPersonPayments.setAuthenticationServiceClass().
Manage automatic initialization
The Mobile SDK initializes automatically, using the Android App Startup library. If you prefer to manually initialize the Mobile SDK, add the following code to the POS app's AndroidManifest.xml file to disable the Mobile SDK.
 <provider
     android:name="androidx.startup.InitializationProvider"
     android:authorities="${applicationId}.androidx-startup"
     android:exported="false"
     tools:node="merge">
     <meta-data android:name="com.adyen.ipp.api.InPersonPaymentsInitializer"
               tools:node="remove" />
 </provider>To manually initialize that component at a later point, add the following code to the POS app.
For Mobile SDK version 2.6.0 or later:
 when (val state = InPersonPaymentsTools.initializeManually()){
    InitializationState.SuccessfulInitialization -> {
      // SDK is ready. You can now safely proceed.
    }
    is InitializationState.FailedInitialization -> {
      // Handle initialization failure. Log errors or notify the user.
      Log.e("MyApp", "SDK initialization failed: ${state.failureReasons}")
    }
    else -> Unit
  }For Mobile SDK versions earlier than version 2.6.0:
AppInitializer.getInstance(this)
    .initializeComponent(InPersonPaymentsInitializer::class.java)Initialization status check
To check the status of the SDK initialization, you can use one of the following options.
For Mobile SDK version 2.6.0 or later:
when (val state = InPersonPaymentsTools.getInitializationState()){
    InitializationState.SuccessfulInitialization -> {
        // SDK is ready. You can now safely proceed.
    }
    is InitializationState.FailedInitialization -> {
        // Handle initialization failure. Log errors or notify the user.
        Log.e("MyApp", "SDK initialization failed: ${state.failureReasons}")
    }
    else -> Unit
}or for Mobile SDK versions earlier than version 2.6.0 if you need more precise control over the state flow:
InPersonPayments.initialized
    .filter { it == InitializationState.SuccessfulInitialization } // Wait until it is true.
    .take(1)       // Take only one item.
    .collect { ready ->
        if (ready) {
            val id = InPersonPayments.getInstallationId()
            //...
        }
    }Manage POS app dependency initialization
The code that you add to the Application.onCreate() method is executed for all processes. In some cases, it can be beneficial to skip the re-execution of the code, for example the initialization of your dependency graph or analytics libraries.
The following method evaluates specific conditions and returns a boolean value that indicates whether the initialization should be skipped.
if (InPersonPaymentsTools.shouldSkipAppInitialize(context)) {
    // Perform actions when initialization should be skipped
} else {
    // Proceed with application initialization
}Additionally, you can use the following functions:
- 
suspend InPersonPaymentsTools.getInitializationState(): this function observes the initialization state of the SDK and pauses the calling coroutine until the SDK initialization finishes and reaches a success or failure state. You can use this suspend function if an action in your app depends on the SDK being fully initialized.
- 
suspend InPersonPaymentsTools.initializeManually(): this function triggers initialization of the SDK and waits for the initialization to finish.
4. Use the warm-up function
To speed up initiating transactions, you can use the warm-up function. This function checks for a session, configuration changes, and security checks if needed.
As a best practice, call the warm-up function after the SDK has initialized:
- When the POS app starts.
- When the POS app returns to the foreground.
To call the warm-up function:
InPersonPayments.warmUp()5. Decide on transaction UI options
In this step you decide on the options that are available for customizing the transaction user interface.
If you want the UI to appear in dark mode, you need to enable this options in the settings of your mobile device.
When you start a transaction, you can customize the user interface using merchantUiParameters and the optional fields for the following UI options:
Add a logo
To show a logo on your mobile device during the transaction flow use:
- 
merchantLogo: Format can be SVG (recommended), WEBP, JPEG, or PNG. The logo is shown at 100dp x 32dp (width x height) on top of the payment screen. Trim any transparent pixels from the logo asset, to show your logo as large as possible within the available space.(...) merchantUiParameters = MerchantUiParameters.create( merchantLogo = R.drawable.merchant_logo, // ... )
Configure success screen duration
To specify how long the success screen shows after a successful transaction use:
- 
autoDismissDelay: If not specified, this success screen is dismissed after 4 seconds. You can set a time in milliseconds with a minimum of 0.5 seconds (500L) and a maximum of 4 seconds (4000L).(...) merchantUiParameters = MerchantUiParameters.create( autoDismissDelay = 3.seconds, // ... )
Customize position of the NFC tap indicator
The default UI is designed for devices with the NFC antenna at the top rear. It shows an animation that points at the antenna's location on the back of the device. If the NFC antenna on your device is located in a different position, you can customize the position of the tap indicator on the mobile device screen. You need to identify the position of the device's NFC antenna and use tapToPayUiParameters. Options can be Directional to show a chevron-type arrow, pointing in the specified direction, or Front to a static image of an NFC logo.
- Options for Directionalare:TopCenter, orBottomCenter.
| TopCenter | BottomCenter | 
|---|---|
  (...)
  merchantUiParameters = MerchantUiParameters.create(
      tapToPayUiParameters = TapToPayUiParameters.create(
          animation = TapToPayAnimationType.directional(NfcDirectionalPosition.BottomCenter),
      ),
      // ...
  )- 
Options for Frontare:TopCenter,Center, orBottomCenter.TopCenter Center BottomCenter (...) merchantUiParameters = MerchantUiParameters.create( tapToPayUiParameters = TapToPayUiParameters.create( animation = TapToPayAnimationType.front(NfcFrontPosition.BottomCenter), ), // ... )
Customize position of NFC tap indicator in kiosk mode
When in kiosk mode, the default position of the tap indicator is at the bottom-center of the device screen. You need to identify the position of your mobile device's NFC antenna to customize the position of the NFC tap indicator on your mobile device screen in kiosk mode. Then use TapToPayKioskAnimationType for placement options for the NFC tap indicator. The indicator can either be a static image of an NFC logo (Front) or an animated chevron-type arrow (Directional).
- 
Options for Frontare:TopCenter,Center,BottomCenter,LeftCenter, orRightCenter.TopCenter Center BottomCenter LeftCenter RightCenter (...) merchantUiParameters = MerchantUiParameters.create( kioskModeUiParameters = KioskModeUiParameters.create( tapToPayKioskAnimation = TapToPayKioskAnimationType.front(NfcFrontPosition.TopCenter), ), // ... )
- 
Options for Directionalare:TopLeftFacingLeft,TopLeft,TopCenter,TopRight,TopRightFacingRight,CenterLeft,CenterRight,BottomLeftFacingLeft,BottomLeft,BottomCenter(default value),BottomRight, orBottomRightFacingRight.TopLeft TopCenter TopRight BottomLeft BottomCenter BottomRight BottomLeftFacingLeft TopRightFacingRight BottomRightFacingRight TopLeftFacingLeft CenterLeft CenterRight (...) merchantUiParameters = MerchantUiParameters.create( kioskModeUiParameters = KioskModeUiParameters.create( tapToPayKioskAnimation = TapToPayKioskAnimationType.directional(NfcDirectionalPosition.CenterLeft), ), // ... )
Customize position of PIN input area in kiosk mode
To customize the position of the PIN input area on your mobile device screen in kiosk mode use PinInputAlignment. 
- 
Options are: LeftorRight(default value).Left Right (...) merchantUiParameters = MerchantUiParameters.create( kioskModeUiParameters = KioskModeUiParameters.create( tapToPayKioskAnimation = TapToPayKioskAnimationType.directional(NfcDirectionalPosition.CenterLeft), pinInputAlignment = PinInputAlignment.Right, ), // ... )
Apply kiosk mode on all smaller tablets
To enable kiosk mode on all tablets with a screen width that is smaller than 9 inches, then you need to pass applyToAllTablets = true in your KioskModeUiParameters object. 
- Possible values are:
- true: Globally enables kiosk mode on all tablets within this screen width range.
- false: Disables global kiosk mode enforcement for tablets within this screen width range.
 
6. Handle a payment
In this step you add code to start a transaction with:
- A Terminal API payment request.
- The NFC reader on your mobile device.
To let the Mobile SDK handle transactions:
- 
In your POS app, create a Terminal API payment request with: - 
MessageHeader.POIID: the installation ID of the SDK.- If you create the Terminal API payment request in your POS app, use InPersonPayments.getInstallationId()as thePOIIDin the MessageHeader of the request.
- If you create the Terminal API payment request in the backend, this uses the  installationId from the /checkout/possdk/v68/sessionsresponse.
 
- If you create the Terminal API payment request in your POS app, use 
- 
The remaining MessageHeaderparameters and the request body.For details, see Make a payment and PaymentRequest. 
 
- 
- 
Create an instance of TransactionRequestusingTransactionRequest.create(nexoRequest), and pass the Terminal API payment request from your POS app or backend.val transactionRequest = TransactionRequest.create(nexoRequest)
- 
Get a PaymentInterfacefromInPersonPaymentsusingInPersonPayments.getPaymentInterface(TapToPay).val paymentInterface = InPersonPayments.getPaymentInterface(TapToPay)
- 
Register a listener for the PaymentResultand pass thetransactionResponseto your POS app. This is the Terminal API payment response, including data you can use to generate a receipt.InPersonPayments.registerForPaymentResult(context) { result -> result.fold( onSuccess = { paymentResult: PaymentResult -> /* * Here is your success case logic, for example: * if (paymentResult.success) "Payment Successful" else "Payment Unsuccessful" */ }, onFailure = { error: Throwable -> /* * Here is your failure case logic, for example: * Log.e("InPersonPaymentsResult", "Payment Failed", error) */ }, )
- 
Invoke InPersonPayments.performTransaction()with your transaction data, payment launcher, and authentication service.Then customize the user interface using merchantUiParameterswith the optional fields that you decided on in the previous step. The following example invokesInPersonPayments.performTransaction()and includes parameters to add a custom logo and customizing the position of the NFC tap indicator on your mobile device screen:InPersonPayments.performTransaction( context = this@DevAmountEntryActivity, paymentLauncher = paymentLauncher, paymentInterface = result.paymentInterface, transactionRequest = result.transactionRequest, merchantUiParameters = MerchantUiParameters.create( merchantLogo = R.drawable.merchant_logo, tapToPayUiParameters = TapToPayUiParameters.create( animation = TapToPayAnimationType.front(NfcFrontPosition.TopCenter), ), cardReaderUiParameters = CardReaderUiParameters( animation = CardReaderAnimationType.simplified(Position.CenterLeft), ), ), )The Mobile SDK checks for a session and shows the transaction screen on your mobile device. 
If the shopper does not present their payment method within 30 seconds, the payment request times out. If that happens, you need to make another payment request.
7. Handle a refund
There are two types of refund: referenced and unreferenced. The main difference is that a referenced refund is connected to the original payment, and an unreferenced refund isn't. That makes unreferenced refunds a bit riskier. For an overview of the differences, see Refund a payment.
Refunds are usually not processed synchronously. When you send a request for a referenced or unreferenced refund, the Terminal API response only confirms we received the request.
We inform you about the outcome of the refund asynchronously, through a webhook.
- For a referenced refund, we return a CANCEL_OR_REFUND webhook.
- For an unreferenced refund, we return a REFUND_WITH_DATA webhook.
Depending on the card scheme and country/region where the card is used, unreferenced refunds are sometimes processed synchronously. In that case the Terminal API response includes an acquirerResponseCode to indicate the outcome.
To learn the outcome of a refund, you need to set up webhooks.
Handle a referenced refund
The Terminal API request for a referenced refund is a reversal request. The SDK contains a dedicated function for this.
In your Android POS app, add code for the following steps:
- 
Create a Terminal API reversal request with: - 
MessageHeader.POIID: the installation ID of the SDK.- If you create the Terminal API reversal request in your POS app, use InPersonPayments.getInstallationId()as thePOIIDin the MessageHeader of the request.
- If you create the Terminal API reversal request in the backend, this uses the  installationId from the /checkout/possdk/v68/sessionsresponse.
 
- If you create the Terminal API reversal request in your POS app, use 
- 
The remaining MessageHeaderparameters and the request body.For details, see Referenced refund and ReversalRequest. 
 
- 
- 
Create an instance of TransactionRequestusingTransactionReversalRequest.createReversal(nexoRequest: String), and pass the Terminal API payment request from your POS app or backend.
- 
Register a listener for the PaymentResultand pass thetransactionResponseto your POS app. This is the Terminal API payment response, including data you can use to generate a receipt.val paymentLauncher = InPersonPayments.registerForPaymentResult(this) { refundResult -> // Handle refund response here. //... }
- 
Invoke performReversal()with your transaction data andauthenticationProvider.
 Note thatauthenticationProvideris an implementation of the AuthenticationProvider interface, which extracts thesdkDatafrom the server response.public suspend fun performReversal( TransactionReversalRequest: TransactionReversalRequest, ): Result<PaymentResult>
- 
Check the refundResultthat you receive in thepaymentLaunchercallback.
- 
Pass the refundResultto your POS app.
Handle an unreferenced refund
The Terminal API request for an unreferenced refund is a payment request with an additional paymentType parameter:
/*
 * Assuming you've defined serializable [PaymentRequest] and [PaymentData] classes
 */
val paymentRequest = PaymentRequest(
    paymentData = PaymentData(
        paymentType = PaymentType.Refund,
    ),
)This means you can use the same code as for handling a payment. The only difference is the structure of the Terminal API payment request that you pass as the payload to the TransactionRequest.
For the structure of the Terminal API request, see Unreferenced refund.
8. Diagnose the device
We recommend implementing the Terminal API diagnosis request. This enables you to do the following:
- 
Check for security threats that would block transactions. If threats are detected that an operator can solve, the response includes information about the cause and solution of the problem. 
- 
Check the expiry date of the SDK that is used on the mobile device. Transactions will be blocked if mandatory updates are not carried out. 
In your Android POS app, add code for the following steps:
- 
Create a Terminal API diagnosis request with: - 
MessageHeader.POIID: the installation ID of the SDK.- If you create the Terminal API diagnosis request in your POS app, use InPersonPayments.getInstallationId()as thePOIIDin the MessageHeader of the request.
- If you create the Terminal API diagnosis request in the backend, this uses the  installationId from the /checkout/possdk/v68/sessionsresponse.
 
- If you create the Terminal API diagnosis request in your POS app, use 
- 
The remaining MessageHeaderparameters.
- 
The request body consisting of DiagnosisRequest.HostDiagnosisFlag: set to true, so that the SDK will try to perform a security scan.
 For details, see Diagnose a Mobile SDK solution and DiagnosisRequest. 
- 
- 
Create an instance of DiagnosisRequestusingDiagnosisRequest.create(nexoRequest), and pass the Terminal API diagnosis request from your POS app or backend.val diagnosisRequest = DiagnosisRequest.create(nexoRequest)
- 
Invoke InPersonPayments.performDiagnosis()with your diagnosis data and diagnosis launcher.InPersonPayments.performDiagnosis(diagnosisRequest)
- 
Check the response that you received: - 
Base64-decode the attestationStatusvalue for information about any security issues. If issues are detected that can be resolved by the end user, the resulting JSON object includes messages with the details. These are the same error messages that we show automatically on the end user's mobile device when these issues are detected during a transaction.
- 
See the sdkExpiryfor the date when the installed SDK version expires.
 For a detailed explanation of the response, see Diagnose a Mobile SDK solution. 
- 
9. (Optional) Clear the session token
There are several situations when you need to clear the existing session to remove all session information from your mobile device. When you have cleared the session, configuration updates are fetched and a new session is established when you start a new transaction or call the warm-up function.
As a best practice, clear the session to:
- Re-establish a session after switching between merchant accounts or stores in your POS app and your Customer Area. If the device is reassigned from store A to store B and a transaction is started there, on the Adyen side the transaction will continue to appear to belong to store A instead of store B. Clearing the session prevents this issue.
- Force a refresh of the configuration. After clearing the session, the latest configuration is fetched and stored on your mobile device the next time the Mobile SDK for Android connects to the Adyen backend.
- Test the session establishment flow in your POS app, specifically how it interacts with your and Adyen's backend to securely establish a session with the Mobile SDK for Android.
To clear the session:
- Explicitly clear the communication session using  InPersonPayments.clearSession().
- Establish a new communication session.
9. (Optional) Optimize app size with Play Feature Delivery
It is possible to optimize the size of your Android Mobile SDK-enabled app with Android's Play Feature Delivery.
With Play Feature Delivery, you can separate features from the base module of your app. This means that instead of a large, single download, users initially receive only your app's core functionalities (embedded features). Users can then later download and install the other (dynamic) features on demand. As a result, you will have a smaller initial app size, stay within Google Play's size limits, and provide a faster download experience.
After you have followed the Google Play instructions to set up your app to use Play Feature Delivery, do the following:
- Add this dependency to your app module implementation: com.adyen.ipp:dynamic-base:$version
- Add the other SDK dependencies to your feature module as you would normally do.
Refer to this example implementation of the Adyen POS Mobile SDK using an Android Dynamic Feature Module.
Other supported features
In addition to payments, refunds, and diagnosis, the Mobile solutions support other (payment) features. These are the same features that are supported in Terminal API integrations using Adyen-provided payment terminals.
For some features you need to add parameters to your Terminal API payment request, similar to unreferenced refunds described above. Other features only require enabling the feature for your Adyen account. You can find the details on the pages dedicated to those features. Where the details differ between an integration using payment terminals and a mobile solution, this is clearly indicated.
| Feature | Supported with Tap to Pay Android | 
|---|---|
| Diagnosis |  | 
| Partial authorization |  | 
| Payment |  | 
| Pre-authorization |  | 
| Refund, referenced |  | 
| Refund, unreferenced |  | 
| Store and forward offline payments |  | 
| Surcharge |  | 
| Tax-free shopping |  | 
Test your solution
To make test transactions:
- 
Make sure you are using the test version of the Mobile SDK. 
- 
Initiate a test transaction using the following Adyen point-of-sale test cards to complete the payment: - White-green test card
- Blue-green test card version 2.4 or later
 The instructions are the same for both cards; see either of the pages mentioned above. 
Go live
When you have finished testing your integration and are ready to go live:
- 
If new to Adyen, get a live account. You need to have access to your organization's live Customer Area to generate API credentials for the live environment. 
- 
Get the live SDK. You need to generate a new, live API key exclusively for downloading the SDK. 
- 
Use the live endpoint for establishing a session. To access the live endpoint, you need to generate a new, live API key that is different from the API key used for downloading the SDK. 
- 
Optional. Upload your app to Google Play. 
Get the live SDK
When going live, you need to get the release version of the SDK, which is available on the live repository. To access it, you need to change the repository URL as well as your API key.
To pull in the live version of the SDK:
- 
In your live Customer Area, generate a new API key that only has the Allow SDK download for POS developers role. 
- 
In your project's build.gradlefile, change theURLtohttps://pos-mobile.cdn.adyen.com/adyen-pos-androidand replaceAPI_KEYwith your new API key.
- 
Add the releasedependency to yourbuild.gradlefile.- The live repository has both the debugandreleaseartifacts. The-debugversion can only access the test environment and the-releaseversion can only access the live environment.
- When you have access to the live repository, you no longer need to use the test repository.
- In case of other custom build variants, use <buildVariantName>Implementation 'com.adyen.ipp:pos-mobile-<type>:$version'where<type>can be release (for production builds) or debug (for debug or development builds).
 val version = 2.2.0 releaseImplementation 'com.adyen.ipp:pos-mobile-release:$version' // Be aware that importing additional modules will increase the size of your application. // To optimize your app's size and build times, only include the specific payment features you require. releaseImplementation 'com.adyen.ipp:payment-tap-to-pay-release:$version' releaseImplementation 'com.adyen.ipp:payment-card-reader-release:$version'
- The live repository has both the 
Establish a live session
When going live, you must change the /sessions endpoint as well as the API key that you use to authenticate /sessions requests.
- To access the live endpoint, generate a new API key from your live Customer Area.
- 
The live endpoint URL contains a prefix which is unique to your company account, for example: https://{PREFIX}-checkout-live.adyenpayments.com/checkout/possdk/v68/sessionsGet your {PREFIX}from your live Customer Area under Developers > API URLs > Prefix.