Step 5. Implementing the Push client for iOS
PingOne Advanced Identity Cloud PingAM iOS
This page guides you through configuring your iOS application to support Push-based multi-factor authentication (MFA) using the Push module.
It covers dependency setup, Push client initialization, credential management, handling different push notification types, and custom storage options.
Adding core dependencies
You can use Swift Package Manager (SPM) or CocoaPods to add dependencies to your iOS project.
-
SPM
-
CocoaPods
-
With your project open in Xcode, select File > Add Package Dependencies.
-
In the search bar, enter the Orchestration SDK for iOS repository URL:
https://github.com/ForgeRock/ping-ios-sdk. -
Select the
ping-ios-sdkpackage, and then click Add Package. -
In the Choose Package Products dialog, ensure that the
PingPushlibrary is added to your target project. -
Click Add Package.
-
In your project, import the relevant dependency:
import PingPush
-
If you do not already have CocoaPods, install the latest version.
-
If you do not already have a Podfile, in a terminal window, run the following command to create a new Podfile:
pod init
-
Add the
PingPushdependency to your Podfile:pod 'PingPush'
-
Run the following command to install pods:
pod install
Initializing the Push Client
To use the Push module, you must initialize the Push client in your application by calling the createClient() method:
// Create a Push client
let pushClient = try await PushClient.createClient { config in
config.logger = LogManager.logger
config.enableCredentialCache = false
}
The properties you can use to customize the Push client configuration are as follows:
- enableCredentialCache
-
Whether to enable in-memory caching of credentials.
By default, this is set to
falsefor security reasons, as an attacker could potentially access cached credentials from memory dumps. - timeout
-
The timeout for network operations, in seconds.
Default value is
15. - storage
-
The storage implementation to use for Push credentials.
If
nil, the defaultPushKeychainStorageis used.Learn more in Customizing credential storage.
- policyEvaluator
-
The policy evaluator to use for credential policy validation.
If
nil, the defaultMfaPolicyEvaluatoris used. - customPushHandlers
-
A map of custom push handlers that the module will use alongside the default handlers.
Learn more in Customizing Push notification handlers.
- notificationCleanupConfig
-
Configuration options for the automatic cleanup of push notifications.
Learn more in Cleaning up pending notifications.
- logger
-
The logger instance used for logging messages.
Defaults to a global logger instance.
Learn more in Logging.
Managing Push credentials
The Push module relies on a set of credentials that you can create, retrieve, update, and delete.
The credentials contain details such as the service and user they relate to, and the cryptographic keys needed to validate push notifications.
Creating Push credentials
The Push module lets the user register their device for Push-based multi-factor authentication (MFA).
The information required to register a device is contained in a specially-encoded URI, which your client application decodes to create the credentials.
This URI is often delivered by QR codes that the client can scan or is provided directly in the callback from the Push Registration node.
Use the addCredentialFromUri() method to create Push credentials and register an MFA device:
let uri = "pushauth://push/issuer:user@example.com?key=ABCDEFGHIJK&c=https://example.com/push"
let credential = try await pushClient.addCredentialFromUri(uri)
Getting Push credentials
You can get a list of all registered Push credentials or get an individual credential by passing its ID as a parameter.
-
All Push credentials
-
Specific Push credential
do {
let credentials = try await Task.detached(priority: .userInitiated) {
try await pushClient.getCredentials()
}.value
} catch {
throw AppError.pushError("Failed to load credentials: \(error.localizedDescription)")
}
let credential = try await Task.detached(priority: .userInitiated) {
try await pushClient.getCredential(credentialId)
}.value
Updating Push credentials
You can update the properties of a stored credential with new values by using the saveCredential() method. Pass the updated credential object into the method as a parameter:
for credential in credentials {
var updated = credential
updated.displayIssuer = "Example.com Checking Account"
updated.displayAccountName = "Babs Jensen"
_ = try await pushClient.saveCredential(updated)
}
Deleting Push credentials
Use the deleteCredential() method to remove individual credentials from the client device. Pass the credential ID into the method as a parameter:
do {
let removed = try await Task.detached(priority: .userInitiated) {
try await pushClient.deleteCredential(credentialId)
}.value
return removed
} catch {
throw AppError.pushError("Failed to remove credential: \(error.localizedDescription)")
}
Updating device tokens
Under certain circumstances, the client operating system issues a new device token that your app needs to use for receiving push notifications.
What can cause the device token for push messages to change?
The device token used to receive push messages can change due to a number of circumstances:
- Uninstalling and reinstalling the client app
-
If the user uninstalls and then reinstalls the app, the OS regenerates the device token.
This is one of the most common reasons for a token change.
- Clearing app data
-
Clearing the application’s data by using the device settings causes the OS to issue a new device token upon next launch of the app.
- Revoking and regranting Push permission
-
The OS might issue a new device token if a user revokes and then re-enables push notifications.
- Push services expiring or invalidating tokens
-
The push services themselves, such as the Apple Push Notification service (APNs) or Google’s Firebase Cloud Messaging (FCM) service might invalidate device tokens for various reasons.
The OS issues a new device token upon next launch of the app if the push service invalidates the existing tokens.
- Updating the operating system
-
Occasionally, OS updates, especially major versions, might result in the push notification service issuing a new token.
Updating the OS can also clear app data, which would also mean the app requires a new device token on next launch.
- Updating or migrating apps
-
If you change the package or bundle IDs of your client app that uses push notification, or alter the signing keys, the OS might invalidate existing device tokens and issue a new one.
Similarly, if the user restores the app from backup, or migrates the app to a different device, the OS might issue a new device token, even if restoring the app to the same physical device.
The Push module provides methods for updating the device token associated with accounts it has registered to receive Push notifications. These methods also contact the server that registered the device to update its copy of the device token.
Failing to update the device token on both the client and the server will prevent push messages from arriving, which will cause authentication to fail.
|
Updating existing accounts with a new device token is only supported by the following server:
|
// Update the device token when it changes
func application(_ application: UIApplication, didRegisterForRemoteNotificationsWithDeviceToken deviceToken: Data) {
pushClient.setDeviceToken(deviceToken)
}
// Update the device token for a specific credential
pushClient.setDeviceToken(deviceToken, credentialId: credentialId)
Responding to push notifications
When your client app receives a push notification from APNs, you need to process it using the processNotification() method:
func userNotificationCenter(
_ center: UNUserNotificationCenter,
didReceive response: UNNotificationResponse,
withCompletionHandler completionHandler: @escaping @Sendable () -> Void
) {
let userInfo = response.notification.request.content.userInfo
// Process the notification through PushClient
nonisolated(unsafe) let userInfoCopy = userInfo
Task {
do {
// Process the notification - PushClient automatically extracts APNs payload
if let notification = try await pushClient.processNotification(userInfo: userInfoCopy) {
// Show notification to user based on type
if let notification = notification {
switch notification.pushType {
case .default:
showDefaultNotification(notification)
case .challenge:
showChallengeNotification(notification)
case .biometric:
showBiometricPrompt(notification)
}
}
}
else {
print("Notification was not processed (may be unsupported type)")
}
}
catch { print("Failed to process push notification: \(error.localizedDescription)") }
}
completionHandler()
}
The Push module supports three push notification types depending on your use case and provides methods for handling each one.
Responding to tap to accept notifications
The Tap to accept notification type displays an Accept and a Reject button for the user to choose how to proceed. This is the default notification type.
Call the approveNotification() method to approve the push notification, or denyNotification() to reject it:
// To approve
try await pushClient.approveNotification(notificationId)
// To deny
try await pushClient.denyNotification(notificationId)
Responding to display challenge code notifications
The Display Number Challenge notification type displays a number that the user must match on their device, either by entering the value or selecting it from multiple options.
Use the approveChallengeNotification(challengeResponse:) method to return the response to the server:
// The user sees matching numbers on both login screen and mobile device
// They enter or select the challenge response
let challengeResponse = userSelectedResponse // e.g., "80"
try await pushClient.approveChallengeNotification(notificationId, challengeResponse: challengeResponse)
Responding to biometrics to accept notifications
The Use Biometrics to Accept notification type initially displays the same Accept and a Reject buttons for the user to choose how to proceed.
If the user selects to accept the notification, the client device presents its biometric options for the user to authenticate with.
Use the approveBiometricNotification(authenticationMethod:) method to respond to the notification:
// After successful biometric authentication
let authMethod = "fingerprint" // or "face", "iris", etc.
try await pushClient.approveBiometricNotification(notificationId, authenticationMethod: authMethod)
Managing stored notifications
The Push module stores all notifications, including any that are still pending a response.
Getting pending notifications
You can get a list of pending notifications that have not yet been approved or rejected by using the getPendingNotifications() method:
// Get all pending notifications
let notifications = try await pushClient.getPendingNotifications()
if !notifications.isEmpty {
// Display pending notifications to the user
displayPendingNotifications(notifications)
} else {
// No pending notifications
showEmptyState()
}
You can use the getNotification() method to get an individual pending notification by passing its ID as a parameter:
// Get a specific notification by ID
let notification = try await pushClient.getNotification(notificationId)
if let notification = notification {
// Display the notification details
showNotificationDetails(notification)
} else {
// Notification not found
showNotFoundMessage()
}
Cleaning up pending notifications
The Push module provides automatic cleanup of push notifications by using the NotificationCleanupConfig class.
This helps prevent your app from accumulating too many push notification records, therefore improving performance and reducing storage usage.
You can customize notification cleanup by passing parameters to NotificationCleanupConfig:
// Create a client with custom notification cleanup configuration
let pushClient = try await PushClient.createClient { config in
// Configure notification cleanup
config.notificationCleanupConfig = NotificationCleanupConfig(
// Choose a cleanup mode: .none, .countBased, .ageBased, or .hybrid
cleanupMode: .hybrid,
// Maximum notifications to keep when using .countBased or .hybrid mode
maxStoredNotifications: 50,
// Maximum age in days for notifications when using .ageBased or .hybrid mode
maxNotificationAgeDays: 14
)
}
The properties you can provide are as follows:
- cleanupMode
-
The strategy the module uses to clean up notifications.
Choose from one of the following:
.none-
The module does not perform automatic cleanup of notifications.
.countBased-
The module keeps a maximum number of notifications and deletes the oldest first when the limit is exceeded.
This is the default.
.ageBased-
The module deletes notifications that are older than the specified number of days.
.hybrid-
The module applies both count and age limits to the stored notifications.
- maxStoredNotifications
-
The maximum number of notifications to keep, if using the
.countBasedmode.If the number is exceeded, the module deletes the oldest notifications first to reach the threshold.
The default is
100. - maxNotificationAgeDays
-
The maximum number of days to keep a notification before removing it.
Defaults to
30.
You can choose to trigger notification cleanup on-demand rather than automatically by using the cleanupNotifications() method:
// Clean up notifications for all credentials
let count = try await pushClient.cleanupNotifications()
print("Removed \(count) old notifications")
// Clean up notifications for a specific credential
let countForCredential = try await pushClient.cleanupNotifications(credentialId: credentialId)
print("Removed \(countForCredential) old notifications for credential \(credentialId)")
Closing the Push client
You can close the client, clean up any temporary files, and regain the memory used by calling the close() method:
// Close the Push client and clean up
try await pushClient.close()
Handling errors
The Push module provides comprehensive error handling:
do {
let credential = try await pushClient.addCredentialFromUri(uri)
} catch let error as PushError {
switch error {
case .invalidUri(let message):
print("Invalid URI: \(message)")
case .credentialNotFound(let id):
print("Credential not found: \(id)")
case .credentialLocked(let id):
print("Credential is locked: \(id)")
case .initializationFailed(let message, let underlying):
print("Client initialization failed: \(message)")
}
} catch let error as PushStorageError {
switch error {
case .storageFailure(let message, let underlying):
print("Storage error: \(message)")
}
}
Customizing credential storage
The Push module needs to store the credentials it uses on the client device.
By default, it uses an iOS keychain services-based implementation, which you can customize.
You can also provide your own storage mechanism by implementing the PushStorage interface.
Customizing the default keychain-based storage
The Push module uses the PushKeychainStorage implementation for storing Push credentials by default.
You can customize this keychain-based default as follows:
PushKeychainStorage implementation// Create a custom storage instance with specific parameters
let customStorage = PushKeychainStorage(
credentialService: String = "com.myapp.push.credentials",
notificationService: String = "com.myapp.push.notifications",
tokenService: String = "com.myapp.push.tokens",
accessGroup: "group.myapp",
accessibility: kSecAttrAccessibleWhenUnlockedThisDeviceOnly
)
// Create the client with the custom storage
let pushClient = try await PushClient.createClient { config in
config.storage = customStorage
config.enableCredentialCache = false
}
The properties you can customize are as follows:
credentialService-
The keychain service identifier to use for storing credentials.
Defaults to
com.pingidentity.push.credentials. notificationService-
The keychain service identifier to use for storing notifications.
Defaults to com.pingidentity.push.notifications`.
tokenService-
The keychain service identifier to use for storing device tokens.
Defaults to
com.pingidentity.push.tokens. accessGroup-
Optional keychain access group for shared access.
accessibility-
Keychain accessibility level.
Defaults to
kSecAttrAccessibleWhenUnlockedThisDeviceOnly.
Implementing your own storage mechanism
You can implement a custom storage solution as an alternative to the default PushKeychainStorage by implementing the PushStorage interface.
public protocol PushStorage: Sendable {
/// Store a push credential.
/// - Parameter credential: The Push credential to be stored.
/// - Throws: `PushStorageError.storageFailure` if the credential cannot be stored.
/// - Throws: `PushStorageError.duplicateCredential` if a credential with the same ID already exists.
func storePushCredential(_ credential: PushCredential) async throws
/// Retrieve all stored push credentials.
/// - Returns: A list of all Push credentials.
/// - Throws: `PushStorageError.storageFailure` if the credentials cannot be retrieved.
func getAllPushCredentials() async throws -> [PushCredential]
/// Retrieve a specific push credential by ID.
/// - Parameter credentialId: The ID of the credential to retrieve.
/// - Returns: The Push credential, or nil if not found.
/// - Throws: `PushStorageError.storageFailure` if the credential cannot be retrieved.
func retrievePushCredential(credentialId: String) async throws -> PushCredential?
/// Remove a push credential by its ID.
/// - Parameter credentialId: The ID of the credential to remove.
/// - Returns: true if the credential was successfully removed, false if it didn’t exist.
/// - Throws: `PushStorageError.storageFailure` if the credential cannot be removed.
func removePushCredential(credentialId: String) async throws -> Bool
/// Clear all Push credentials from the storage.
/// - Throws: `PushStorageError.storageFailure` if the credentials cannot be cleared.
func clearPushCredentials() async throws
/// Retrieve a push credential by issuer and account name.
/// Used for duplicate detection during credential registration.
/// - Parameters:
/// - issuer: The issuer of the credential.
/// - accountName: The account name of the credential.
/// - Returns: The Push credential if found, nil otherwise.
/// - Throws: `PushStorageError.storageFailure` if the credential cannot be retrieved.
func getCredentialByIssuerAndAccount(issuer: String, accountName: String) async throws -> PushCredential?
/// Store a push notification.
/// - Parameter notification: The Push notification to be stored.
/// - Throws: `PushStorageError.storageFailure` if the notification cannot be stored.
func storePushNotification(_ notification: PushNotification) async throws
/// Update a push notification.
/// - Parameter notification: The Push notification to update.
/// - Throws: `PushStorageError.storageFailure` if the notification cannot be updated.
func updatePushNotification(_ notification: PushNotification) async throws
/// Retrieve all stored push notifications.
/// - Returns: A list of all Push notifications.
/// - Throws: `PushStorageError.storageFailure` if the notifications cannot be retrieved.
func getAllPushNotifications() async throws -> [PushNotification]
/// Retrieve all pending push notifications.
/// - Returns: A list of pending Push notifications.
/// - Throws: `PushStorageError.storageFailure` if the notifications cannot be retrieved.
func getPendingPushNotifications() async throws -> [PushNotification]
/// Retrieve a specific push notification by ID.
/// - Parameter notificationId: The ID of the notification to retrieve.
/// - Returns: The Push notification, or nil if not found.
/// - Throws: `PushStorageError.storageFailure` if the notification cannot be retrieved.
func retrievePushNotification(notificationId: String) async throws -> PushNotification?
/// Retrieve a push notification by message ID.
/// - Parameter messageId: The message ID of the notification to retrieve.
/// - Returns: The Push notification, or nil if not found.
/// - Throws: `PushStorageError.storageFailure` if the notification cannot be retrieved.
func getNotificationByMessageId(messageId: String) async throws -> PushNotification?
/// Remove a push notification by its ID.
/// - Parameter notificationId: The ID of the notification to remove.
/// - Returns: true if the notification was successfully removed, false if it didn’t exist.
/// - Throws: `PushStorageError.storageFailure` if the notification cannot be removed.
func removePushNotification(notificationId: String) async throws -> Bool
/// Remove all push notifications associated with a credential.
/// - Parameter credentialId: The ID of the credential.
/// - Returns: The number of notifications removed.
/// - Throws: `PushStorageError.storageFailure` if the notifications cannot be removed.
func removePushNotificationsForCredential(credentialId: String) async throws -> Int
/// Clear all Push notifications from the storage.
/// - Throws: `PushStorageError.storageFailure` if the notifications cannot be cleared.
func clearPushNotifications() async throws
/// Store a push device token.
/// - Parameter token: The Push device token to be stored.
/// - Throws: `PushStorageError.storageFailure` if the token cannot be stored.
func storePushDeviceToken(_ token: PushDeviceToken) async throws
/// Retrieve the current push device token.
/// - Returns: The current Push device token, or nil if not found.
/// - Throws: `PushStorageError.storageFailure` if the token cannot be retrieved.
func getCurrentPushDeviceToken() async throws -> PushDeviceToken?
/// Clear all Push device tokens from the storage.
/// - Throws: `PushStorageError.storageFailure` if the tokens cannot be cleared.
func clearPushDeviceTokens() async throws
/// Count the number of push notifications.
/// - Parameter credentialId: Optional ID of a specific credential to count notifications for.
/// - Returns: The count of push notifications.
/// - Throws: `PushStorageError.storageFailure` if the count cannot be retrieved.
func countPushNotifications(credentialId: String?) async throws -> Int
/// Retrieve the oldest push notifications.
/// - Parameters:
/// - limit: The maximum number of notifications to retrieve.
/// - credentialId: Optional ID of a specific credential to retrieve notifications for.
/// - Returns: A list of the oldest push notifications.
/// - Throws: `PushStorageError.storageFailure` if the notifications cannot be retrieved.
func getOldestPushNotifications(limit: Int, credentialId: String?) async throws -> [PushNotification]
/// Purge push notifications by age.
/// - Parameters:
/// - maxAgeDays: The maximum age in days for notifications to keep.
/// - credentialId: Optional ID of a specific credential to purge notifications for.
/// - Returns: The number of notifications removed.
/// - Throws: `PushStorageError.storageFailure` if the notifications cannot be purged.
func purgePushNotificationsByAge(maxAgeDays: Int, credentialId: String?) async throws -> Int
/// Purge push notifications by count (removes oldest notifications when count exceeds the limit).
/// - Parameters:
/// - maxCount: The maximum number of notifications to keep.
/// - credentialId: Optional ID of a specific credential to purge notifications for.
/// - Returns: The number of notifications removed.
/// - Throws: `PushStorageError.storageFailure` if the notifications cannot be purged.
func purgePushNotificationsByCount(maxCount: Int, credentialId: String?) async throws -> Int
}
Customizing Push notification handlers
You can implement the PushHandler interface to support a custom push notification formats, if required.
public protocol PushHandler: AnyObject, Sendable {
/// Check if this handler can process the given message data.
/// This method should inspect the map data (typically the push notification payload)
/// to determine if it can be handled by this handler.
///
/// - Parameter messageData: The message data as a map, usually received from UNNotification userInfo.
/// - Returns: True if this handler can process the message data, false otherwise.
func canHandle(messageData: [String: Any]) -> Bool
/// Check if this handler can process the given message in string format.
/// This method should inspect the message string to determine if it can be handled by this
/// handler. It should return true if the handler can process the message, and false otherwise.
///
/// - Parameter message: The message data as a string, typically a JWT or JSON string.
/// - Returns: True if this handler can process the message, false otherwise.
func canHandle(message: String) -> Bool
/// Parse the message data received from the push service.
/// It should extract relevant information such as notification type, message content, and any
/// additional parameters. It should return a map of parsed data that maps to the expected
/// structure for the PushNotification.
///
/// - Parameter messageData: The message data to parse. Usually a map containing the raw data
/// from the push service. On iOS, this would typically come from UNNotificationRequest userInfo.
/// - Returns: A map of parsed data.
/// - Throws: `PushError.messageParsingFailed` if parsing fails.
func parseMessage(messageData: [String: Any]) throws -> [String: Any]
/// Parse the message received as a string.
/// It should extract relevant information from the string message (typically a JWT or JSON string)
/// and return a map of parsed data that maps to the expected structure for the PushNotification.
///
/// - Parameter message: The message data as a string to parse.
/// - Returns: A map of parsed data.
/// - Throws: `PushError.messageParsingFailed` if parsing fails.
func parseMessage(message: String) throws -> [String: Any]
/// Send to the server an approval response for a notification that was received.
/// How the approval is sent depends on the platform and the implementation of this handler.
///
/// - Parameters:
/// - credential: The credential to use for the response.
/// - notification: The notification to approve.
/// - params: Additional parameters.
/// - Returns: True if the approval was sent successfully, false otherwise.
/// - Throws: `PushError.networkFailure` if the network request fails.
func sendApproval(
credential: PushCredential,
notification: PushNotification,
params: [String: Any]
) async throws -> Bool
/// Send a denial response for a notification.
/// How the denial is sent depends on the platform and the implementation of this handler.
///
/// - Parameters:
/// - credential: The credential to use for the response.
/// - notification: The notification to deny.
/// - params: Additional parameters.
/// - Returns: True if the denial was sent successfully, false otherwise.
/// - Throws: `PushError.networkFailure` if the network request fails.
func sendDenial(
credential: PushCredential,
notification: PushNotification,
params: [String: Any]
) async throws -> Bool
/// Register or update the device token.
/// This is typically called when the device token changes.
///
/// - Parameters:
/// - credential: The credential to register or update.
/// - deviceToken: The device token.
/// - params: Additional parameters.
/// - Returns: True if was successful, false otherwise.
/// - Throws: `PushError.networkFailure` if the network request fails.
func setDeviceToken(
credential: PushCredential,
deviceToken: String,
params: [String: Any]
) async throws -> Bool
/// Register a new push credential with the server, if this is required by the platform.
/// The parameters may include additional information or any other relevant data that the
/// server needs to process the registration.
///
/// - Parameters:
/// - credential: The credential to register.
/// - params: Additional parameters for registration including messageId.
/// - Returns: True if the registration was successful, false otherwise.
/// - Throws: `PushError.networkFailure` if the network request fails.
func register(
credential: PushCredential,
params: [String: Any]
) async throws -> Bool
}
Register your custom handler when initializing the client:
let pushClient = try await PushClient.createClient { config in
config.customPushHandlers = [CustomPushHandler()]
}