Native - Basic Implementation

Integrating the SDK into Your Native iOS/Android App

Introduction

In this article, we will learn how to integrate the SDK into your native iOS or Android app.

Highlights

  • Minimal Integration Points: Few points of integration.
  • Handling Blocked Requests: Manage blocked requests effectively.
  • Challenge Notifications: Get notified when a challenge is solved or canceled.
    • Benefits: Great for analytics, logs, etc.
    • Caution: Not recommended to use as a trigger for resending URL requests.
  • No URL Request Interception: The SDK does not intercept your URL requests.

Note:

  • Android: Requires your app to use OkHttp which supports Interceptors.
  • iOS: Requires your app to use URLSession or any third-party library based on it.

Topics Covered

How to Start the SDK

  • Initialize Early: Start the SDK as soon as possible in your app's lifecycle to ensure all URL requests include the SDK's HTTP headers. Delaying SDK initialization may result in requests being blocked by HUMAN's Enforcer.
    • Android: Initialize in the Application's onCreate method.
    • iOS: Initialize in the AppDelegate's didFinishLaunchingWithOptions method.
  • Main Thread: Start the SDK on the main thread.

Example Implementation

Android

Kotlin:

import android.app.Application
import com.humansecurity.mobile_sdk.HumanSecurity
import com.humansecurity.mobile_sdk.main.policy.HSPolicy
import com.humansecurity.mobile_sdk.main.policy.HSAutomaticInterceptorType

class MainApplication : Application() {

    override fun onCreate() {
        super.onCreate()
        startHumanSDK()
    }

    private fun startHumanSDK() {
        try {
            val policy = HSPolicy().apply {
                automaticInterceptorPolicy.interceptorType = HSAutomaticInterceptorType.NONE
            }

            HumanSecurity.start(this, "<APP_ID>", policy)
        } catch (exception: Exception) {
            println("Exception: ${exception.message}")
        }
    }
}

Java:

import android.app.Application;
import android.util.Log;
import com.humansecurity.mobile_sdk.HumanSecurity;
import com.humansecurity.mobile_sdk.main.policy.HSPolicy;
import com.humansecurity.mobile_sdk.main.policy.HSAutomaticInterceptorType;

public class MainApplication extends Application {

    @Override
    public void onCreate() {
        super.onCreate();
        startHumanSDK();
    }

    void startHumanSDK() {
        try {
            HSPolicy policy = new HSPolicy();
            policy.getAutomaticInterceptorPolicy().setInterceptorType(HSAutomaticInterceptorType.NONE);

            HumanSecurity.INSTANCE.start(this, "<APP_ID>", policy);
        } catch (Exception exception) {
            Log.e("MainApplication", "Error: " + exception.getMessage());
        }
    }
}

iOS

Swift:

import UIKit
import HUMAN

@main
class AppDelegate: UIResponder, UIApplicationDelegate {

    func application(_ application: UIApplication, didFinishLaunchingWithOptions launchOptions: [UIApplication.LaunchOptionsKey: Any]?) -> Bool {
        startHumanSDK()
        return true
    }

    func startHumanSDK() {
        do {
            let policy = HSPolicy()
            policy.automaticInterceptorPolicy.interceptorType = .none

            try HumanSecurity.start(appId: "<APP_ID>", policy: policy)
        } catch {
            print("Error: \(error)")
        }
    }
}

Objective-C:

@import HUMAN;

@implementation AppDelegate

