Related pages: |
Once you have instrumented your iOS application with the Mobile iOS SDK, you can also use the APIs exposed by the SDK to customize the data for your app that appears in the Controller UI.
The following sections show you how to use the iOS SDK to customize your instrumentation.
Because the agent stores data about events in a local buffer before reporting the information, you are recommended to use the APIs with discretion. |
You can use methods available in the ADEUMInstrumentation class to collect six additional types of data:
| Type of Data | Description | Specifications | Where Data is Displayed |
|---|---|---|---|
| Info points | How often a method is invoked, and how long it takes to run. |
| |
| Custom timers | Any arbitrary sequence of events within your code timed, even spanning multiple methods. |
| |
| Custom metrics | Any integer-based data you wish to collect. |
| |
| User data | Any string key/value pair you think might be useful. This data is included with all listed instrumentation types until it is cleared. |
| |
| Breadcrumbs | The context for a crash. |
| |
| User interaction | Capture when users press buttons, click on lists, and select text. |
|
When you have set up additional data types, the Mobile Agent packages that data in a mobile beacon. Normally, the beacon is transmitted when the instrumented app sends an HTTP request or when the app is restarted following a crash, but if custom data has been collected and neither of those events has occurred for at least five minutes, the custom data is sent at that time. |
Information points allow you to track how your own code is running. You can see how often a method is invoked, and how long it takes to run, by using beginCall and endCall, something like the following:
|
If an exception is thrown, it is also reported. This information appears in the Custom Data view in the Controller UI.
Custom timers allow you to time any arbitrary sequence of events within your code, even spanning multiple methods, by using startTimer and stopTimer. For example, to track the time a user spends viewing a screen, the instrumentation could look like this:
|
This information appears in the Custom Data view of the Controller UI.
Calling |
Any integer-based data can be passed to the agent. The first parameter to the report.MetricWithName call is the name you want the metric to appear under in the Controller UI. The metric name should only contain alphanumeric characters and spaces. Illegal characters are replaced by their ASCII hex value.
Reporting a metric called "My custom metric", for example, would look something like this:
[ADEumInstrumentation reportMetricWithName:@"My custom metric" value:<#VALUE HERE#>]; |
This information appears in the Custom Data view of the Controller UI.
You can set, and later remove any string key/value pair using with the following methods:
setUserData(key, value, success, error)removeUserData(key)Once this is set, user data continues to be sent along with any instrumentation for network requests, sessions, or crashes. You can remove any previously set user data on a per-key basis. Alternatively, you can remove previously set user data for all keys using clearAllUserData().
The following table describes the parameters:
| Name | Type | Description |
|---|---|---|
| key | string | The key identifying the key-value pair. |
| value | string | The value associated with the key. |
| success | function | The user-defined callback for successful cases. |
| error | function | The user-defined callback for failed cases. |
The code example below shows how to set user data with the SDK API:
|
The code example below shows how to remove user data with the SDK API:
|
You can also set user data with values of other types (Long, Boolean, Double, Date) using the following methods:
clearAllUserData()The clearAllUserData() API clears all user data in the sense of clearing all of the above enumerated types of data at once. It does not clear any other data outside of the scope of items set with the
setUserData() list of APIs described above. Also, it does not remove any user data already attached to existing instrumentation beacons that were previously queued for sending, and it does not affect user data attached on a per-request basis to network request instrumentation.
The code example below shows how to use the clearAllUserData SDK API:
|
Breadcrumbs allow you to situate a crash in the context of your user's experience. Set a breadcrumb when something interesting happens. If your application crashes at some point in the future, the breadcrumb will be displayed along with the crash report.
There are two ways of leaving breadcrumbs:
Using this method means that breadcrumbs are reported in crash reports only.
+ (void)leaveBreadcrumb:(NSString *)breadcrumb |
Using this method lets you fine tune where the breadcrumbs are reported, either only in crash reports or in crash reports and sessions.
+ (void)leaveBreadcrumb:(NSString *)breadcrumb mode:(ADEumBreadcrumbVisibility)mode |
Where mode is either:
ADEumBreadcrumbVisibilityCrashesOnlyADEumBreadcrumbVisibilityCrashesAndSessionsIf the |
You can enable the iOS Agent to track certain UI events triggered by user interactions. Once user interactions have been captured, you can sort sessions by UI event and view UI events in the timeline of the session waterfall.
You can capture when users do one or all of the following:
The interaction capture mode is disabled by default for security and privacy reasons as user interactions may contain sensitive information. Moreover, this potential security and privacy issue may be compounded if you enable both the capturing of UI interactions and screenshots. |
To enable user interaction capture mode, you assign the capture mode to the property interactionCaptureMode of the ADEumAgentConfiguration object. The instrumentation code example below configures the iOS Agent to capture all the supported types of user interactions.
ADEumAgentConfiguration *config = [[ADEumAgentConfiguration alloc] initWithAppKey: <#EUM_APP_KEY#>]; config.interactionCaptureMode = ADEumInteractionCaptureModeAll; [ADEumInstrumentation initWithConfiguration:config]; |
You can also configure the iOS Agent to only capture one type of user interaction:
ADEumAgentConfiguration *config = [[ADEumAgentConfiguration alloc] initWithAppKey: <#EUM_APP_KEY#>]; config.interactionCaptureMode = ADEumInteractionCaptureModeButtonPressed; [ADEumInstrumentation initWithConfiguration:config]; |
By default, mobile screenshots are enabled on the agent-side but disabled on the Controller-side. To programmatically take manual screenshots, you must enable screenshots in the Controller UI and add the following API:
|
You can disable screenshots from the Controller UI or with the iOS SDK. To disable screenshots with the iOS SDK, set the property screenshotsEnabled of the ADEumAgentConfiguration object to NO for Objective-C and false for Swift as shown below.
|
You can also use the iOS SDK to block screenshots from being taken during the execution of a code block. This just temporarily blocks screenshots from being taken until you unblock screenshots. This enables you to stop taking screenshots in situations where users are entering personal data, such as on login and account screens.
The ADEumInstrumentation class provides the methods blockScreenshots and unblockScreenshots to block and unblock screenshots. If screenshots are disabled through the property screenshotsEnabled of the ADEumAgentConfiguration object or through the Controller UI, these methods have no effect. You can also call screenshotsBlocked to check if screenshots are being blocked.
The following example demonstrates how you could use the API to block and unblock screenshots for a user login.
|
You can disable the agent to stop sending all data to the collector while the agent is initialized and running. For example, you can disable the agent if your app has an option for users to opt-out of monitoring for privacy reasons.
shutdownAgentThe shutdownAgent call stops outgoing data to the collector, and does not persist data on the device.
|
|
restartAgentTo re-enable the agent and reverse shutdownAgent, use restartAgent.
|
|
You may want to make crash report information that Mobile RUM collects available to other parts of your code, for example, to Google Analytics, if you are using it. To enable you to pass on summary crash information, you can set up a crash report runtime callback. To get a callback when the iOS Agent detects and then reports a crash, you need to implement the following protocol in your code:
@protocol ADEumCrashReportCallback <NSObject> - (void)onCrashesReported:(NSArray<ADEumCrashReportSummary *> *)crashReportSummaries; @end |
This callback is invoked on your app's UI thread, so any significant work should be done on a separate work thread. |
Each ADEumCrashReportSummary passed in has the following properties:
@interface ADEumCrashReportSummary : NSObject /** Uniquely defines the crash, can be used as key to find full crash report. */ @property (nonatomic, readonly) NSString *crashId; /** The exception name, may be `nil` if no `NSException` occured. */ @property (nonatomic, readonly) NSString * ADEUM_NULLABLE exceptionName; /** The exception reason, may be `nil` if no `NSException` occured. */ @property (nonatomic, readonly) NSString * ADEUM_NULLABLE exceptionReason; /** The Mach exception signal name */ @property (nonatomic, readonly) NSString *signalName; /** The Mach exception signal code */ @property (nonatomic, readonly) NSString *signalCode; @end |
If you are sending the information to another analytics tool, such as Google Analytics, it is best to include all five properties:
exceptionName and exceptionReason are optional and useful for a quick identification of what the crash is. These are only present if the crash cause occurred within an exception reporting runtime, such as Objective-C.signalName and signalCode are useful for quick identification of the crash. These are from the system and are independent of the runtime.For additional information, crashId can be used to look up the crash in the Controller UI.
For example, to print the crash information to iOS's logger, you could implement an ADEumCrashReportCallback class like this:
// assumes the containing object has "adopted" the protocol
- (void)onCrashesReported:(NSArray<ADEumCrashReportSummary *> *)summaries {
for (ADEumCrashReportSummary *summary in summaries) {
NSLog(@"Crash ID: %@", summary.crashId);
NSLog(@"Signal: %@ (%@)", summary.signalName, summary.signalCode);
NSLog(@"Exception Name:\n%@", summary.exceptionName);
NSLog(@"Exception Reason:\n%@", summary.exceptionReason);
}
} |
You set the object that implements the ADEumCrashReportCallback protocol during agent configuration:
ADEumAgentConfiguration *config = [ADEumAgentConfiguration new]; config.crashReportCallback = myCrashReportCallback; |
Your callback is invoked, on the main/UI thread, if a crash from a previous run is detected and collected. See the latest iOS SDK documentation.
Crash reporting is enabled by default, but you can manually disable crash reporting through the instrumentation configuration. If you are using other crash reporting tools, you might disable crash reporting to minimize conflicts and optimize the crash report results.
You can disable crash reporting by configuring the instrumentation with the crashReportingEnabled property as shown in the following code example:
|
The To add unique error strings and values, you have two data collection options:
|
You can report exceptions using the method reportError from the ADEumInstrumentation class. Reported exceptions will appear in session details.
The method can have the following two signatures:
| Objective-C Function Signature | Description | |
|---|---|---|
(void)reportError:(NSError *)error withSeverity (ADEumErrorSeverityLevel)severity; | Use this signature to report errors, set the severity level of the issue, and send the stack trace. This function signature sends the stack trace by default. If you don't want to send the stack trace, use the function signature below with the additional argument
| |
(void)reportError:(NSError *)error withSeverity:(ADEumErrorSeverityLevel)severity andStackTrace:(BOOL)stacktrace; | Use this signature to report errors, set the severity level of the issue, and explicitly specify whether the stack trace should be included. If you include the stack trace with the reported error by setting To report the error without the stack trace, set
|
You can also set one of the following severity levels for an issue. With the severity level, you can filter errors in the Code Issues Dashboard or Code Issues Analyze.
ADEumErrorSeverityLevelInfoADEumErrorSeverityLevelWarningADEumErrorSeverityLevelCriticalThe example below uses the API to report possible exceptions and set the severity level to ADEumErrorSeverityLevelCritical for a failed attempt to perform a file operation:
|
You can also create and report custom errors with the following. Note that because reportError is not passed the argument andStackTrace, by default, the stack trace is automatically included with the error.
The To add unique error strings and values, you have two data collection options:
|
|
By default, the iOS Agent does not detect ANR issues, and when ANR detection is enabled, the ANR issues are reported without stack traces. You must manually enable ANR detection and set a flag to include stack traces through the iOS Agent configuration. For more information about ANR monitoring, see Code Issues. To specify thresholds for ANR issues, see Configure Application Not Responding Thresholds.
You enable the detection of ANR issues by configuring the instrumentation with the anrDetectionEnabled property as shown below.
|
In addition to enabling ANR detection, you set the property anrStackTraceEnabled to YES (Objective-C) or true (Swift) to report stack traces with the ANRs.
|
By default, the iOS Agent instruments iOS WKWebViews, but does not collect and report Ajax calls. See Hybrid Application Support for an overview and an explanation of how it works.
You can configure the static or runtime configuration to disable hybrid application support or modify its behavior. The sections below show you how to change the defaults for hybrid support through either runtime or static configuration.
The code example below disables the injection of the JavaScript Agent. By disabling the injection, the WKWebViews in your application will not be instrumented and Ajax calls will not be reported.
ADEumAgentConfiguration *adeumAgentConfig = [[ADEumAgentConfiguration alloc] initWithAppKey: <#EUM_APP_KEY#>]; // Disable the JavaScript Agent Injection adeumAgentConfig.jsAgentEnabled = NO; [ADEumInstrumentation initWithConfiguration:adeumAgentConfig]; |
The JavaScript Agent injection is enabled by default. To also enable the collection and reporting of Ajax calls:
ADEumAgentConfiguration *adeumAgentConfig = [[ADEumAgentConfiguration alloc] initWithAppKey: <#EUM_APP_KEY#>]; // Enable the collection and reporting of Ajax calls adeumAgentConfig.jsAgentAjaxEnabled = YES; [ADEumInstrumentation initWithConfiguration:adeumAgentConfig]; |
You should use static configuration for the following reasons:
The table below describes the supported properties and provides the default value for the info.plist file.
| Property | Default Value | Description |
|---|---|---|
| true | If the client receives a The injection occurs during the creation of a new WKWebView. So, if a WKWebView is created when this flag is set to |
ForceWebviewInstrumentation | false | When set to true, the iOS Agent will inject the JavaScript Agent into the WKWebViews regardless of the runtime configuration. |
ForceAjaxInstrumentation | true | When set to true, Ajax operations will always be collected and reported regardless of the runtime configuration. |
ADRUMExtUrlHttp | The JavaScript Agent consists of two components: the base JavaScript Agent and the JavaScript Agent extension. The base JavaScript Agent is built into the Mobile Agent binary and injected according to the rules above. After initialization, the JavaScript Agent fetches the JavaScript Agent extension from the URLs specified by these properties. | |
ADRUMExtUrlHttps | https://cdn.appdynamics.com |
The example info.plist below forces the instrumentation of WKWebViews (overriding the runtime configuration), but does not force the collection and reporting of Ajax requests. The configuration also sets the URL where the JavaScript Extension file is obtained.
<plist>
<dict>
...
<key>ADEUM_Settings</key>
<dict>
<key>ForceWebviewInstrumentation</key>
<true/>
<key>ForceAjaxInstrumentation</key>
<false/>
<key>ADRUMExtUrlHttp</key>
<string>http://<your-domain>/adrum.cdn</string>
<key>ADRUMExtUrlHttps</key>
<string>https://<your-domain>/adrum.cdn</string>
</dict>
...
</dict>
</plist> |
By default, a mobile session ends after a period of user inactivity. For example, when a user opens your application, the session begins and only ends after the user stops using the app for a set period of time. When the user begins to use the application again, a new session begins.
Instead of having a period of inactivity to define the duration of a session, however, you can use the following API to programmatically control when sessions begin and end:
- (void)startNextSession |
When you call the method startNextSession from the ADEumInstrumentation class, the current session ends and a new session begins. The API enables you to define and frame your sessions so that they align more closely with business goals and expected user flows. For example, you could use the API to define a session that tracks a purchase of a product or registers a new user.
Excessive use of this API will cause sessions to be throttled (excessive use is >10 calls per minute per iOS Agent, but is subject to change). When not using the API, sessions will fall back to the default of ending after a period of user inactivity.
In the example below, the current session ends and a new one begins when the check out is made.
|
You can use the SessionFrame API to create session frames that will appear in the session activity. Session frames provide context for what the user is doing during a session. With the API, you can improve the names of user screens and chronicle user flows within a business context.
The following are common use cases for the SessionFrame API:
ViewController performs multiple functions and you want more granular tracking of the individual functions.The table below lists the three methods you can use with session frames. In short, you start a session frame with startSessionFrame and then use the returned ADeumSessionFrame object to rename and end the session frame.
|
In the following example, the SessionFrame API is used to track user activity during the checkout process:
|
By default, detects the application name by extracting the last segment from the bundle ID. There may be cases, however, where you deploy the same app binary with different bundle IDs to various regional app stores. To make sure all the data belonging to one app is collected and displayed together, despite varying bundle IDs, you can set a common name by giving the apps a custom name. To do this, set the application name property in the
ADEumAgentConfiguration instance that you use to set up ADEumInstrumentation. See the latest iOS SDK documentation for more information.
By default, |
@property (nonatomic, strong) NSString *applicationName; |
In some cases, HTTP requests using NSURL are used for internal purposes in an application and do not represent actual network requests. Metrics created based on these requests are not normally useful in tracking down issues, so preventing data on them from being collected can be useful. To ignore specific NSURL requests, set the excluded URL patterns property in the ADEumAgentConfiguration instance that you use to set up ADEumInstrumentation. Use the simplest regex possible. See the latest iOS SDK documentation.
@property (nonatomic, strong) NSSet * excludedUrlPatterns; |
The iOS Agent automatically detects network requests when the underlying implementation is handled by either by the NSURLConnection or the NSURLSession classes. This covers the great majority of iOS network requests. In some cases, however, mobile applications use custom HTTP libraries.
ADEumHTTPRequestTracker class. ADEumServerCorrelationHeaders class. ADEumCollectorChannel protocol and the ADEumAgentConfiguration class.To add request tracking manually, you tell the agent when the request begins and when it ends. You also set properties to tell the agent the status of the response.
To begin tracking an HTTP request, call the following method immediately before sending the request.
You must initialize the agent using one of the |
@interface ADEumHTTPRequestTracker : NSObject ... + (ADEumHTTPRequestTracker *)requestTrackerWithURL:(NSURL *)url; |
Where url is the URL being requested. This parameter must not be nil.
To complete tracking an HTTP request, immediately after receiving a response or an error, set the appropriate properties on the tracker object and call the following method to report the outcome of the request back to the agent. You should not continue to use this object after calling this method. To track another request, call requestTrackerWithURL again.
- (void)reportDone; |
The following properties should be set on the requestTrackerWithURL object to describe to the agent the results of the call:
@property (copy, nonatomic) NSError *error; |
Indicates the failure to receive a response, if this occurred. If the request was successful, this should be nil.
@property (copy, nonatomic) NSNumber *statusCode; |
Reports the HTTP status code of the response, if one was received.
If a response was received, this should be an integer.
If an error occurred and a response was not received, this should be nil.
@property (copy, nonatomic) NSDictionary *allHeaderFields; |
Provides a dictionary representing the keys and values from the server’s response header. The format of this dictionary should be identical to the allHTTPHeadersFields property of NSURLRequest. The dictionary elements consist of key/value pairs, where the key is the header key name and the value is the header value.
If an error occurred and a response was not received, this should be nil.
Given a request snippet like this:
- (NSData *)sendRequest:(NSURL *) url error:(NSError **)error {
// implementation omitted
NSData *result = nil;
if (errorOccurred) {
*error = theError;
} else {
result = responseBody;
}
return result;
} |
Adding the tracker could look something like this:
- (NSData *)sendRequest:(NSURL *)url error:(NSError **)error {
ADEumHTTPRequestTracker *tracker = [ADEumHTTPRequestTracker requestTrackerWithURL:url];
// implementation omitted
NSData *result = nil;
if (errorOccurred) {
*error = theError;
tracker.error = theError;
} else {
tracker.statusCode = theStatusCode;
tracker.allHeaderFields = theResponseHeaders;
result = responseBody;
}
[tracker reportDone];
return result;
} |
To enable correlation between your request and server-side processing, add specific headers to outgoing requests that the server-side agent can detect and return the headers obtained from the server-side agent in the response to make them available to the iOS Agent.
This is done automatically for standard HTTP libraries.
@interface ADEumServerCorrelationHeaders : NSObject + (NSDictionary *)generate; @end |
You must:
Call the generate method and set the generated headers before sending a request to the backend.
Report back the response headers, using the allHeaderFields property shown above.
You can attach custom data to a network request by calling one (or multiple) of the following methods to add attributes to ADEumHTTPRequestTracker:
- (NSData *)sendRequest:(NSURL *)url error:(NSError **)error {
ADEumHTTPRequestTracker *tracker = [ADEumHTTPRequestTracker requestTrackerWithURL:url];
// implementation omitted
NSData *result = nil;
if (errorOccurred) {
*error = theError;
tracker.error = theError;
} else {
tracker.statusCode = theStatusCode;
tracker.allHeaderFields = theResponseHeaders;
result = responseBody;
}
// Custom data can be added to this one request.
// Different types can be used.
// The data added will only appear for this network request and will not persist.
[tracker setUserData:@"trackerStringKey" value:@"Test String Value"];
[tracker setUserDataLong:@"trackerLongKey" value:66004024];
[tracker setUserDataBoolean:@"trackerBooleanKey" value:1];
[tracker setUserDataDouble:@"trackerDoubleKey" value:5905400.6];
[tracker setUserDataDate:@"trackerDateKey" value:[NSDate date]];
[tracker reportDone];
return result;
} |
The iOS Agent uses HTTP to deliver its beacons. To have the agent use your custom HTTP library for this purpose, do the following.
Implement a class that conforms to this protocol:
/** * Protocol for customizing the connection between the agent SDK and the collector. */ @protocol ADEumCollectorChannel <NSObject> /** * Sends a request synchronously and returns the response received, or an error. * * The semantics of this method are exactly equivalent to NSURLConnection's * sendSynchronousRequest:returningResponse:error: method. * * @param request The URL request to load. * @param response Out parameter for the URL response returned by the server. * @param error Out parameter used if an error occurs while processing the request. May be NULL. */ - (NSData *)sendSynchronousRequest:(NSURLRequest *)request returningResponse:(NSURLResponse **)response error:(NSError **)error; @end |
Set the collectorChannel property in ADEumAgentConfiguration before initializing ADEumInstrumentation, passing in an instance of your class that implements ADEumCollectorChannel. See the latest iOS SDK documentation.
@property (nonatomic, strong) id<ADEumCollectorChannel> collectorChannel; |
When your application makes network requests, you may not want to report URLs containing sensitive information to the EUM Server. You can instead transform the network request URL before reporting it or ignore it altogether.
To do so:
The callback that modifies or ignore specific URLs is an implementation of the protocol below. The callback method networkRequestCallback is synchronous, so it is recommended that you return from the function quickly.
- (BOOL)networkRequestCallback:(ADEumHTTPRequestTracker *)networkRequest |
The networkRequestCallback method, in general, should follow the steps below to transform URLs:
url property of the ADEumHTTPRequestTracker object. (Modifying other properties of the ADEumHTTPRequestTracker object will be ignored.)url property.allHeaderFields - It returns the response headers.
allRequestHeaderFields - It returns the request headers.
YES (Objective-C) or true (Swift).The first step is optional as you could choose to transform the URLs of all network requests.
|
In general, however, you would want to identify and transform URLs that contain sensitive information as implied in the example below:
|
If the networkRequestCallback method returns false, the beacon is dropped. The general process for ignoring beacons is as follows:
Identify specific URLs using techniques such as regex or pattern matching.
false.You could theoretically ignore all network requests by having the callback networkRequestCallback always return NO (Objective-C) or false (Swift):
|
In general, though, you would identify network requests that you didn't want to monitor and return NO (Objective-C) or false (Swift) to ignore the network request as implied by this example.
|
After implementing the callback, you register the object implementing the protocol method in the initialization code as shown below. When the iOS Agent is ready to create a network request beacon, it will first call the callback with an ADEumHTTPRequestTracker object.
|
You use the method loggingLevel to enable and set the logging level. You can set logging to one of the following levels:
ADEumLoggingLevelOff
ADEumLoggingLevelAll
ADEumLoggingLevelVerbose
ADEumLoggingLevelDebug
ADEumLoggingLevelInfo
ADEumLoggingLevelWarn
ADEumLoggingLevelError
Use verbose, all, and debug levels of logging only for troubleshooting and be sure to turn off for production. |
|