This is the official documentation for the Amplitude Analytics iOS SDK.
serviceSubscriberCellularProviders and CTCarrier which are deprecated with no replacement starting from iOS 16. Amplitude will keep updated with Apple and re-enable carrier tracking as soon as Apple releases a replacement.Install the iOS SDK with CocoaPods, Carthage or Swift Package Manager
Podfile.pod '', '~> '
pod install in the project directory to install the dependency.Cartfile.
github "" ~> 
Review the Carthage documentation for more information.
File > Swift Package Manager > Add Package Dependency. This opens a dialog that allows you to add a package dependency.https://github.com/ in the search bar.You must initialize the SDK before you can instrument. The API key for your Amplitude project is required.
Usually, you can initialize the SDK in the application:didFinishLaunchingWithOptions: method of your YourAppAppDelegate.m file.
- (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions {
    // Enable sending automatic session events
    [Amplitude instance].defaultTracking.sessions = YES;
    // Initialize SDK
    [[Amplitude instance] initializeApiKey:@"API_KEY"];
    // Set userId
    [[Amplitude instance] setUserId:@"userId"];
    // Log an event
    [[Amplitude instance] logEvent:@"app_start"];
    return YES;
}
func application(_ application: UIApplication, didFinishLaunchingWithOptions launchOptions: [UIApplication.LaunchOptionsKey: Any]?) -> Bool {
    // Enable sending automatic session events
    Amplitude.instance().defaultTracking.sessions = true
    // Initialize SDK
    Amplitude.instance().initializeApiKey("API_KEY")
    // Set userId
    Amplitude.instance().setUserId("userId")
    // Log an event
    Amplitude.instance().logEvent("app_start")
    return true
}
| Name | Description | Default Value | 
|---|---|---|
| eventUploadPeriodSeconds | The amount of time SDK attempts to upload the unsent events to the server or reaches eventUploadThresholdthreshold. | 30 | 
| eventUploadThreshold | SDK attempts to upload after unsent event count exceeds the event upload threshold or reach eventUploadPeriodSecondsinterval. | 30 | 
| eventUploadMaxBatchSize | The maximum number of events sent with each upload request. | 100 | 
| eventMaxCount | The maximum number of unsent events to keep on the device. | 1000 | 
| minTimeBetweenSessionsMillis | When a user closes and reopens the app within minTimeBetweenSessionsMillis milliseconds, the reopen is considered part of the same session and the session continues. Otherwise, a new session is created. The default is 5 minutes. | 5 minutes | 
| trackingSessionEvents | Deprecated. Whether to automatically log start and end session events corresponding to the start and end of a user's session. | NO | 
| setServerUrl | Sends events to a custom URL. | Amplitude HTTP API URL | 
| setOptOut | Opt the user out of tracking. | NO | 
| setTrackingOptions | By default the iOS SDK will track several user properties such as carrier, city, country, ip_address, language, platform, etc. You can use the provided AMPTrackingOptions interface to customize and disable individual fields. | NO | 
| setOffline | Disables sending logged events to Amplitude servers. Events will be sent when set to true. | NO | 
| setIdentifyUploadPeriodSeconds | The amount of time SDK will attempt to batch intercepted identify events. | 30 | 
Beginning with version 8.5.0, you can configure the server zone after initializing the client for sending data to Amplitude's EU servers. The SDK sends data based on the server zone if it's set.
The server zone configuration supports dynamic configuration as well.
For earlier versions, you need to configure the serverURL property after initializing the client.
// For versions starting from 8.5.0
// No need to call setServerUrl for sending data to Amplitude's EU servers
[[Amplitude instance] setServerZone:AMPServerZone.EU];
// For earlier versions
[[Amplitude instance] setServerUrl: @"https://api.eu.amplitude.com"];
// For versions starting from 8.5.0
// No need to call setServerUrl for sending data to Amplitude's EU servers
Amplitude.instance().setServerZone(AMPServerZone.EU)
// For earlier versions
Amplitude.instance().setServerUrl("https://api.eu.amplitude.com")
Events represent how users interact with your application. For example, "Button Clicked" may be an action you want to note.
[[Amplitude instance] logEvent:@"Button Clicked"];
Amplitude.instance().logEvent("Button Click")
Events can also contain properties, which give more context about the event. For example, "hover time" may be a relevant event property for "button click".
NSMutableDictionary *eventProperties = [NSMutableDictionary dictionary];
[eventProperties setValue:@"100ms" forKey:@"Hover Time"];
[[Amplitude instance] logEvent:@"Button Clicked" withEventProperties:eventProperties];
Amplitude.instance().logEvent("Button Clicked", withEventProperties: ["Hover Time": "100ms"] )
User properties help you understand your users at the time they performed some action within your app. For example, you can learn about their device details, their preferences, or language.
Amplitude-iOS's AMPIdentity class manages these features. Identify is for setting the user properties of a particular user without sending any event. The SDK supports these operations on individual user properties: set, setOnce, unset, add, append, prepend, preInsert, postInsert, and remove. Declare the operations via a provided Identify interface. You can chain together multiple operations in a single Identify object.
The AMPIdentify object is passed to the Amplitude client to send to the server. Starting from release v8.15.0, identify events with set operations will be batched and sent with fewer events. This change doesn't affect the result the set operations. The flush interval for batched Identify's can be managed with setIdentifyUploadPeriodSeconds.
set sets the value of a user property. You can also chain together multiple identify calls.
AMPIdentify *identify = [[[AMPIdentify identify] set:@"gender" value:@"female"] set:@"age"
    value:[NSNumber numberWithInt:20]];
[[Amplitude instance] identify:identify];
AMPIdentify *identify = [[[AMPIdentify identify] set:@"gender" value:@"female"] set:@"age"
    value:[NSNumber numberWithInt:20]];
[[Amplitude instance] identify:identify];
setOnce sets the value of a user property only once. Subsequent calls using setOnceare ignored.
AMPIdentify *identify1 = [[AMPIdentify identify] setOnce:@"sign_up_date" value:@"2015-08-24"];
[[Amplitude instance] identify:identify1];
AMPIdentify *identify2 = [[AMPIdentify identify] setOnce:@"sign_up_date" value:@"2015-09-14"];
[[Amplitude instance] identify:identify2]; // Is ignored
let identify1 = AMPIdentify().setOnce("sign_up_date", value: "2015-08-24")
Amplitude.instance().identify(identify1)
let identify2 = AMPIdentify().setOnce("sign_up_date", value: "2015-09-14")
Amplitude.instance().identify(identify2) // Is ignored
add increments a user property by some numerical value. If the user property doesn't have a value set yet, it's initialized to 0 before being incremented.
AMPIdentify *identify = [[[AMPIdentify identify] add:@"karma" value:[NSNumber numberWithFloat:0.123]]
    add:@"friends" value:[NSNumber numberWithInt:1]];
[[Amplitude instance] identify:identify];
let identify = AMPIdentify()
    .add("karma", value: NSNumber(value: 0.123))
    .add("friends",value: NSNumber(value: 1))
Amplitude.instance().identify(identify)
remove removes a value or values from a user property. If the item doesn't exist in the user property, nothing is removed.
NSMutableArray *array = [NSMutableArray array];
[array addObject:@"some_string"];
[array addObject:[NSNumber numberWithInt:56]];
AMPIdentify *identify = [[[AMPIdentify identify] remove:@"ab-tests" value:@"new-user-test"]
    remove:@"some_list" value:array];
[[Amplitude instance] identify:identify];
Use setUserProperties as a shorthand to set multiple user properties at once. This method is a wrapper around Identify.set and identify.
NSMutableDictionary *userProperties = [NSMutableDictionary dictionary];
[userProperties setValue:@"VALUE" forKey:@"KEY"];
[userProperties setValue:@"OTHER_VALUE" forKey:@"OTHER_KEY"];
[[Amplitude instance] setUserProperties:userProperties];
var userProperties: [AnyHashable : Any] = [:]
userProperties["KEY"] = "VALUE"
userProperties["OTHER_KEY"] = "OTHER_VALUE"
Amplitude.instance().userProperties = userProperties
Directly set arrays or use append to generate an array.
NSMutableArray *colors = [NSMutableArray array];
[colors addObject:@"rose"];
[colors addObject:@"gold"];
NSMutableArray *numbers = [NSMutableArray array];
[numbers addObject:[NSNumber numberWithInt:4]];
[numbers addObject:[NSNumber numberWithInt:5]];
AMPIdentify *identify = [[[[AMPIdentify identify] set:@"colors" value:colors] append:@"ab-tests"
    value:@"campaign_a"] append:@"existing_list" value:numbers];
[[Amplitude instance] identify:identify];
var colors: [AnyHashable] = []
colors.append("rose")
colors.append("gold")
var numbers: [AnyHashable] = []
numbers.append(NSNumber(value: 4))
numbers.append(NSNumber(value: 5))
let identify = AMPIdentify().set("colors", value: colors)
    .append("ab-tests", value: "campaign_a")
    .append("existing_list",value: numbers)
Amplitude.instance().identify(identify)
append appends a value or values to a user property array.prepend prepends a value or values to a user property.If the user property doesn't have a value set yet, it's initialized to an empty list before the new values are added. If the user property has an existing value and it's not a list, it's converted into a list with the new value added.
append and prepend don't check for duplicates. For duplicate checking, see preInsert and postInsert.
NSMutableArray *array = [NSMutableArray array];
[array addObject:@"some_string"];
[array addObject:[NSNumber numberWithInt:56]];
AMPIdentify *identify = [[[AMPIdentify identify] append:@"ab-tests" value:@"new-user-test"]
    append:@"some_list" value:array];
[[Amplitude instance] identify:identify];
var array: [AnyHashable] = []
array.append("some_string")
array.append(NSNumber(value: 56))
let identify = AMPIdentify()
    .append("ab-tests", value: "new-user-test")
    .append("some_list",value: array)
Amplitude.instance().identify(identify)
preInsert inserts a value or values to the front of a user property array if it doesn't exist in the array yet.postInsert inserts a value or values to the end of a user property array if it doesn't exist in the array yet.If the user property doesn't exist, it's initialized to an empty list before the new values are pre-inserted. If the user property has an existing value, nothing is inserted.
NSMutableArray *array = [NSMutableArray array];
[array addObject:@"some_string"];
[array addObject:[NSNumber numberWithInt:56]];
AMPIdentify *identify = [[[AMPIdentify identify] preInsert:@"ab-tests" value:@"new-user-test"]
    preInsert:@"some_list" value:array];
[[Amplitude instance] identify:identify];
var array: [AnyHashable] = []
array.append("some_string")
array.append(NSNumber(value: 56))
let identify = AMPIdentify()
    .preInsert("ab-tests", value: "new-user-test")
    .preInsert("some_list",value: array)
Amplitude.instance().identify(identify)
clearUserProperties removes all the current user's user properties.
[[Amplitude instance] clearUserProperties];
Amplitude.instance().clearUserProperties()
remove removes an existing value or values from a user property. If the item doesn't exist in the user property, nothing is removed.
NSMutableArray *array = [NSMutableArray array];
[array addObject:@"some_string"];
[array addObject:[NSNumber numberWithInt:56]];
AMPIdentify *identify = [[[AMPIdentify identify] remove:@"ab-tests" value:@"new-user-test"]
    remove:@"some_list" value:array];
[[Amplitude instance] identify:identify];
var array: [AnyHashable] = []
array.append("some_string")
array.append(NSNumber(value: 56))
let identify = AMPIdentify()
    .remove("ab-tests", value: "new-user-test")
    .remove("some_list", value: array)
Amplitude.instance().identify(identify)
Starting from release v8.17.0, the SDK is able to track more default events now. It can be configured to track the following events automatically:
| Name | Type | Default Value | Description | 
|---|---|---|---|
| defaultTracking.sessions | Optional. boolean | NO | Enables session tracking. This configuration replaces trackingSessionEvents. If value isYES, Amplitude tracks session start and session end events.See Tracking sessions for more information. | 
| defaultTracking.appLifecycles | Optional. boolean | NO | Enables application lifecycle events tracking. If value is YES, Amplitude tracks application installed, application updated, application opened, and application backgrounded events.Event properties tracked includes: [Amplitude] Version,[Amplitude] Build,[Amplitude] Previous Version,[Amplitude] Previous Build,[Amplitude] From BackgroundSee Tracking application lifecycles for more information. | 
| defaultTracking.screenViews | Optional. boolean | NO | Enables screen views tracking. If value is YES, Amplitude tracks screen viewed events.Event properties tracked includes: [Amplitude] Screen NameSee Tracking screen views for more information. | 
| defaultTracking.deepLinks | Optional. boolean | NO | Enables deep link tracking. If value is YES, Amplitude tracks deep link opened events. Note that you still need to callcontinueUserActivityoropenURLmanually for tracking this event.Event properties tracked includes: [Amplitude] Link URL,[Amplitude] Link ReferrerSee Tracking deep links for more information. | 
Use the following code sample to enable default event tracking.
[Amplitude instance].defaultTracking = [AMPDefaultTrackingOptions initWithAllEnabled];
[[Amplitude instance] initializeApiKey:@"API_KEY"];
Amplitude.instance().defaultTracking = AMPDefaultTrackingOptions.initWithAllEnabled()
Amplitude.instance().initializeApiKey("API_KEY")
Disable default event tracking with the following code sample.
[Amplitude instance].defaultTracking = [AMPDefaultTrackingOptions initWithNoneEnabled];
[[Amplitude instance] initializeApiKey:@"API_KEY"];
Amplitude.instance().defaultTracking = AMPDefaultTrackingOptions.initWithNoneEnabled()
Amplitude.instance().initializeApiKey("API_KEY")
Default event tracking accepts options that define which events to track.
[Amplitude instance].defaultTracking = [AMPDefaultTrackingOptions initWithSessions:YES
                                                                        appLifecycles:NO
                                                                            deepLinks:NO
                                                                        screenViews:NO];
[[Amplitude instance] initializeApiKey:@"API_KEY"];
Amplitude.instance().defaultTracking = AMPDefaultTrackingOptions.initWithSessions(
    true,
    appLifecycles: false,
    deepLinks: false,
    screenViews: false
)
Amplitude.instance().initializeApiKey("API_KEY")
You can enable Amplitude to start tracking session events by setting defaultTracking.sessions to true. Refer to the code sample below.
[Amplitude instance].defaultTracking = [AMPDefaultTrackingOptions initWithSessions:YES
                                                                        appLifecycles:NO
                                                                            deepLinks:NO
                                                                        screenViews:NO];
[[Amplitude instance] initializeApiKey:@"API_KEY"];
Amplitude.instance().defaultTracking = AMPDefaultTrackingOptions.initWithSessions(
    true,
    appLifecycles: false,
    deepLinks: false,
    screenViews: false
)
Amplitude.instance().initializeApiKey("API_KEY")
For more information about session tracking, see User sessions.
trackingSessionEvents is deprecated and replaced with defaultTracking.sessions.You can enable Amplitude to start tracking application lifecycle events by setting defaultTracking.appLifecycles to true. Refer to the code sample below.
[Amplitude instance].defaultTracking = [AMPDefaultTrackingOptions initWithSessions:NO
                                                                      appLifecycles:YES
                                                                          deepLinks:NO
                                                                        screenViews:NO];
[[Amplitude instance] initializeApiKey:@"API_KEY"];
Amplitude.instance().defaultTracking = AMPDefaultTrackingOptions.initWithSessions(
    false,
    appLifecycles: true,
    deepLinks: false,
    screenViews: false
)
Amplitude.instance().initializeApiKey("API_KEY")
After enabling this setting, Amplitude tracks the following events:
-[Amplitude] Application Installed, this event fires when a user opens the application for the first time right after installation, by observing the UIApplicationDidFinishLaunchingNotification notification underneath.
-[Amplitude] Application Updated, this event fires when a user opens the application after updating the application, by observing the UIApplicationDidFinishLaunchingNotification notification underneath.
-[Amplitude] Application Opened, this event fires when a user launches or foregrounds the application after the first open, by observing the UIApplicationDidFinishLaunchingNotification or UIApplicationWillEnterForegroundNotification notification underneath.
-[Amplitude] Application Backgrounded, this event fires when a user backgrounds the application, by observing the UIApplicationDidEnterBackgroundNotification notification underneath.
You can enable Amplitude to start tracking screen view events by setting defaultTracking.screenViews to true. Refer to the code sample below.
[Amplitude instance].defaultTracking = [AMPDefaultTrackingOptions initWithSessions:NO
                                                                        appLifecycles:NO
                                                                            deepLinks:NO
                                                                        screenViews:YES];
[[Amplitude instance] initializeApiKey:@"API_KEY"];
Amplitude.instance().defaultTracking = AMPDefaultTrackingOptions.initWithSessions(
    false,
    appLifecycles: false,
    deepLinks: false,
    screenViews: true
)
Amplitude.instance().initializeApiKey("API_KEY")
After enabling this setting, Amplitude will track the [Amplitude] Screen Viewed event with the screen name property, which reads the property value from the controller class metadata using the viewDidAppear method swizzling.
You can enable Amplitude to start tracking deep link events by setting defaultTracking.deepLinks to true. Refer to the code sample below.
// Enable tracking deep links.
[Amplitude instance].defaultTracking = [AMPDefaultTrackingOptions initWithSessions:NO
                                                                        appLifecycles:NO
                                                                            deepLinks:YES
                                                                        screenViews:NO];
[[Amplitude instance] initializeApiKey:@"API_KEY"];
// Call helper method to track, e.g., in `onOpenURL` callback.
[[Amplitude instance] openURL:url];
[[Amplitude instance] continueUserActivity:activity];
// Enable tracking deep links.
Amplitude.instance().defaultTracking = AMPDefaultTrackingOptions.initWithSessions(
    false,
    appLifecycles: false,
    deepLinks: true,
    screenViews: false
)
Amplitude.instance().initializeApiKey("API_KEY")
// Call helper method to track, e.g., in `onOpenURL` callback.
Amplitude.instance().openURL(url: url)
Amplitude.instance().continueUserActivity(activity: activity)
After enabling this setting, Amplitude is able to track the [Amplitude] Deep Link Opened event with the URL and referrer information. Note that you still need to call continueUserActivity or openURL manually for tracking deep links.
Amplitude supports assigning users to groups and performing queries, such as Count by Distinct, on those groups. If at least one member of the group has performed the specific event, then the count includes the group.
For example, you want to group your users based on what organization they're in by using an 'orgId'. Joe is in 'orgId' '10', and Sue is in 'orgId' '15'. Sue and Joe both perform a certain event. You can query their organizations in the Event Segmentation Chart.
When setting groups, define a groupType and groupName. In the previous example, 'orgId' is the groupType and '10' and '15' are the values for groupName. Another example of a groupType could be 'sport' with groupName values like 'tennis' and 'baseball'.
Setting a group also sets the groupType:groupName as a user property, and overwrites any existing groupName value set for that user's groupType, and the corresponding user property value. groupType is a string, and groupName can be either a string or an array of strings to indicate that a user is in multiple groups.
[[Amplitude instance] setGroup:@"orgId" groupName:[NSNumber numberWithInt:15]];
[[Amplitude instance] setGroup:@"sport" groupName:[NSArray arrayWithObjects: @"tennis", @"soccer", nil]];
Amplitude.instance().setGroup("orgId", groupName: NSNumber(value: 15))
    Amplitude.instance().setGroup("sport", groupName: NSArray(objects: "tennis", "soccer"))
You can also use logEventWithGroups to set event-level groups, meaning the group designation only applies for the specific event being logged and doesn't persist on the user unless you explicitly set it with setGroup:
NSDictionary *eventProperties = [NSDictionary dictionaryWithObjectsAndKeys: @"value", @"key", nil];
NSDictionary *groups = [NSDictionary dictionaryWithObjectsAndKeys:[NSNumber numberWithInt:10],
    @"orgId", @"soccer", @"sport", nil];
[[Amplitude instance] logEvent:@"initialize_game" withEventProperties:eventProperties withGroups:groups];
let eventProperties: [String: Any] = ["key": "value"]
let groups: [String: Any] = ["orgId": 10]
Amplitude.instance().logEvent("initialize_game", withEventProperties: eventProperties, withGroups: groups)
Use the Group Identify API to set or update the properties of particular groups. These updates only affect events going forward.
The groupIdentifyWithGroupType method accepts a group type string parameter and group name object parameter, as well as an Identify object that's applied to the group.
NSString *groupType = @"plan";
NSObject *groupName = @"enterprise";
AMPIdentify *identify = [[AMPIdentify identify] set:@"key" value:@"value"];
[[Amplitude instance] groupIdentifyWithGroupType:groupType groupName:groupName groupIdentify:identify];
let identify = AMPIdentify()
    .set("key", value: "value")
Amplitude.instance().groupIdentifyWithGroupType("plan", groupName:NSString(string:"enterprise"), groupIdentify:identify)
You can add an optional outOfSession boolean input as a fourth argument to groupIdentifyWithGroupType
Instances of AMPRevenue stores revenue transactions and defines special revenue properties (such as revenueType) used in Amplitude's Event Segmentation and Revenue LTV charts. Each instance is passed to Amplitude.logRevenueV2. This allows Amplitude to automatically display data relevant to revenue.
To track revenue from a user, call logRevenueV2 each time a user generates revenue. Here is an example:
AMPRevenue *revenue = [[[AMPRevenue revenue] setProductIdentifier:@"productIdentifier"] setQuantity:3];
[revenue setPrice:[NSNumber numberWithDouble:3.99]];
[[Amplitude instance] logRevenueV2:revenue];
let revenue = AMPRevenue()
revenue.setProductIdentifier("productIdentifier")
revenue.setQuantity(3)
revenue.setPrice(NSNumber(value: 3.99))
Amplitude.instance().logRevenueV2(revenue)
Calling logRevenueV2 generates up to 2 different event types in the platform:
[Amplitude] Revenue: This event is logged for all revenue events, regardless of whether verification is turned on.[Amplitude] Revenue (Verified/Unverified): These revenue events contain the actual $revenue property.You can't change the default names given to these client-side revenue events in the raw data, but you can change the display name. Learn more about tracking revenue in the Help Center.
Each revenue event has fields available, and each field has a corresponding set method (such as price and setPrice). See the API docs for AMPRevenue for a full list of fields.
Like logEvent, you can attach event properties for each call to logRevenueV2 . However, these event properties only appear in the Event Segmentation chart and not in the Revenue charts.
| Name | Description | 
|---|---|
| productId | Optional. NSString. An identifier for the product. Amplitude recommends something like the "Google Play Store product ID". Defaults to null. | 
| quantity | Required. NSInteger. The quantity of products purchased. revenue = quantity * price. Defaults to 1. | 
| price | Required. NSNumber. The price of the products purchased, and this can be negative. revenue = quantity * price. Defaults tonull. | 
| revenueType | Optional, but required for revenue verification. NSString. The revenue type. For example tax, refund, income. Defaults to null. | 
| receipt | Optional, but required for revenue verification. NSData. Defaults to null | 
| receiptSignature | Optional, but required for revenue verification. Defaults to null. | 
| eventProperties | Optional. NSDictionary. An object of event properties to include in the revenue event. Defaults to null. | 
A session is a period of time that a user has the app in the foreground. Events that are logged within the same session has the same session_id. Sessions are handled automatically so you don't have to manually call an API like startSession() or endSession().
You can adjust the time window for which sessions are extended by changing the variable minTimeBetweenSessionsMillis.
Amplitude groups events together by session. A session represents a single period of user activity, with a start and end time. Different SDKs track sessions differently, depending on the requirements of the platform. The minimum duration of a session can be configured within the SDK.
[Amplitude instance].defaultTracking.sessions = YES;
[Amplitude instance].minTimeBetweenSessionsMillis = 10 * 60 * 1000; // 10 minutes
[[Amplitude instance] initializeApiKey:@"API_KEY"];
Amplitude.instance().defaultTracking.sessions = true
Amplitude.instance().minTimeBetweenSessionsMillis = 10 * 60 * 1000 // 10 minutes
Amplitude.instance().initializeApiKey("API_KEY")
You can also log events as out-of-session. Out-of-session events have a session_id of -1 and aren't considered part of the current session, meaning they don't extend the current session. This might be useful if you are logging events triggered by push notifications, for example. You can log events as out-of-session by setting the input parameter outOfSession to true when calling logEvent
[[Amplitude instance] logEvent:@"EVENT_TYPE" withEventProperties:nil outOfSession:YES];
Amplitude.instance().logEvent("Push Notification", withEventProperties: nil, outOfSession: true)
You can also log identify events as out-of-session. This is useful if you are updating user properties in the background and don't want to start a new session. Do this by setting the input parameter outOfSession to true when calling identify.
AMPIdentify *identify = [[AMPIdentify identify] set:@"key" value:@"value"];
[[Amplitude instance] identify:identify outOfSession:YES];
let identify = AMPIdentify()
    .set("key", value: "value")
Amplitude.instance().identify(identify, outOfSession: true)
You can use the helper method getSessionId to get the value of the current sessionId.
long sessionId = [[Amplitude instance] getSessionId];
Amplitude.instance().getSessionId()
If your app has its login system that you want to track users with, you can call setUserId at any time.
[[Amplitude] instance] setUserId:@"USER_ID"];
Amplitude.instance().setUserId("USER_ID")
You can also add the User ID as an argument to the init call.
[[Amplitude] instance] initializeApiKey:@"API_KEY" userId:@"USER_ID"];
Amplitude.instance().initializeApiKey("API_KEY", userId: "USER_ID")
Don't assign users a user ID that could change, because each unique user ID is a unique user in Amplitude. For more information, see Track unique users.
By default, only critical errors are logged to console. To enable debug logging in iOS, change AMPLITUDE_DEBUG from 0 to 1 at the top of the Objective-C file you wish to examine. Error messages are printed by default. To disable error logging, change AMPLITUDE_LOG_ERRORS from 1 to 0 in Amplitude.m.
Amplitude merges user data, so any events associated with a known userId or deviceId are linked the existing user.
If a user logs out, Amplitude can merge that user's logged-out events to the user's record. You can change this behavior and log those events to an anonymous user instead.
To log events to an anonymous user:
userId to null.deviceId.Events coming from the current user or device appear as a new user in Amplitude. Note: If you do this, you can't see that the two users were using the same device.
[[Amplitude instance] setUserId:nil]; // not string nil
[[Amplitude instance] regenerateDeviceId];
Amplitude.instance().setUserId("userId")
Amplitude.instance().regenerateDeviceId()
By default the iOS SDK tracks several user properties such as carrier, city, country, ip_address, language, platform, etc. You can use the provided AMPTrackingOptions interface to customize and disable individual fields.
Each operation on the AMPTrackingOptions object returns the same instance, letting you chain multiple operations together.
To use the AMPTrackingOptions interface, first include the header:
#import "AMPTrackingOptions.h"
Before initializing the SDK with your apiKey, create a AMPTrackingOptions instance with your configuration and set it on the SDK instance
AMPTrackingOptions *options = [[[[AMPTrackingOptions options] disableCity] disableIPAddress] disablePlatform];
[[Amplitude instance] setTrackingOptions:options];
let trackingOptions = AMPTrackingOptions().disableCity()
                                            .disableCarrier();