- (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions {
    [self startHumanSDK];
    return YES;
}

- (void)startHumanSDK {
    HSPolicy *policy = [[HSPolicy alloc] init];
    policy.automaticInterceptorPolicy.interceptorType = HSAutomaticInterceptorTypeNone;

    NSError *error = nil;
    [HumanSecurity startWithAppId:@"<APP_ID>" policy:policy error:&error];
    if (error != nil) {
        NSLog(@"Error: %@", error);
    }
}

@end

Important: Don't forget to replace <APP_ID> with your actual AppID.

Explanation of the Code

  1. Initialization: Start the SDK as early as possible on the main thread to ensure all URL requests include the necessary HTTP headers.
  2. Policy Configuration: Create an HSPolicy instance to configure the SDK's behavior. Set the automaticInterceptorPolicy.interceptorType to HSAutomaticInterceptorType.NONE to disable automatic interception of URL requests.
  3. Starting the SDK: Call the HumanSecurity.start(appId:policy:) function with the application instance (Android only), your AppID, and the configured policy.

Notes:

  • iOS: The Automatic Interception uses URLSessionConfiguration.default. If your app uses a custom configuration, set it in the policy using HSAutomaticInterceptorPolicy.urlSessionConfiguration.
  • Multiple AppIDs: If your app communicates with multiple servers having different AppIDs, use the HumanSecurity.start(appIds:policy:) function to pass an array of AppIDs and specify the relevant AppID for each API call.

Bot Defender Integration

How to Add SDK’s HTTP Headers to Your URL Requests and Handle Blocked Requests

  • Automatic Header Addition: The SDK provides HTTP headers that should be added to your app's URL requests. It is essential that these HTTP headers are included in every URL request.
  • No Caching of Headers: Do not cache these HTTP headers as they contain a token with an expiration date. The SDK manages this token to ensure it is always up-to-date.
  • Automatic Handling of Blocked Requests: The SDK handles blocked requests and presents a challenge to the user automatically.

Example Implementation

Android

In this example, we assume your app uses OkHttp or Ktor. We recommend creating a custom Interceptor for this task. However, you may use any HTTP client of your choice and implement the same logic.

Kotlin:

import com.humansecurity.mobile_sdk.HumanSecurity
import okhttp3.Interceptor
import okhttp3.Response
import okhttp3.ResponseBody.Companion.toResponseBody

class BotDefenderInterceptor : Interceptor {

    override fun intercept(chain: Interceptor.Chain): Response {
        val newRequest = chain.request().newBuilder()
        val humanHttpHeaders = HumanSecurity.BD.headersForURLRequest("<APP_ID>")
        for ((key, value) in humanHttpHeaders) {
            newRequest.header(key, value)
        }
        val response = chain.proceed(newRequest.build())
        if (!response.isSuccessful) {
            response.body?.string()?.let { responseString ->
                val isHandled = HumanSecurity.BD.handleResponse(responseString) { result ->
                    println("Challenge result = $result")
                }
                if (isHandled) {
                    println("Blocked response was handled by the SDK")
                    return response.newBuilder()
                        .body(HumanSecurity.BD.errorBody(HSBotDefenderErrorType.REQUEST_WAS_BLOCKED).toResponseBody())
                        .build()
                }
            }
        }
        return response
    }
}

Kotlin (OkHttp):

import com.humansecurity.mobile_sdk.HumanSecurity
import com.humansecurity.mobile_sdk.main.HSBotDefenderErrorType
import okhttp3.OkHttpClient
import okhttp3.Request

class MyHttpClient {

    private val okHttpClient: OkHttpClient = OkHttpClient.Builder()
        .addInterceptor(BotDefenderInterceptor()) // SHOULD BE THE LAST INTERCEPTOR
        .build()

    fun sendRequest(url: String) {
        try {
            val request: Request = Request.Builder().url(url).build()
            okHttpClient.newCall(request).execute().use { response ->
                if (!response.isSuccessful) {
                    response.body?.string()?.let { responseBody ->
                        when (HumanSecurity.BD.errorType(responseBody)) {
                            HSBotDefenderErrorType.REQUEST_WAS_BLOCKED -> {
                                println("Request was blocked")
                            }
                            else -> {
                                println("Unknown error")
                            }
                        }
                    }
                }
            }
        } catch (exception: Exception) {
            println("Request failed. Exception: $exception")
        }
    }
}

Kotlin (Ktor):

import com.humansecurity.mobile_sdk.HumanSecurity
import io.ktor.client.*
import io.ktor.client.call.body
import io.ktor.client.engine.okhttp.*
import io.ktor.client.request.*
import io.ktor.client.statement.*

class MyHttpClient {

    private val httpClient: HttpClient = HttpClient(OkHttp) {
        engine {
            addInterceptor(BotDefenderInterceptor()) // SHOULD BE THE LAST INTERCEPTOR
        }
    }

    suspend fun sendRequest(url: String) {
        try {
            val response: HttpResponse = httpClient.request(url) {}
            val responseBody = response.body<String>()
            when (HumanSecurity.BD.errorType(responseBody)) {
                HSBotDefenderErrorType.REQUEST_WAS_BLOCKED -> {
                    println("Request was blocked")
                }
                else -> {
                    println("Unknown error")
                }
            }
        } catch (exception: Exception) {
            println("Request failed. Exception: $exception")
        }
    }
}

Java:

import com.humansecurity.mobile_sdk.HumanSecurity;
import com.humansecurity.mobile_sdk.main.HSBotDefenderErrorType;
import java.util.HashMap;
import android.util.Log;
import java.io.IOException;
import okhttp3.Interceptor;
import okhttp3.Request;
import okhttp3.Response;
import okhttp3.ResponseBody;
import okhttp3.MediaType;

public class BotDefenderInterceptor implements Interceptor {

    @Override
    public Response intercept(Chain chain) throws IOException {
        Request.Builder newRequest = chain.request().newBuilder();
        HashMap<String, String> humanHttpHeaders = HumanSecurity.INSTANCE.getBD().headersForURLRequest("<APP_ID>");
        for (HashMap.Entry<String, String> entry : humanHttpHeaders.entrySet()) {
            String key = entry.getKey();
            String value = entry.getValue();
            newRequest.header(key, value);
        }
        Response response = chain.proceed(newRequest.build());
        if (!response.isSuccessful()) {
            ResponseBody responseBody = response.body();
            if (responseBody != null) {
                String responseString = responseBody.string();
                boolean didHandleResponse = HumanSecurity.INSTANCE.getBD().handleResponse(responseString, result -> {
                    Log.i("BotDefenderInterceptor", "Challenge result = " + result);
                    return null;
                });
                if (didHandleResponse) {
                    Log.i("BotDefenderInterceptor", "Blocked response was handled by the SDK");
                    return response.newBuilder()
                        .body(ResponseBody.create(HumanSecurity.INSTANCE.getBD().errorBody(HSBotDefenderErrorType.REQUEST_WAS_BLOCKED), MediaType.parse("application/json")))
                        .build();
                }
            }
        }
        return response;
    }
}
import com.humansecurity.mobile_sdk.HumanSecurity;
import android.util.Log;
import okhttp3.OkHttpClient;
import okhttp3.Request;
import okhttp3.Response;
import okhttp3.ResponseBody;

public class MyHttpClient {

    private final OkHttpClient httpClient = new OkHttpClient.Builder()
            .addInterceptor(new BotDefenderInterceptor()) // SHOULD BE THE LAST INTERCEPTOR
            .build();

    void sendRequest(String url) {
        Runnable r = () -> {
            try {
                Request request = new Request.Builder().url(url).build();
                Response response = httpClient.newCall(request).execute();
                ResponseBody responseBody = response.body();
                String responseString = null;
                if (responseBody != null) {
                    responseString = responseBody.string();
                    response.close();
                }
                if (!response.isSuccessful() && responseString != null) {
                    switch (HumanSecurity.INSTANCE.getBD().errorType(responseString)) {
                        case REQUEST_WAS_BLOCKED:
                            Log.i("MyHttpClient", "Request was blocked");
                            break;
                        default:
                            Log.i("MyHttpClient", "Unknown error");
                            break;
                    }
                }
            } catch (Exception exception) {
                Log.i("MyHttpClient", "Request failed. Exception: " + exception);
            }
        };
        new Thread(r).start();
    }
}

iOS

Using URLSession:

Swift:

import HUMAN

class MyHttpClient {

    func sendUrlRequest(url: URL) {
        var request = URLRequest(url: url)
        let myHttpHeaders = [String: String]()

        // Configure your request and HTTP headers...

        let humanHttpHeaders = HumanSecurity.BD.headersForURLRequest(forAppId: "<APP_ID>")
        request.allHTTPHeaderFields = myHttpHeaders.merging(humanHttpHeaders) { $1 }

        let dataTask = URLSession.shared.dataTask(with: request) { data, response, error in
            if let data = data, let response = response as? HTTPURLResponse {
                let isHandled = HumanSecurity.BD.handleResponse(response: response, data: data) { result in
                    print("Challenge result = \(result)")
                }
                if isHandled {
                    print("Blocked response was handled by the SDK")
                }
            }
        }
        dataTask.resume()
    }
}

Objective-C:

@import HUMAN;

@implementation MyHttpClient

- (void)sendUrlRequest:(NSURL *)url {
    NSMutableURLRequest *request = [NSMutableURLRequest requestWithURL:url];
    NSMutableDictionary<NSString *, NSString *> *myHttpHeaders = [[NSMutableDictionary alloc] init];

    // Configure your request and HTTP headers...

    NSDictionary<NSString *, NSString *> *humanHttpHeaders = [HumanSecurity.BD headersForURLRequestForAppId:@"<APP_ID>"];
    NSMutableDictionary<NSString *, NSString *> *allHTTPHeaderFields = [[NSMutableDictionary alloc] init];
    [allHTTPHeaderFields addEntriesFromDictionary:myHttpHeaders];
    [allHTTPHeaderFields addEntriesFromDictionary:humanHttpHeaders];
    request.allHTTPHeaderFields = allHTTPHeaderFields;

    NSURLSessionDataTask *dataTask = [NSURLSession.sharedSession dataTaskWithRequest:request completionHandler:^(NSData *data, NSURLResponse *response, NSError *error) {
        BOOL isHandled = [HumanSecurity.BD handleResponseWithResponse:response data:data callback:^(enum HSBotDefenderChallengeResult result) {
            NSLog(@"Challenge result = %ld", (long)result);
        }];
        if (isHandled) {
            NSLog(@"Blocked response was handled by the SDK");
        }
    }];
    [dataTask resume];
}

@end

Using Alamofire:

Swift:

import Alamofire
import HUMAN

class MyHttpClient {

    func sendUrlRequest(url: URL) {
        var myHttpHeaders = [String: String]()

        // Configure your HTTP headers...

        let humanHttpHeaders = HumanSecurity.BD.headersForURLRequest(forAppId: "<APP_ID>")
        let allHTTPHeaderFields = myHttpHeaders.merging(humanHttpHeaders) { $1 }

        AF.request(url, headers: HTTPHeaders(allHTTPHeaderFields)).response { response in
            if let data = response.data, let httpResponse = response.response {
                let isHandled = HumanSecurity.BD.handleResponse(response: httpResponse, data: data) { result in
                    print("Challenge result = \(result)")
                }
                if isHandled {
                    print("Blocked response was handled by the SDK")
                }
            }
        }
    }
}

Explanation of the Code

  1. Adding HTTP Headers: Retrieve the SDK's HTTP headers using HumanSecurity.BD.headersForURLRequest("<APP_ID>") and add them to your URL requests.
  2. Sending the Request: Execute the URL request using your configured HTTP client.
  3. Handling the Response: Use the SDK to determine if the received error indicates a "blocked request." If so, the SDK presents a challenge to the user.

Note: While your request handler is called, the SDK presents a challenge to the user.

What to Do When a Request Is Blocked

  • Handle as a Failure: Treat blocked requests as failures. Ensure that your app's UI reflects that the action can be retried after the challenge is solved or canceled by the user. If the request was triggered by a user's action, inform the user that they may retry the same action.
  • Use Handler Callback for Analytics: Utilize the handler callback to log analytics, create logs, etc.
  • Optional Request Retry: You may use the handler callback to retry the original request when appropriate. Consider the following:
    1. Callback Scope: The callback is called outside the original request's scope. Ensure your app handles this correctly.
    2. Challenge Cancellation: If the challenge is canceled by the user, do not retry the request to avoid it being blocked again.
    3. Retry Block Possibility: The retry attempt may also be blocked. Do not assume it will succeed.

Understanding the Block Response

  1. Enforcer Decision: When HUMAN's Enforcer decides to block a request, it returns a JSON string in the response body with an HTTP status code of 403. Example response:

    {
      "vid": "928d7ab3-9cf1-11ee-a624-b802520f369f",
      "appId": "PXj9y4Q8Em",
      "action": "captcha",
      "collectorUrl": "https://collector-pxj9y4q8em.perimeterx.net"
    }
    

    Note: This JSON contains metadata for the SDK.

  2. Passing Response to SDK: Your app should pass the entire JSON response to the SDK via the HSBotDefender.handleResponse(response:data:callback:) function. If not, the SDK won't present a challenge to the user.

Setting Custom Parameters for Bot Defender (Optional)

You can configure HUMAN's backend with additional parameters by setting custom parameters.

  • Android: Use a HashMap<String, String>.
  • iOS: Use a Dictionary<String, String>.

Key Format: Use keys in the format custom_param[x], where [x] is a number between 1-10.

Important: Call the HSBotDefender.setCustomParameters(parameters:forAppId:) function only after the HumanSecurity.start(appId:policy:) function has been called.

Example Implementation

Android

Kotlin:

import com.humansecurity.mobile_sdk.HumanSecurity

fun setCustomParametersForBotDefender() {
    try {
        val customParameters = HashMap<String, String>().apply {
            put("custom_param1", "hello")
            put("custom_param2", "world")
        }
        HumanSecurity.BD.setCustomParameters(customParameters, "<APP_ID>")
    } catch (exception: Exception) {
        println("Exception: ${exception.message}")
    }
}

Java:

import com.humansecurity.mobile_sdk.HumanSecurity;
import java.util.HashMap;
import android.util.Log;

void setCustomParametersForBotDefender() {
    try {
        HashMap<String, String> customParameters = new HashMap<>();
        customParameters.put("custom_param1", "hello");
        customParameters.put("custom_param2", "world");
        HumanSecurity.INSTANCE.getBD().setCustomParameters(customParameters, "<APP_ID>");
    } catch(Exception exception) {
        Log.e("MainApplication", "Exception: " + exception.getMessage());
    }
}
iOS

Swift:

import HUMAN

func setCustomParametersForBotDefender() {
    do {
        let customParameters: [String: String] = [
            "custom_param1": "hello",
            "custom_param2": "world"
        ]
        try HumanSecurity.BD.setCustomParameters(parameters: customParameters, forAppId: "<APP_ID>")
    } catch {
        print("Error: \(error)")
    }
}

Objective-C:

@import HUMAN;

- (void)setCustomParametersForBotDefender {
    NSMutableDictionary<NSString *, NSString *> *customParameters = [[NSMutableDictionary alloc] init];
    customParameters[@"custom_param1"] = @"hello";
    customParameters[@"custom_param2"] = @"world";

    NSError *error = nil;
    [HumanSecurity.BD setCustomParametersWithParameters:customParameters forAppId:@"<APP_ID>" error:&error];
    if (error != nil) {
        NSLog(@"Error: %@", error);
    }
}

Account Defender Integration

How to Enable Account Defender in Your App

To enable Account Defender, set the UserID of the currently logged-in user in the SDK.

Example Implementation

Android

Kotlin:

import com.humansecurity.mobile_sdk.HumanSecurity

fun onUserLoggedIn(userID: String) {
    try {
        HumanSecurity.AD.setUserId(userID, "<APP_ID>")
    } catch (exception: Exception) {
        println("Exception: ${exception.message}")
    }
}

Java:

import com.humansecurity.mobile_sdk.HumanSecurity;
import android.util.Log;

void onUserLoggedIn(String userID) {
    try {
        HumanSecurity.INSTANCE.getAD().setUserId(userID, "<APP_ID>");
    } catch(Exception exception) {
        Log.e("MainApplication", "Exception: " + exception.getMessage());
    }
}
iOS

Swift:

import HUMAN

func onUserLoggedIn(userID: String) {
    do {
        try HumanSecurity.AD.setUserId(userId: userID, forAppId: "<APP_ID>")
    } catch {
        print("Error: \(error)")
    }
}

Objective-C:

@import HUMAN;

- (void)onUserLoggedIn:(NSString *)userID {
    NSError *error = nil;
    [HumanSecurity.AD setUserIdWithUserId:userID forAppId:@"<APP_ID>" error:&error];
    if (error != nil) {
        NSLog(@"Error: %@", error);
    }
}

How to Notify HUMAN's Backend on Outgoing URL Requests from the App

To enable Account Defender to protect the user's account, your app must provide the SDK with outgoing URL requests.

Android

In this example, we assume your app uses OkHttp or Ktor. We recommend creating a custom Interceptor for this task. However, you may use any HTTP client of your choice and implement the same logic.

Kotlin:

import com.humansecurity.mobile_sdk.HumanSecurity
import okhttp3.Interceptor
import okhttp3.Response

class AccountDefenderInterceptor : Interceptor {

    override fun intercept(chain: Interceptor.Chain): Response {
        Request request = chain.request()
        try {
            HumanSecurity.AD.registerOutgoingUrlRequest(request.url.toString(), "<APP_ID>")
        } catch (exception: Exception) {
            println("Exception: ${exception.message}")
        }
        return chain.proceed(request)
    }
}

Kotlin (OkHttp):

import okhttp3.OkHttpClient
import okhttp3.Request

class MyHttpClient {

    private val okHttpClient: OkHttpClient = OkHttpClient.Builder()
        .addInterceptor(AccountDefenderInterceptor())
        .build()

    fun sendRequest(url: String) {
        try {
            val request: Request = Request.Builder().url(url).build()
            okHttpClient.newCall(request).execute().use { response ->
                // Handle the response...
            }
        } catch (exception: Exception) {
            println("Request failed. Exception: $exception")
        }
    }
}

Kotlin (Ktor):

import io.ktor.client.*
import io.ktor.client.engine.okhttp.*
import io.ktor.client.request.*
import io.ktor.client.statement.*

class MyHttpClient {

    private val httpClient: HttpClient = HttpClient(OkHttp) {
        engine {
            addInterceptor(AccountDefenderInterceptor())
        }
    }

    suspend fun sendRequest(url: String) {
        try {
            val response: HttpResponse = httpClient.request(url) {}
            // Handle the response...
        } catch (exception: Exception) {
            println("Request failed. Exception: $exception")
        }
    }
}

Java:

import com.humansecurity.mobile_sdk.HumanSecurity;
import android.util.Log;
import java.io.IOException;
import okhttp3.Interceptor;
import okhttp3.Request;
import okhttp3.Response;

public class AccountDefenderInterceptor implements Interceptor {

    @Override
    public Response intercept(Chain chain) throws IOException {
        Request request = chain.request();
        try {
            HumanSecurity.INSTANCE.getAD().registerOutgoingUrlRequest(request.url().toString(), "<APP_ID>");
        } catch (Exception exception) {
            Log.i("AccountDefenderInterceptor", "Exception: " + exception.getMessage());
        }
        return chain.proceed(request);
    }
}
import android.util.Log;
import okhttp3.OkHttpClient;
import okhttp3.Request;
import okhttp3.Response;

public class MyHttpClient {

    private final OkHttpClient httpClient = new OkHttpClient.Builder()
            .addInterceptor(new AccountDefenderInterceptor())
            .build();

    void sendRequest(String url) {
        Runnable r = () -> {
            try {
                Request request = new Request.Builder().url(url).build();
                Response response = httpClient.newCall(request).execute();
                // Handle the response...
            } catch (Exception exception) {
                Log.i("MyHttpClient", "Request failed. Exception: " + exception);
            }
        };
        new Thread(r).start();
    }
}

iOS

Swift:

import HUMAN

class MyHttpClient {

    func sendUrlRequest(url: URL) {
        do {
            try HumanSecurity.AD.registerOutgoingUrlRequest(url: url.absoluteString, forAppId: "<APP_ID>")
        } catch {
            print("Error: \(error)")
        }

        // Send the request...
    }
}

Objective-C:

@import HUMAN;

@implementation MyHttpClient

- (void)sendUrlRequest:(NSURL *)url {
    NSError *error = nil;
    [HumanSecurity.AD registerOutgoingUrlRequestWithUrl:url.absoluteString forAppId:@"<APP_ID>" error:&error];
    if (error != nil) {
        NSLog(@"Error: %@", error);
    }

    // Send the request...
}

@end

Setting Additional Data for Account Defender (Optional)

You can configure HUMAN's backend with additional parameters by setting additional data.

  • Android: Use a HashMap<String, String>.
  • iOS: Use a Dictionary<String, String>.

Important: Call the HSAccountDefender.setAdditionalData(parameters:forAppId:) function only after the HumanSecurity.start(appId:policy:) function has been called.

Example Implementation

Android

Kotlin:

import com.humansecurity.mobile_sdk.HumanSecurity

fun setAdditionalDataForAccountDefender() {
    try {
        val additionalData = HashMap<String, String>().apply {
            put("my_key1", "hello")
            put("my_key2", "world")
        }
        HumanSecurity.AD.setAdditionalData(additionalData, "<APP_ID>")
    } catch (exception: Exception) {
        println("Exception: ${exception.message}")
    }
}

Java:

import com.humansecurity.mobile_sdk.HumanSecurity;
import java.util.HashMap;
import android.util.Log;

void setAdditionalDataForAccountDefender() {
    try {
        HashMap<String, String> additionalData = new HashMap<>();
        additionalData.put("my_key1", "hello");
        additionalData.put("my_key2", "world");
        HumanSecurity.INSTANCE.getAD().setAdditionalData(additionalData, "<APP_ID>");
    } catch(Exception exception) {
        Log.e("MainApplication", "Exception: " + exception.getMessage());
    }
}
iOS

Swift:

import HUMAN

func setAdditionalDataForAccountDefender() {
    do {
        let additionalData: [String: String] = [
            "my_key1": "hello",
            "my_key2": "world"
        ]
        try HumanSecurity.AD.setAdditionalData(parameters: additionalData, forAppId: "<APP_ID>")
    } catch {
        print("Error: \(error)")
    }
}

Objective-C:

@import HUMAN;

- (void)setAdditionalDataForAccountDefender {
    NSMutableDictionary<NSString *, NSString *> *additionalData = [[NSMutableDictionary alloc] init];
    additionalData[@"my_key1"] = @"hello";
    additionalData[@"my_key2"] = @"world";

    NSError *error = nil;
    [HumanSecurity.AD setAdditionalDataWithParameters:additionalData forAppId:@"<APP_ID>" error:&error];
    if (error != nil) {
        NSLog(@"Error: %@", error);
    }
}