Amplitude.instance().setTrackingOptions(trackingOptions!);
Tracking for each field can be individually controlled, and has a corresponding method (for example, disableCountry, disableLanguage).
| Method | Description | 
|---|---|
| disableCarrier | Disable tracking of device's carrier. | 
| disableCity | Disable tracking of user's city. | 
| disableCountry | Disable tracking of user's country. | 
| disableDeviceManufacturer | Disable tracking of device manufacturer. | 
| disableDeviceModel | Disable tracking of device model. | 
| disableDMA | Disable tracking of user's DMA. | 
| disableIDFA | Disable tracking of user's IDFA. | 
| disableIDFV | Disable tracking of user's IDFV. | 
| disableIPAddress | Disable tracking of user's IP address. | 
| disableLanguage | Disable tracking of device's language. | 
| disableLatLng | Disable tracking of user's current latitude and longitude coordinates. | 
| disableOSName | Disable tracking of device's OS Name. | 
| disableOSVersion | Disable tracking of device's OS Version. | 
| disablePlatform | Disable tracking of device's platform. | 
| disableRegion | Disable tracking of user's region. | 
| disableVersionName | Disable tracking of your app's version name. | 
Amplitude determines the user's mobile carrier using CTTelephonyNetworkInfo, which returns the registered operator of the sim.
COPPA (Children's Online Privacy Protection Act) restrictions on IDFA, IDFV, city, IP address and location tracking can all be enabled or disabled at one time. Apps that ask for information from children under 13 years of age must comply with COPPA.
[[Amplitude instance] enableCoppaControl];
Amplitude.instance().enableCoppaControl()
Advertiser ID (also referred to as IDFA) is a unique identifier provided by the iOS and Google Play stores. As it's unique to every person and not just their devices, it's useful for mobile attribution.
Mobile attribution is the attribution of an installation of a mobile app to its original source (such as ad campaign, app store search).
Mobile apps need permission to ask for IDFA, and apps targeted to children can't track at all. Consider using IDFV, device ID, or an email login system when IDFA isn't available.
amplitude.adSupportBlock = ^{
    return [[[ASIdentifierManager sharedManager] advertisingIdentifier] UUIDString];
};
//  Converted to Swift 5.3 by Swiftify v5.3.22312 - https://swiftify.com/
amplitude.adSupportBlock = {
    return ASIdentifierManager.shared().advertisingIdentifier.uuidString
}
Remember to add AdSupport.framework to your project.
Amplitude uses the IDFV as the device ID by default, but you can change this behavior. After you set up the logic to fetch IDFA, you can also call this useAdvertisingIdForDeviceId API to set the IDFA as your deviceId.
The SDK initializes the device ID in the following order, with the device ID being set to the first valid value encountered:
useAdvertisingIdForDeviceId is true and disableIDFA() wasn’t calleddisableIDFV() wasn’t calledA single user may have multiple devices, each having a different device ID. To ensure coherence, set the user ID consistently across all these devices. Even though the device IDs differ, Amplitude can still merge them into a single Amplitude ID, thus identifying them as a unique user.
It's possible for multiple devices to have the same device ID when a user switches to a new device. When transitioning to a new device, users often transfer their applications along with other relevant data. The specific transferred content may vary depending on the application. In general, it includes databases and file directories associated with the app. However, the exact items included depend on the app's design and the choices made by the developers. If databases or file directories have been backed up from one device to another, the device ID stored within them may still be present. Consequently, if the SDK attempts to retrieve it during initialization, different devices might end up using the same device ID.
You can use the helper method getDeviceId() to get the value of the current deviceId.
NSString *deviceId = [[Amplitude instance] getDeviceId];
let deviceId = Amplitude.instance().getDeviceId()
You can assign a new device ID using setDeviceId(). When setting a custom device ID, make sure the value is sufficiently unique. Amplitude recommends using a UUID.
[[Amplitude instance] setDeviceId:@"DEVICE_ID"];
Amplitude.instance().setDeviceId("DEVICE_ID")
Amplitude converts the IP of a user event into a location (GeoIP lookup) by default. This information may be overridden by an app's own tracking solution or user data.
Amplitude-iOS can help report carrier information
If you want to enable SDK to report this information from devices, add CoreTelephony.framework as a dependency.
The iOS SDK lets you configure your apps to use dynamic configuration.
This feature finds the best server URL automatically based on app users' location.
To use, enable the useDynamicConfig flag.
apiEndPoint API, leave dynamic configuration off.setServerZone to set it to EU zone.
[Amplitude instance].useDynamicConfig = YES;
Amplitude.instance().useDynamicConfig = true
SSL Pinning is a technique used in the client side to avoid man-in-the-middle attack by validating the server certificates again after SSL handshaking. Only use SSL pinning if you have a specific reason to do so. Contact Support before you ship any products with SSL pinning enabled.
If you installed the SDK using CocoaPods, you must enable the preprocessor macro via your Podfile by adding this post install hook:
post_install do |installer_representation|
   installer_representation.pods_project.targets.each do |target|
      target.build_configurations.each do |config|
         config.build_settings['GCC_PREPROCESSOR_DEFINITIONS'] ||= ['$(inherited)', 'AMPLITUDE_SSL_PINNING=1']
      end
   end
end
If you installed the SDK directly from the source or Swift Package Manager, you can enable SSL pinning by adding the following preprocessor macro. See this StackOverflow post to see how to add preprocessor macro.
AMPLITUDE_SSL_PINNING=1
Users may wish to opt out of tracking entirely, which means Amplitude won't track any of their events or browsing history. setOptOut provides a way to fulfill a user's requests for privacy.
[[Amplitude instance] setOptOut:YES]; // disables instrumentation
[[Amplitude instance] setOptOut:NO]; // enables instrumentation
Amplitude.instance().optOut = true // disables instrumentation
Amplitude.instance().optOut = false // enables instrumentation
This SDK works with tvOS and watchOS apps. To begin, follow the same setup instructions for iOS apps.
This means eventUploadThreshold is set to 1 by default for tvOS. it's assumed that Apple TV devices have a stable internet connection and as a result, uploading events immediately is reasonable.
If you wish to revert back to the iOS batching behavior, you can do so by changing eventUploadThreshold (this is set by default to 30 for iOS).
[[Amplitude instance] setEventUploadThreshold:30];
The SDK allows for tracking in iOS extensions. To set up tracking in iOS extensions, follow the same setup instructions but initialize the SDK in your extension's viewDidLoad method instead from application:didFinishLaunchingWithOptions:.
There are a few things to highlight:
viewDidLoad method gets called every time your extension is opened. This means that the SDK's initializeApiKey method gets called every single time. However, this is okay because it safely ignores calls after the first one. You can protect the initialization with something like a dispatch_once block.defaultTracking.sessions, or you may want to extend the minTimeBetweenSessionsMillis to be longer than five minutes. You should experiment with these two settings to get your desired session definition.eventUploadPeriodSeconds to something shorter than 30 seconds to upload events at shorter intervals. You can also manually call [[Amplitude instance] uploadEvents]; to manually force an upload.The SDK also allows for tracking in App Clips. To set up tracking in App Clips, you need to install Amplitude-iOS under your App Clip target. Make sure the amplitude-iOS SDK is installed on your main app first.
After creating an App Clip target, open your project Podfile and append the following code:
target 'appClipTarget' do
  # Comment the next line if you don't want to use dynamic frameworks
  use_frameworks!
  pod 'Amplitude', :git => 'https://github.com/Amplitude/Amplitude-iOS.git'
end
Save the Podfile and run pod install
Framework, Libraries, and Embedded Content sectionAmplitude under Amplitude Package and click add buttonDon't send push notification events client-side via the iOS SDK. Because a user must open the app to initialize the Amplitude SDK in order for the SDK to send the event, events aren't sent to the Amplitude servers until the next time the user opens the app. This can cause data delays.
You can use mobile marketing automation partners or the HTTP API V2 to send push notification events to Amplitude.
The Amplitude SDK supports offline usage through the setOffline(isOffline) method. By default, offline mode is disabled.
When offline mode is enabled, events are saved to a local storage but will not be sent to the Amplitude servers.
When offline mode is disabled, any pending events are sent to Amplitude's servers immediately.
To limit the necessary permissions required by the SDK, the SDK does not automatically detect network connectivity. Instead, you must manually call setOffline() to enable or disable offline mode.
[[Amplitude instance] setOffline:YES]; // enables offline mode
[[Amplitude instance] setOffline:NO]; // disables offline mode
Amplitude.instance().setOffline(true); // enables offline mode
Amplitude.instance().setOffline(false) // disables offline mode
Middleware lets you extend Amplitude by running a sequence of custom code on every event. This pattern is flexible and can be used to support event enrichment, transformation, filtering, routing to third-party destinations, and more.
Each middleware is a simple interface with a run method:
- (void)run:(AMPMiddlewarePayload *_Nonnull)payload next:(AMPMiddlewareNext _Nonnull)next;
The payload contains the event being sent and an optional extra that lets you pass custom data to your own middleware implementations.
To invoke the next middleware in the queue, use the next function. You must call next(payload) to continue the middleware chain. If a middleware doesn't call next, then the event processing stop executing after the current middleware completes.
Add middleware to Amplitude via client.addEventMiddleware. You can add as many middleware as you like. Each middleware runs in the order in which it was added.
You can find examples for Objective-C and Swift.
iOS automatically protects application data by storing each apps data in its own secure directory. This directory is usually not accessible by other applications. However, if a device is jailbroken, apps are granted root access to all directories on the device.
To prevent other apps from accessing your apps Amplitude data on a jailbroken device, we recommend setting a unique instance name for your SDK. This will create a unique database that is isolated from other apps.
Amplitude* amplitude = [Amplitude instanceWithName:@"my-unqiue-instance-name"];
let amplitude = Amplitude.instanceWithName("my-unqiue-instance-name")
Starting December 8, 2020, Apple requires a privacy manifest file for all new apps and app updates. Apple expects to make this mandatory in the Spring of 2024. As Amplitude is a third-party to your app, you need to ensure you properly disclose to your users the ways you use Amplitude in regards to their data.
By default, Amplitude doesn't use data for tracking. Add this field and set it to true if your app does.
| Date type | Linked to user | Used for tracking | Reason for collection | Where it's tracked | 
|---|---|---|---|---|
| Product interaction | Yes | No | Analytics | Such as app launches, taps, clicks, scrolling information, music listening data, video views, saved place in a game, video, or song, or other information about how the user interacts with the app. | 
| Device ID | Yes | No | Analytics | Tracked by default. Learn more here | 
| Coarse Location | Yes | No | Analytics | Country, region, and city based on IP address. Amplitude doesn't collect them from device GPS or location features. | 
By default the SDK tracks deviceId only. You can use setUserId() to track userId as well. To do so, add the "User ID" Data type. For more information about data types, see Apple's article Describing data use in privacy manifests.
If you set NSPrivacyTracking to true then you need to provide at least one internet domain in NSPrivacyTrackingDomains based on your configuraiton.
| Domain | Description | 
|---|---|
| https://api2.amplitude.com | The default HTTP V2 endpoint. | 
| https://api.eu.amplitude.com | EU endpoint if Amplitude.instance().setServerZone(AMPServerZone.EU). | 
| https://regionconfig.amplitude.com | Batch endpoint if Amplitude.instance().useDynamicConfig = true. | 
| https://regionconfig.eu.amplitude.com | Batch EU endpoint if Amplitude.instance().setServerZone(AMPServerZone.EU)andAmplitude.instance().useDynamicConfig = true. | 
The SDK doesn't use any API by default. Learn more here.
Follow the steps on how to create your app's privacy.
September 17th, 2024
Need help? Contact Support
Visit Amplitude.com
Have a look at the Amplitude Blog
Learn more at Amplitude Academy
© 2025 Amplitude, Inc. All rights reserved. Amplitude is a registered trademark of Amplitude, Inc.