# Cohorting in 3rd Party Tools Source: https://superwall.com/docs/ios/guides/3rd-party-analytics/cohorting-in-3rd-party-tools To easily view Superwall cohorts in 3rd party tools, we recommend you set user attributes based on the experiments that users are included in. You can also use custom placements for creating analytics events for actions such as interacting with an element on a paywall. :::ios ```swift Swift extension SuperwallService: SuperwallDelegate { func handleSuperwallEvent(withInfo eventInfo: SuperwallEventInfo) { if eventInfo.event.description == "trigger_fire" { MyAnalyticsService.shared.setUserAttributes([ "sw_experiment_\(eventInfo.event.params["experiment_id"])": true, "sw_variant_\(eventInfo.event.params["variant_id"])": true ]) } } } ``` ::: Once you've set this up, you can easily ask for all users who have an attribute `sw_experiment_1234` and breakdown by both variants to see how users in a Superwall experiment behave in other areas of your app. --- # Custom Paywall Analytics Source: https://superwall.com/docs/ios/guides/3rd-party-analytics/custom-paywall-analytics Learn how to log events from paywalls, such as a button tap or product change, to forward to your analytics service. You can create customized analytics tracking for any paywall event by using custom placements. With them, you can get callbacks for actions such as interacting with an element on a paywall sent to your [Superwall delegate](/using-superwall-delegate). This can be useful for tracking how users interact with your paywall and how that affects their behavior in other areas of your app. For example, in the paywall below, perhaps you're interested in tracking when people switch the plan from "Standard" and "Pro": ![](/images/3pa_cp_2.jpeg) You could create a custom placement [tap behavior](/paywall-editor-styling-elements#tap-behaviors) which fires when a segment is tapped: ![](/images/3pa_cp_1.jpeg) Then, you can listen for this placement and forward it to your analytics service: ```swift Swift extension SuperwallService: SuperwallDelegate { func handleSuperwallEvent(withInfo eventInfo: SuperwallEventInfo) { switch eventInfo.event { case let .customPlacement(name, params, paywallInfo): // Prints out didTapPro or didTapStandard print("\(name) - \(params) - \(paywallInfo)") MyAnalyticsService.shared.send(event: name, params: params) default: print("Default event: \(eventInfo.event.description)") } } } ``` For a walkthrough example, check out this [video on YouTube](https://youtu.be/4rM1rGRqDL0). --- # 3rd Party Analytics Source: https://superwall.com/docs/ios/guides/3rd-party-analytics/index undefined ### Hooking up Superwall events to 3rd party tools SuperwallKit automatically tracks some internal events. You can [view the list of events here](/tracking-analytics). We encourage you to also track them in your own analytics by implementing the [Superwall delegate](/using-superwall-delegate). Using the `handleSuperwallEvent(withInfo:)` function, you can forward events to your analytics service: :::ios ```swift Swift extension SuperwallService: SuperwallDelegate { func handleSuperwallEvent(withInfo eventInfo: SuperwallEventInfo) { print("analytics event called", eventInfo.event.description) MyAnalyticsService.shared.track( event: eventInfo.event.description, params: eventInfo.params ) } } ``` ```swift Objective-C - (void)handleSuperwallEventWithInfo:(SWKSuperwallEventInfo *)info { NSLog(@"Analytics event called %@", info.event.description)); [[MyAnalyticsService shared] trackEvent:info.event.description params:info.params]; } ``` :::
You might also want to set user attribute to allow for [Cohorting in 3rd Party Tools](/cohorting-in-3rd-party-tools) Alternatively, if you want typed versions of all these events with associated values, you can access them via `eventInfo.event`: :::ios ```swift func handleSuperwallEvent(withInfo eventInfo: SuperwallEventInfo) { switch eventInfo.event { case .firstSeen: break case .appOpen: break case .appLaunch: break case .identityAlias: break case .appInstall: break case .sessionStart: break case .deviceAttributes(let attributes): break case .subscriptionStatusDidChange: break case .appClose: break case .deepLink(let url): break case .triggerFire(let placementName, let result): break case .paywallOpen(let paywallInfo): break case .paywallClose(let paywallInfo): break case .paywallDecline(let paywallInfo): break case .transactionStart(let product, let paywallInfo): break case .transactionFail(let error, let paywallInfo): break case .transactionAbandon(let product, let paywallInfo): break case .transactionComplete(let transaction, let product, let type, let paywallInfo): break case .subscriptionStart(let product, let paywallInfo): break case .freeTrialStart(let product, let paywallInfo): break case .transactionRestore(let restoreType, let paywallInfo): break case .transactionTimeout(let paywallInfo): break case .userAttributes(let atts): break case .nonRecurringProductPurchase(let product, let paywallInfo): break case .paywallResponseLoadStart(let triggeredPlacementName): break case .paywallResponseLoadNotFound(let triggeredPlacementName): break case .paywallResponseLoadFail(let triggeredPlacementName): break case .paywallResponseLoadComplete(let triggeredPlacementName, let paywallInfo): break case .paywallWebviewLoadStart(let paywallInfo): break case .paywallWebviewLoadFail(let paywallInfo): break case .paywallWebviewLoadComplete(let paywallInfo): break case .paywallWebviewLoadTimeout(let paywallInfo): break case .paywallWebviewLoadFallback(let paywallInfo): break case .paywallProductsLoadStart(let triggeredPlacementName, let paywallInfo): break case .paywallProductsLoadFail(let triggeredPlacementName, let paywallInfo): break case .paywallProductsLoadComplete(let triggeredPlacementName): break case .paywallProductsLoadRetry(let triggeredPlacementName, let paywallInfo, let attempt): break case .surveyResponse(let survey, let selectedOption, let customResponse, let paywallInfo): break case .paywallPresentationRequest(let status, let reason): break case .touchesBegan: break case .surveyClose: break case .reset: break case .restoreStart: break case .restoreFail(let message): break case .restoreComplete: break case .configRefresh: break case .customPlacement(let name, let params, let paywallInfo): break case .configAttributes: break case .confirmAllAssignments: break case .configFail: break case .adServicesTokenRequestStart: break case .adServicesTokenRequestFail(let error): break case .adServicesTokenRequestComplete(let token): break case .shimmerViewStart: break case .shimmerViewComplete: break } } ``` ::: Wanting to use events to see which product was purchased on a paywall? Check out this [doc](/viewing-purchased-products). --- # Superwall Events Source: https://superwall.com/docs/ios/guides/3rd-party-analytics/tracking-analytics The SDK automatically tracks some events, which power the charts in the dashboard. We encourage you to track them in your own analytics as described in [3rd Party Analytics](/3rd-party-analytics). The following Superwall events can be used as placements to present paywalls: * `app_install` * `app_launch` * `deepLink_open` * `session_start` * `paywall_decline` * `transaction_fail` * `transaction_abandon` * `survey_response` For more info about how to use these, check out [how to add them using a Placement](/campaigns-placements#adding-a-placement). The full list of events is as follows: | **Event Name** | **Action** | **Parameters** | | ----------------------------------------------------------------------------------- | --------------------------------------------------------------------------------------------- | ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------ | | `adServicesTokenRequestComplete` | When the AdServices token request finishes. | `["token": String]` | | `adServicesTokenRequestFail` | When the AdServices token request fails. | `["error": Error]` | | `adServicesTokenRequestStart` | When the AdServices token request starts. | None | | `app_close` | Anytime the app leaves the foreground. | Same as `app_install` | | `app_install` | When the SDK is configured for the first time. | `["is_superwall": true, "app_session_id": String, "using_purchase_controller": Bool]` | | `app_launch` | When the app is launched from a cold start. | Same as `app_install` | | `app_open` | Anytime the app enters the foreground. | Same as `app_install` | | `configAttributes` | When the attributes affecting Superwall's configuration are set or changed. | None | | `configFail` | When the Superwall configuration fails to be retrieved. | None | | `configRefresh` | When the Superwall configuration is refreshed. | None | | `confirmAllAssignments` | When all experiment assignments are confirmed. | None | | `customPlacement` | When the user taps on an element in the paywall that has a `custom_placement` action. | `["name": String, "params": [String: Any], "paywallInfo": PaywallInfo]` | | [`deepLink_open`](/campaigns-standard-placements#using-the-deeplink-open-event) | When a user opens the app via a deep link. | `["url": String, "path": String", "pathExtension": String, "lastPathComponent": String, "host": String, "query": String, "fragment": String]` + any query parameters in the deep link URL | | `device_attributes` | When device attributes are sent to the backend every session. | Includes `app_session_id`, `app_version`, `os_version`, `device_model`, `device_locale`, and various hardware/software details. | | `first_seen` | When the user is first seen in the app, regardless of login status. | Same as `app_install` | | `freeTrial_start` | When a user completes a transaction for a subscription product with an introductory offer. | Same as `subscription_start` | | `identityAlias` | When the user's identity aliases after calling `identify`. | None | | `nonRecurringProduct_purchase` | When the user purchases a non-recurring product. | Same as `subscription_start` | | `paywall_close` | When a paywall is closed (either manually or after a transaction succeeds). | \[“paywall\_webview\_load\_complete\_time”: String?, “paywall\_url”: String, “paywall\_response\_load\_start\_time”: String?, “paywall\_products\_load\_fail\_time”: String?, “secondary\_product\_id”: String, “feature\_gating”: Int, “paywall\_response\_load\_complete\_time”: String?, “is\_free\_trial\_available”: Bool, “is\_superwall”: true, “presented\_by”: String, “paywall\_name”: String, “paywall\_response\_load\_duration”: String?, “paywall\_identifier”: String, “paywall\_webview\_load\_start\_time”: String?, “paywall\_products\_load\_complete\_time”: String?, “paywall\_product\_ids”: String, “tertiary\_product\_id”: String, “paywall\_id”: String, “app\_session\_id”: String, “paywall\_products\_load\_start\_time”: String?, “primary\_product\_id”: String, “survey\_attached”: Bool, “survey\_presentation”: String?] | | [`paywall_decline`](/campaigns-standard-placements#using-the-paywall-decline-event) | When a user manually dismisses a paywall. | Same as `paywall_close` | | `paywall_open` | When a paywall is opened. | Same as `paywall_close` | | `paywallPresentationRequest` | When something happened during the paywall presentation, whether a success or failure. | `[“source_event_name”: String, “status”: String, “is_superwall”: true, “app_session_id”: String, “pipeline_type”: String, “status_reason”: String]` | | `paywallProductsLoad_complete` | When the request to load a paywall's products completes. | Same as `paywallResponseLoad_start` | | `paywallProductsLoad_fail` | When the request to load a paywall's products fails. | Same as `paywallResponseLoad_start` | | `paywallProductsLoad_retry` | When the request to load a paywall's products fails and is being retried. | `["triggeredPlacementName": String?, "paywallInfo": PaywallInfo, "attempt": Int]` | | `paywallProductsLoad_start` | When the request to load a paywall's products starts. | Same as `paywallResponseLoad_start` | | `paywallResponseLoad_complete` | When a paywall request to Superwall's servers completes. | Same as `paywallResponseLoad_start` | | `paywallResponseLoad_fail` | When a paywall request to Superwall's servers fails. | Same as `paywallResponseLoad_start` | | `paywallResponseLoad_notFound` | When a paywall request returns a 404 error. | Same as `paywallResponseLoad_start` | | `paywallResponseLoad_start` | When a paywall request to Superwall's servers has started. | Same as `app_install` + `["is_triggered_from_event": Bool]` | | `paywallWebviewLoad_complete` | When a paywall's webpage completes loading. | Same as `paywall_close` | | `paywallWebviewLoad_fail` | When a paywall's webpage fails to load. | Same as `paywall_close` | | `paywallWebviewLoad_fallback` | When a paywall's webpage fails and loads a fallback version. | Same as `paywall_close` | | `paywallWebviewLoad_start` | When a paywall's webpage begins to load. | Same as `paywall_close` | | `paywallWebviewLoad_timeout` | When the loading of a paywall's webpage times out. | Same as `paywall_close` | | `reset` | When `Superwall.reset()` is called. | None | | `restoreComplete` | When a restore completes successfully. | None | | `restoreFail` | When a restore fails. | `["message": String]` | | `restoreStart` | When a restore is initiated. | None | | `session_start` | When the app is opened after at least 60 minutes since last `app_close`. | Same as `app_install` | | `shimmerViewComplete` | When the shimmer view stops showing. | None | | `shimmerViewStart` | When the shimmer view starts showing. | None | | `subscription_start` | When a user completes a transaction for a subscription product without an introductory offer. | \[“product\_period\_days”: String, “product\_price”: String, “presentation\_source\_type”: String?, “paywall\_response\_load\_complete\_time”: String?, “product\_language\_code”: String, “product\_trial\_period\_monthly\_price”: String, “paywall\_products\_load\_duration”: String?, “product\_currency\_symbol”: String, “is\_superwall”: true, “app\_session\_id”: String, “product\_period\_months”: String, “presented\_by\_event\_id”: String?, “product\_id”: String, “trigger\_session\_id”: String, “paywall\_webview\_load\_complete\_time”: String?, “paywall\_response\_load\_start\_time”: String?, “product\_raw\_trial\_period\_price”: String, “feature\_gating”: Int, “paywall\_id”: String, “product\_trial\_period\_daily\_price”: String, “product\_period\_years”: String, “presented\_by”: String, “product\_period”: String, “paywall\_url”: String, “paywall\_name”: String, “paywall\_identifier”: String, “paywall\_products\_load\_start\_time”: String?, “product\_trial\_period\_months”: String, “product\_currency\_code”: String, “product\_period\_weeks”: String, “product\_periodly”: String, “product\_trial\_period\_text”: String, “paywall\_webview\_load\_start\_time”: String?, “paywall\_products\_load\_complete\_time”: String?, “primary\_product\_id”: String, “product\_trial\_period\_yearly\_price”: String, “paywalljs\_version”: String?, “product\_trial\_period\_years”: String, “tertiary\_product\_id”: String, “paywall\_products\_load\_fail\_time”: String?, “product\_trial\_period\_end\_date”: String, “product\_weekly\_price”: String, “variant\_id”: String, “presented\_by\_event\_timestamp”: String?, “paywall\_response\_load\_duration”: String?, “secondary\_product\_id”: String, “product\_trial\_period\_days”: String, “product\_monthly\_price”: String, “paywall\_product\_ids”: String, “product\_locale”: String, “product\_daily\_price”: String, “product\_raw\_price”: String, “product\_yearly\_price”: String, “product\_trial\_period\_price”: String, “product\_localized\_period”: String, “product\_identifier”: String, “experiment\_id”: String, “is\_free\_trial\_available”: Bool, “product\_trial\_period\_weeks”: String, “paywall\_webview\_load\_duration”: String?, “product\_period\_alt”: String, “product\_trial\_period\_weekly\_price”: String, “presented\_by\_event\_name”: String?] | | `subscriptionStatus_didChange` | When a user's subscription status changes. | `["is_superwall": true, "app_session_id": String, "subscription_status": String]` | | `surveyClose` | When the user chooses to close a survey instead of responding. | None | | [`survey_response`](/campaigns-standard-placements#using-the-survey-response-event) | When a user responds to a paywall survey. | `["survey_selected_option_title": String, "survey_custom_response": String, "survey_id": String, "survey_assignment_key": String, "survey_selected_option_id": String]` | | `touches_began` | When the user touches the app's UIWindow for the first time (if tracked by a campaign). | Same as `app_install` | | `transaction_abandon` | When the user cancels a transaction. | Same as `subscription_start` | | `transaction_complete` | When the user completes checkout and any product is purchased. | Same as subscription\_start + \[“web\_order\_line\_item\_id”: String, “app\_bundle\_id”: String, “config\_request\_id”: String, “state”: String, “subscription\_group\_id”: String, “is\_upgraded”: String, “expiration\_date”: String, “trigger\_session\_id”: String, “original\_transaction\_identifier”: String, “id”: String, “transaction\_date”: String, “is\_superwall”: true, “store\_transaction\_id”: String, “original\_transaction\_date”: String, “app\_session\_id”: String] | | `transaction_fail` | When the payment sheet fails to complete a transaction (ignores user cancellation). | Same as `subscription_start` + `["message": String]` | | `transaction_restore` | When the user successfully restores their purchases. | Same as `subscription_start` | | `transaction_start` | When the payment sheet is displayed to the user. | Same as `subscription_start` | | `transaction_timeout` | When the transaction takes longer than 5 seconds to display the payment sheet. | `["paywallInfo": PaywallInfo]` | | `trigger_fire` | When a registered placement triggers a paywall. | `[“trigger_name”: String, “trigger_session_id”: String, “variant_id”: String?, “experiment_id”: String?, “paywall_identifier”: String?, “result”: String, “unmatched_rule_”: “”]. unmatched_rule_ indicates why a rule (with a specfiic experiment id) didn’t match. It will only exist if the result is no_rule_match. Its outcome will either be OCCURRENCE, referring to the limit applied to a rule, or EXPRESSION.` | | `user_attributes` | When the user attributes are set. | `[“aliasId”: String, “seed”: Int, “app_session_id”: String, “applicationInstalledAt”: String, “is_superwall”: true, “application_installed_at”: String] + provided attributes` | --- # Custom Paywall Actions Source: https://superwall.com/docs/ios/guides/advanced/custom-paywall-actions undefined For example, adding a custom action called `help_center` to a button in your paywall gives you the opportunity to present a help center whenever that button is pressed. To set this up, implement `handleCustomPaywallAction(withName:)` in your `SuperwallDelegate`: :::ios ```swift Swift func handleCustomPaywallAction(withName name: String) { if name == "help_center" { HelpCenterManager.present() } } ``` ```swift Objective-C - (void)handleCustomPaywallActionWithName:(NSString *)name { if ([name isEqualToString:"help_center"]) { [HelpCenterManager present]; } } ``` :::
Remember to set `Superwall.shared.delegate`! For implementation details, see the [Superwall Delegate](/using-superwall-delegate) guide. --- # Purchasing Products Outside of a Paywall Source: https://superwall.com/docs/ios/guides/advanced/direct-purchasing undefined If you're using Superwall for revenue tracking, but want a hand with making purchases in your implementation, you can use our `purchase` methods: :::ios ```swift iOS // For StoreKit 1 private func purchase(_ product: SKProduct) async throws -> PurchaseResult { return await Superwall.shared.purchase(product) } // For StoreKit 2 private func purchase(_ product: StoreKit.Product) async throws -> PurchaseResult { return await Superwall.shared.purchase(product) } // Superwall's `StoreProduct` private func purchase(_ product: StoreProduct) async throws -> PurchaseResult { return await Superwall.shared.purchase(product) } ``` ::: For iOS, the `purchase()` method supports StoreKit 1, 2 and Superwall's abstraction over a product, `StoreProduct`. You can fetch the products you've added to Superwall via the `products(for:)` method. Similarly, in Android, you can fetch a product using a product identifier — and the first base plan will be selected: :::ios ```swift iOS private func fetchProducts(for identifiers: Set) async -> Set { return await Superwall.shared.products(for: identifiers) } ``` ::: If you already have your own product fetching code, simply pass the product representation to these methods. For example, in StoreKit 1 — an `SKProduct` instance, in StoreKit 2, `Product`, etc. Each `purchase()` implementation returns a `PurchaseResult`, which informs you of the transaction's resolution: * `.cancelled`: The purchase was cancelled. * `.purchased`: The product was purchased. * `.pending`: The purchase is pending/deferred and requires action from the developer. * `.failed(Error)`: The purchase failed for a reason other than the user cancelling or the payment pending. --- # Game Controller Support Source: https://superwall.com/docs/ios/guides/advanced/game-controller-support undefined :::ios First, set the `SuperwallOption` `isGameControllerEnabled` to `true`: ```swift let options = SuperwallOptions() options.isGameControllerEnabled = true Superwall.configure(apiKey: "MY_API_KEY", options: options); ``` Forward events to your paywall by calling `gamepadValueChanged(gamepad:element:)` from your own gamepad's `valueChanged` handler: ```swift controller.extendedGamepad?.valueChangedHandler = { gamepad, element in // send values to Superwall Superwall.shared.gamepadValueChanged(gamepad: gamepad, element: element) // ... rest of your code } ``` ::: --- # Observer Mode Source: https://superwall.com/docs/ios/guides/advanced/observer-mode undefined If you wish to make purchases outside of Superwall's SDK and paywalls, you can use **observer mode** to report purchases that will appear in the Superwall dashboard, such as transactions: ![](/images/om_transactions.png) This is useful if you are using Superwall solely for revenue tracking, and you're making purchases using frameworks like StoreKit or Google Play Billing Library directly. Observer mode will also properly link user identifiers to transactions. To enable observer mode, set it using `SuperwallOptions` when configuring the SDK: :::ios ```swift iOS let options = SuperwallOptions() options.shouldObservePurchases = true Superwall.configure(apiKey: "your_api_key", options: options) ``` ::: There are a few things to keep in mind when using observer mode: 1. On iOS, if you're using StoreKit 2, then Superwall solely reports transaction completions. If you're using StoreKit 1, then Superwall will report transaction starts, abandons, and completions. 2. When using observer mode, you can't make purchases using our SDK — such as `Superwall.shared.purchase(aProduct)`. For more on setting up revenue tracking, check out this [doc](/overview-settings-revenue-tracking). --- # Retrieving and Presenting a Paywall Yourself Source: https://superwall.com/docs/ios/guides/advanced/presenting-paywalls undefined If you want complete control over the paywall presentation process, you can use `getPaywall(forPlacement:params:paywallOverrides:delegate:)`. This returns the `UIViewController` subclass `PaywallViewController`, which you can then present however you like. Or, you can use a SwiftUI `View` via `PaywallView`. The following is code is how you'd mimic [register](/docs/feature-gating): ```swift Swift final class MyViewController: UIViewController { private func presentPaywall() async { do { // 1 let paywallVc = try await Superwall.shared.getPaywall( forPlacement: "campaign_trigger", delegate: self ) self.present(paywallVc, animated: true) } catch let skippedReason as PaywallSkippedReason { // 2 switch skippedReason { case .holdout, .noAudienceMatch, .placementNotFound: break } } catch { // 3 print(error) } } private func launchFeature() { // Insert code to launch a feature that's behind your paywall. } } // 4 extension MyViewController: PaywallViewControllerDelegate { func paywall( _ paywall: PaywallViewController, didFinishWith result: PaywallResult, shouldDismiss: Bool ) { if shouldDismiss { paywall.dismiss(animated: true) } switch result { case .purchased, .restored: launchFeature() case .declined: let closeReason = paywall.info.closeReason let featureGating = paywall.info.featureGatingBehavior if closeReason != .forNextPaywall && featureGating == .nonGated { launchFeature() } } } } ``` ```swift Objective-C @interface MyViewController : UIViewController - (void)presentPaywall; @end @interface MyViewController () @end @implementation MyViewController - (void)presentPaywall { // 1 [[Superwall sharedInstance] getPaywallForEvent:@"campaign_trigger" params:nil paywallOverrides:nil delegate:self completion:^(SWKGetPaywallResult * _Nonnull result) { if (result.paywall != nil) { [self presentViewController:result.paywall animated:YES completion:nil]; } else if (result.skippedReason != SWKPaywallSkippedReasonNone) { switch (result.skippedReason) { // 2 case SWKPaywallSkippedReasonHoldout: case SWKPaywallSkippedReasonUserIsSubscribed: case SWKPaywallSkippedReasonEventNotFound: case SWKPaywallSkippedReasonNoRuleMatch: case SWKPaywallSkippedReasonNone: break; }; } else if (result.error) { // 3 NSLog(@"%@", result.error); } }]; } -(void)launchFeature { // Insert code to launch a feature that's behind your paywall. } // 4 - (void)paywall:(SWKPaywallViewController *)paywall didFinishWithResult:(enum SWKPaywallResult)result shouldDismiss:(BOOL)shouldDismiss { if (shouldDismiss) { [paywall dismissViewControllerAnimated:true completion:nil]; } SWKPaywallCloseReason closeReason; SWKFeatureGatingBehavior featureGating; switch (result) { case SWKPaywallResultPurchased: case SWKPaywallResultRestored: [self launchFeature]; break; case SWKPaywallResultDeclined: closeReason = paywall.info.closeReason; featureGating = paywall.info.featureGatingBehavior; if (closeReason != SWKPaywallCloseReasonForNextPaywall && featureGating == SWKFeatureGatingBehaviorNonGated) { [self launchFeature]; } break; } } @end ``` ```swift SwiftUI import SuperwallKit struct MyAwesomeApp: App { @State var store: AppStore = .init() init() { Superwall.configure(apiKey: "MyAPIKey") } var body: some Scene { WindowGroup { ContentView() .fullScreenCover(isPresented: $store.showPaywall) { // You can just use 'placement' at a minimum. The 'feature' // Closure fires if they convert PaywallView(placement: "a_placement", onSkippedView: { skip in switch skip { case .userIsSubscribed, .holdout(_), .noRuleMatch, .eventNotFound: MySkipView() } }, onErrorView: { error in MyErrorView() }, feature: { // User is subscribed as a result of the paywall purchase // Or they already were (which would happen in `onSkippedView`) }) } } } } ``` ```kotlin Kotlin // This is an example of how to use `getPaywall` to use a composable` import androidx.compose.foundation.layout.Arrangement import androidx.compose.foundation.layout.Box import androidx.compose.foundation.layout.Column import androidx.compose.foundation.layout.fillMaxSize import androidx.compose.material3.CircularProgressIndicator import androidx.compose.material3.Text import androidx.compose.runtime.Composable import androidx.compose.runtime.LaunchedEffect import androidx.compose.runtime.mutableStateOf import androidx.compose.runtime.remember import androidx.compose.ui.Alignment import androidx.compose.ui.Modifier import androidx.compose.ui.viewinterop.AndroidView import com.superwall.sdk.Superwall import com.superwall.sdk.paywall.presentation.get_paywall.getPaywall import com.superwall.sdk.paywall.presentation.internal.request.PaywallOverrides import com.superwall.sdk.paywall.vc.PaywallView import com.superwall.sdk.paywall.vc.delegate.PaywallViewCallback @Composable fun PaywallComposable( event: String, params: Map? = null, paywallOverrides: PaywallOverrides? = null, callback: PaywallViewCallback, errorComposable: @Composable ((Throwable) -> Unit) = { error: Throwable -> // Default error composable Text(text = "No paywall to display") }, loadingComposable: @Composable (() -> Unit) = { // Default loading composable Box(modifier = Modifier.fillMaxSize()) { Column( modifier = Modifier.align(Alignment.Center), verticalArrangement = Arrangement.Center, horizontalAlignment = Alignment.CenterHorizontally ) { CircularProgressIndicator() } } } ) { val viewState = remember { mutableStateOf(null) } val errorState = remember { mutableStateOf(null) } val context = LocalContext.current LaunchedEffect(Unit) { PaywallBuilder(event) .params(params) .overrides(paywallOverrides) .delegate(delegate) .activity(context as Activity) .build() .fold(onSuccess = { viewState.value = it }, onFailure = { errorState.value = it }) } when { viewState.value != null -> { viewState.value?.let { viewToRender -> DisposableEffect(viewToRender) { viewToRender.onViewCreated() onDispose { viewToRender.beforeOnDestroy() viewToRender.encapsulatingActivity = null CoroutineScope(Dispatchers.Main).launch { viewToRender.destroyed() } } } AndroidView( factory = { context -> viewToRender } ) } } errorState.value != null -> { errorComposable(errorState.value!!) } else -> { loadingComposable() } } } ``` This does the following: 1. Gets the paywall view controller. 2. Handles the cases where the paywall was skipped. 3. Catches any presentation errors. 4. Implements the delegate. This is called when the user is finished with the paywall. First, it checks `shouldDismiss`. If this is true then is dismissed the paywall from view before launching any features. This may depend on the `result` depending on how you first presented your view. Then, it switches over the `result`. If the result is `purchased` or `restored` the feature can be launched. However, if the result is `declined`, it checks that the the `featureGating` property of `paywall.info` is `nonGated` and that the `closeReason` isn't `.forNextPaywall`. ### Best practices 1. **Make sure to prevent a paywall from being accessed after a purchase has occurred**. If a user purchases from a paywall, it is your responsibility to make sure that the user can't access that paywall again. For example, if after successful purchase you decide to push a new view on to the navigation stack, you should make sure that the user can't go back to access the paywall. 2. **Make sure the paywall view controller deallocates before presenting it elsewhere**. If you have a paywall view controller presented somewhere and you try to present the same view controller elsewhere, you will get a crash. For example, you may have a paywall in a tab bar controller, and then you also try to present it modally. We plan on improving this, but currently it's your responsibility to ensure this doesn't happen. :::ios 3. **Listening for Loading State Changes**. If you have logic that depends on the progress of the paywall's loading state, you can use the delegate function `paywall(_:loadingStateDidChange:)`. Or, if you have an instance of a `PaywallViewController`, you can use the published property: ```swift let stateSub = paywall.$loadingState.sink { state in print(state) } ``` ::: --- # Using the Presentation Handler Source: https://superwall.com/docs/ios/guides/advanced/using-the-presentation-handler undefined You can provide a `PaywallPresentationHandler` to `register`, whose functions provide status updates for a paywall: * `onDismiss`: Called when the paywall is dismissed. Accepts a `PaywallInfo` object containing info about the dismissed paywall, and there is a `PaywallResult` informing you of any transaction. * `onPresent`: Called when the paywall did present. Accepts a `PaywallInfo` object containing info about the presented paywall. * `onError`: Called when an error occurred when trying to present a paywall. Accepts an `Error` indicating why the paywall could not present. * `onSkip`: Called when a paywall is skipped. Accepts a `PaywallSkippedReason` enum indicating why the paywall was skipped. ```swift Swift let handler = PaywallPresentationHandler() handler.onDismiss { paywallInfo, result in print("The paywall dismissed. PaywallInfo: \(paywallInfo). Result: \(result)") } handler.onPresent { paywallInfo in print("The paywall presented. PaywallInfo:", paywallInfo) } handler.onError { error in print("The paywall presentation failed with error \(error)") } handler.onSkip { reason in switch reason { case .holdout(let experiment): print("Paywall not shown because user is in a holdout group in Experiment: \(experiment.id)") case .noAudienceMatch: print("Paywall not shown because user doesn't match any audiences.") case .placementNotFound: print("Paywall not shown because this placement isn't part of a campaign.") } } Superwall.shared.register(placement: "campaign_trigger", handler: handler) { // Feature launched } ``` ```swift Objective-C SWKPaywallPresentationHandler *handler = [[SWKPaywallPresentationHandler alloc] init]; [handler onDismiss:^(SWKPaywallInfo * _Nonnull paywallInfo, enum SWKPaywallResult result, SWKStoreProduct * _Nullable product) { NSLog(@"The paywall presented. PaywallInfo: %@ - result: %ld", paywallInfo, (long)result); }]; [handler onPresent:^(SWKPaywallInfo * _Nonnull paywallInfo) { NSLog(@"The paywall presented. PaywallInfo: %@", paywallInfo); }]; [handler onError:^(NSError * _Nonnull error) { NSLog(@"The paywall presentation failed with error %@", error); }]; [handler onSkip:^(enum SWKPaywallSkippedReason reason) { switch (reason) { case SWKPaywallSkippedReasonUserIsSubscribed: NSLog(@"Paywall not shown because user is subscribed."); break; case SWKPaywallSkippedReasonHoldout: NSLog(@"Paywall not shown because user is in a holdout group."); break; case SWKPaywallSkippedReasonNoAudienceMatch: NSLog(@"Paywall not shown because user doesn't match any audiences."); break; case SWKPaywallSkippedReasonPlacementNotFound: NSLog(@"Paywall not shown because this placement isn't part of a campaign."); break; case SWKPaywallSkippedReasonNone: // The paywall wasn't skipped. break; } }]; [[Superwall sharedInstance] registerWithPlacement:@"campaign_trigger" params:nil handler:handler feature:^{ // Feature launched. }]; ``` ```kotlin Kotlin val handler = PaywallPresentationHandler() handler.onDismiss { paywallInfo, result -> println("The paywall dismissed. PaywallInfo: ${it}") } handler.onPresent { println("The paywall presented. PaywallInfo: ${it}") } handler.onError { println("The paywall errored. Error: ${it}") } handler.onSkip { when (it) { is PaywallSkippedReason.PlacementNotFound -> { println("The paywall was skipped because the placement was not found.") } is PaywallSkippedReason.Holdout -> { println("The paywall was skipped because the user is in a holdout group.") } is PaywallSkippedReason.NoAudienceMatch -> { println("The paywall was skipped because no audience matched.") } } } Superwall.instance.register(placement = "campaign_trigger", handler = handler) { // Feature launched } ``` ```dart Flutter PaywallPresentationHandler handler = PaywallPresentationHandler(); handler.onPresent((paywallInfo) async { String name = await paywallInfo.name; print("Handler (onPresent): $name"); }); handler.onDismiss((paywallInfo, paywallResult) async { String name = await paywallInfo.name; print("Handler (onDismiss): $name"); }); handler.onError((error) { print("Handler (onError): ${error}"); }); handler.onSkip((skipReason) async { String description = await skipReason.description; if (skipReason is PaywallSkippedReasonHoldout) { print("Handler (onSkip): $description"); final experiment = await skipReason.experiment; final experimentId = await experiment.id; print("Holdout with experiment: ${experimentId}"); } else if (skipReason is PaywallSkippedReasonNoAudienceMatch) { print("Handler (onSkip): $description"); } else if (skipReason is PaywallSkippedReasonPlacementNotFound) { print("Handler (onSkip): $description"); } else { print("Handler (onSkip): Unknown skip reason"); } }); Superwall.shared.registerPlacement("campaign_trigger", handler: handler, feature: () { // Feature launched }); ``` ```typescript React Native const handler = new PaywallPresentationHandler() handler.onPresent((paywallInfo) => { const name = paywallInfo.name console.log(`Handler (onPresent): ${name}`) }) handler.onDismiss((paywallInfo, paywallResult) => { const name = paywallInfo.name console.log(`Handler (onDismiss): ${name}`) }) handler.onError((error) => { console.log(`Handler (onError): ${error}`) }) handler.onSkip((skipReason) => { const description = skipReason.description if (skipReason instanceof PaywallSkippedReasonHoldout) { console.log(`Handler (onSkip): ${description}`) const experiment = skipReason.experiment const experimentId = experiment.id console.log(`Holdout with experiment: ${experimentId}`) } else if (skipReason instanceof PaywallSkippedReasonNoAudienceMatch) { console.log(`Handler (onSkip): ${description}`) } else if (skipReason instanceof PaywallSkippedReasonPlacementNotFound) { console.log(`Handler (onSkip): ${description}`) } else { console.log(`Handler (onSkip): Unknown skip reason`) } }) Superwall.shared.register({ placement: 'campaign_trigger', handler: handler, feature: () => { // Feature launched } }); ``` Wanting to see which product was just purchased from a paywall? Use `onDismiss` and the `result` parameter. Or, you can use the [SuperwallDelegate](/3rd-party-analytics#using-events-to-see-purchased-products). --- # Viewing Purchased Products Source: https://superwall.com/docs/ios/guides/advanced/viewing-purchased-products undefined When a paywall is presenting and a user converts, you can view the purchased products in several different ways. ### Use the `PaywallPresentationHandler` Arguably the easiest of the options — simply pass in a presentation handler and check out the product within the `onDismiss` block. ```swift Swift let handler = PaywallPresentationHandler() handler.onDismiss { _, result in switch result { case .declined: print("No purchased occurred.") case .purchased(let product): print("Purchased \(product.productIdentifier)") case .restored: print("Restored purchases.") } } Superwall.shared.register(placement: "caffeineLogged", handler: handler) { logCaffeine() } ``` ```swift Objective-C SWKPaywallPresentationHandler *handler = [SWKPaywallPresentationHandler new]; [handler onDismiss:^(SWKPaywallInfo * _Nonnull info, enum SWKPaywallResult result, SWKStoreProduct * _Nullable product) { switch (result) { case SWKPaywallResultPurchased: NSLog(@"Purchased %@", product.productIdentifier); default: NSLog(@"Unhandled event."); } }]; [[Superwall sharedInstance] registerWithPlacement:@"caffeineLogged" params:@{} handler:handler feature:^{ [self logCaffeine]; }]; ``` ```kotlin Android val handler = PaywallPresentationHandler() handler.onDismiss { _, paywallResult -> when (paywallResult) { is PaywallResult.Purchased -> { // The user made a purchase! val purchasedProductId = paywallResult.productId println("User purchased product: $purchasedProductId") // ... do something with the purchased product ID ... } is PaywallResult.Declined -> { // The user declined to make a purchase. println("User declined to make a purchase.") // ... handle the declined case ... } is PaywallResult.Restored -> { // The user restored a purchase. println("User restored a purchase.") // ... handle the restored case ... } } } Superwall.instance.register(placement = "caffeineLogged", handler = handler) { logCaffeine() } ``` ```dart Flutter PaywallPresentationHandler handler = PaywallPresentationHandler(); handler.onDismiss((paywallInfo, paywallResult) async { String name = await paywallInfo.name; print("Handler (onDismiss): $name"); switch (paywallResult) { case PurchasedPaywallResult(productId: var id): // The user made a purchase! print('User purchased product: $id'); // ... do something with the purchased product ID ... break; case DeclinedPaywallResult(): // The user declined to make a purchase. print('User declined the paywall.'); // ... handle the declined case ... break; case RestoredPaywallResult(): // The user restored a purchase. print('User restored a previous purchase.'); // ... handle the restored case ... break; } }); Superwall.shared.registerPlacement( "caffeineLogged", handler: handler, feature: () { logCaffeine(); }); ``` ```typescript React Native import * as React from "react" import Superwall from "../../src" import { PaywallPresentationHandler, PaywallInfo } from "../../src" import type { PaywallResult } from "../../src/public/PaywallResult" const Home = () => { const navigation = useNavigation() const presentationHandler: PaywallPresentationHandler = { onDismiss: (handler: (info: PaywallInfo, result: PaywallResult) => void) => { handler = (info, result) => { console.log("Paywall dismissed with info:", info, "and result:", result) if (result.type === "purchased") { console.log("Product purchased with ID:", result.productId) } } }, onPresent: (handler: (info: PaywallInfo) => void) => { handler = (info) => { console.log("Paywall presented with info:", info) // Add logic for when the paywall is presented } }, onError: (handler: (error: string) => void) => { handler = (error) => { console.error("Error presenting paywall:", error) // Handle any errors that occur during presentation } }, onSkip: () => { console.log("Paywall presentation skipped") // Handle the case where the paywall presentation is skipped }, } const nonGated = () => { Superwall.shared.register({ placement: "non_gated", handler: presentationHandler, feature: () => { navigation.navigate("caffeineLogged", { value: "Go for caffeine logging", }) }); } return // Your view code here } ``` ### Use `SuperwallDelegate` Next, the [SuperwallDelegate](/using-superwall-delegate) offers up much more information, and can inform you of virtually any Superwall event that occurred: ```swift Swift class SWDelegate: SuperwallDelegate { func handleSuperwallEvent(withInfo eventInfo: SuperwallEventInfo) { switch eventInfo.event { case .transactionComplete(_, let product, _, _): print("Transaction complete: product: \(product.productIdentifier)") case .subscriptionStart(let product, _): print("Subscription start: product: \(product.productIdentifier)") case .freeTrialStart(let product, _): print("Free trial start: product: \(product.productIdentifier)") case .transactionRestore(_, _): print("Transaction restored") case .nonRecurringProductPurchase(let product, _): print("Consumable product purchased: \(product.id)") default: print("Unhandled event.") } } } @main struct Caffeine_PalApp: App { @State private var swDelegate: SWDelegate = .init() init() { Superwall.configure(apiKey: "my_api_key") Superwall.shared.delegate = swDelegate } var body: some Scene { WindowGroup { ContentView() } } } ``` ```swift Objective-C // SWDelegate.h... #import @import SuperwallKit; NS_ASSUME_NONNULL_BEGIN @interface SWDelegate : NSObject @end NS_ASSUME_NONNULL_END // SWDelegate.m... @implementation SWDelegate - (void)handleSuperwallEventWithInfo:(SWKSuperwallEventInfo *)eventInfo { switch(eventInfo.event) { case SWKSuperwallEventTransactionComplete: NSLog(@"Transaction complete: %@", eventInfo.params[@"primary_product_id"]); } } // In AppDelegate.m... #import "AppDelegate.h" #import "SWDelegate.h" @import SuperwallKit; @interface AppDelegate () @property (strong, nonatomic) SWDelegate *delegate; @end @implementation AppDelegate - (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions { // Override point for customization after application launch. self.delegate = [SWDelegate new]; [Superwall configureWithApiKey:@"my_api_key"]; [Superwall sharedInstance].delegate = self.delegate; return YES; } ``` ```kotlin Android class SWDelegate : SuperwallDelegate { override fun handleSuperwallEvent(eventInfo: SuperwallEventInfo) { when (eventInfo.event) { is SuperwallPlacement.TransactionComplete -> { val transaction = (eventInfo.event as SuperwallPlacement.TransactionComplete).transaction val product = (eventInfo.event as SuperwallPlacement.TransactionComplete).product val paywallInfo = (eventInfo.event as SuperwallPlacement.TransactionComplete).paywallInfo println("Transaction Complete: $transaction, Product: $product, Paywall Info: $paywallInfo") } else -> { // Handle other cases } } } } class MyApplication : Application() { override fun onCreate() { super.onCreate() Superwall.configure(this, "my_api_key") Superwall.instance.delegate = SWDelegate() } } ``` ```dart Flutter import 'dart:io'; import 'package:flutter/material.dart'; import 'package:superwallkit_flutter/superwallkit_flutter.dart'; class _MyAppState extends State implements SuperwallDelegate { final logging = Logging(); @override void initState() { super.initState(); configureSuperwall(useRevenueCat); } Future configureSuperwall(bool useRevenueCat) async { try { final apiKey = Platform.isIOS ? 'ios_api_project_key' : 'android_api_project_key'; final logging = Logging(); logging.level = LogLevel.warn; logging.scopes = {LogScope.all}; final options = SuperwallOptions(); options.paywalls.shouldPreload = false; options.logging = logging; Superwall.configure(apiKey, purchaseController: null, options: options, completion: () { logging.info('Executing Superwall configure completion block'); }); Superwall.shared.setDelegate(this); } catch (e) { // Handle any errors that occur during configuration logging.error('Failed to configure Superwall:', e); } } @override Future handleSuperwallEvent(SuperwallEventInfo eventInfo) async { switch (eventInfo.event.type) { case PlacementType.transactionComplete: final product = eventInfo.params?['product']; logging.info('Transaction complete event received with product: $product'); // Add any additional logic you need to handle the transaction complete event break; // Handle other events if necessary default: logging.info('Unhandled event type: ${eventInfo.event.type}'); break; } } } ``` ```typescript React Native import { PaywallInfo, SubscriptionStatus, SuperwallDelegate, SuperwallPlacementInfo, PlacementType, } from '../../src'; export class MySuperwallDelegate extends SuperwallDelegate { handleSuperwallPlacement(placementInfo: SuperwallPlacementInfo) { console.log('Handling Superwall placement:', placementInfo); switch (placementInfo.placement.type) { case PlacementType.transactionComplete: const product = placementInfo.params?.["product"]; if (product) { console.log(`Product: ${product}`); } else { console.log("Product not found in params."); } break; default: break; } } } export default function App() { const delegate = new MySuperwallDelegate(); React.useEffect(() => { const setupSuperwall = async () => { const apiKey = Platform.OS === 'ios' ? 'ios_api_project_key' : 'android_api_project_key'; Superwall.configure({ apiKey: apiKey, }); Superwall.shared.setDelegate(delegate); }; } } ``` ### Use a purchase controller If you are controlling the purchasing pipeline yourself via a [purchase controller](/advanced-configuration), then naturally the purchased product is available: ```swift Swift final class MyPurchaseController: PurchaseController { func purchase(product: StoreProduct) async -> PurchaseResult { print("Kicking off purchase of \(product.productIdentifier)") do { let result = try await MyPurchaseLogic.purchase(product: product) return .purchased // .cancelled, .pending, .failed(Error) } catch { return .failed(error) } } // 2 func restorePurchases() async -> RestorationResult { print("Restoring purchases") return .restored // false } } @main struct Caffeine_PalApp: App { private let pc: MyPurchaseController = .init() init() { Superwall.configure(apiKey: "my_api_key", purchaseController: pc) } var body: some Scene { WindowGroup { ContentView() } } } ``` ```swift Objective-C // In MyPurchaseController.h... #import @import SuperwallKit; @import StoreKit; NS_ASSUME_NONNULL_BEGIN @interface MyPurchaseController : NSObject + (instancetype)sharedInstance; @end NS_ASSUME_NONNULL_END // In MyPurchaseController.m... #import "MyPurchaseController.h" @implementation MyPurchaseController + (instancetype)sharedInstance { static MyPurchaseController *sharedInstance = nil; static dispatch_once_t onceToken; dispatch_once(&onceToken, ^{ sharedInstance = [MyPurchaseController new]; }); return sharedInstance; } - (void)purchaseWithProduct:(SWKStoreProduct * _Nonnull)product completion:(void (^ _Nonnull)(enum SWKPurchaseResult, NSError * _Nullable))completion { NSLog(@"Kicking off purchase of %@", product.productIdentifier); // Do purchase logic here completion(SWKPurchaseResultPurchased, nil); } - (void)restorePurchasesWithCompletion:(void (^ _Nonnull)(enum SWKRestorationResult, NSError * _Nullable))completion { // Do restore logic here completion(SWKRestorationResultRestored, nil); } @end // In AppDelegate.m... #import "AppDelegate.h" #import "MyPurchaseController.h" @import SuperwallKit; @interface AppDelegate () @end @implementation AppDelegate - (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions { // Override point for customization after application launch. [Superwall configureWithApiKey:@"my_api_key" purchaseController:[MyPurchaseController sharedInstance] options:nil completion:^{ }]; return YES; } ``` ```kotlin Android class MyPurchaseController(val context: Context): PurchaseController { override suspend fun purchase( activity: Activity, productDetails: ProductDetails, basePlanId: String?, offerId: String? ): PurchaseResult { println("Kicking off purchase of $basePlanId") return PurchaseResult.Purchased() } override suspend fun restorePurchases(): RestorationResult { TODO("Not yet implemented") } } class MyApplication : Application() { override fun onCreate() { super.onCreate() Superwall.configure(this, "my_api_key", purchaseController = MyPurchaseController(this)) } } ``` ```dart Flutter class MyPurchaseController extends PurchaseController { // 1 @override Future purchaseFromAppStore(String productId) async { print('Attempting to purchase product with ID: $productId'); // Do purchase logic return PurchaseResult.purchased; } @override Future purchaseFromGooglePlay( String productId, String? basePlanId, String? offerId ) async { print('Attempting to purchase product with ID: $productId and basePlanId: $basePlanId'); // Do purchase logic return PurchaseResult.purchased; } @override Future restorePurchases() async { // Do resture logic } } ``` ```typescript React Native export class MyPurchaseController extends PurchaseController { // 1 async purchaseFromAppStore(productId: string): Promise { console.log("Kicking off purchase of ", productId) // Purchase logic return await this._purchaseStoreProduct(storeProduct) } async purchaseFromGooglePlay( productId: string, basePlanId?: string, offerId?: string ): Promise { console.log("Kicking off purchase of ", productId, " base plan ID", basePlanId) // Purchase logic return await this._purchaseStoreProduct(storeProduct) } // 2 async restorePurchases(): Promise { // TODO // ---- // Restore purchases and return true if successful. } } ``` ### SwiftUI - Use `PaywallView` The `PaywallView` allows you to show a paywall by sending it a placement. It also has a dismiss handler where the purchased product will be vended: ```swift @main struct Caffeine_PalApp: App { @State private var presentPaywall: Bool = false init() { Superwall.configure(apiKey: "my_api_key") } var body: some Scene { WindowGroup { Button("Log") { presentPaywall.toggle() } .sheet(isPresented: $presentPaywall) { PaywallView(placement: "caffeineLogged", params: nil, paywallOverrides: nil) { info, result in switch result { case .declined: print("No purchased occurred.") case .purchased(let product): print("Purchased \(product.productIdentifier)") case .restored: print("Restored purchases.") } } feature: { print("Converted") presentPaywall.toggle() } } } } } ``` --- # Advanced Purchasing Source: https://superwall.com/docs/ios/guides/advanced-configuration If you need fine-grain control over the purchasing pipeline, use a purchase controller to manually handle purchases and subscription status. Using a `PurchaseController` is only recommended for **advanced** use cases. By default, Superwall handles all subscription-related logic and purchasing operations for you out of the box. By default, Superwall handles basic subscription-related logic for you: 1. **Purchasing**: When the user initiates a checkout on a paywall. 2. **Restoring**: When the user restores previously purchased products. 3. **Subscription Status**: When the user's subscription status changes to active or expired (by checking the local receipt). However, if you want more control, you can pass in a `PurchaseController` when configuring the SDK via `configure(apiKey:purchaseController:options:)` and manually set `Superwall.shared.subscriptionStatus` to take over this responsibility. ### Step 1: Creating a `PurchaseController` A `PurchaseController` handles purchasing and restoring via protocol methods that you implement. :::ios ```swift Swift // MyPurchaseController.swift import SuperwallKit import StoreKit final class MyPurchaseController: PurchaseController { static let shared = MyPurchaseController() // 1 func purchase(product: StoreProduct) async -> PurchaseResult { // Use StoreKit or some other SDK to purchase... // Send Superwall the result. return .purchased // .cancelled, .pending, .failed(Error) } func restorePurchases() async -> RestorationResult { // Use StoreKit or some other SDK to restore... // Send Superwall the result. return .restored // Or failed(error) } } ``` ```swift Objective-C @import SuperwallKit; @import StoreKit; // MyPurchaseController @interface MyPurchaseController: NSObject + (instancetype)sharedInstance; @end @implementation MyPurchaseController + (instancetype)sharedInstance { static MyPurchaseController *sharedInstance = nil; static dispatch_once_t onceToken; dispatch_once(&onceToken, ^{ sharedInstance = [MyPurchaseController new]; }); return sharedInstance; } // 1 - (void)purchaseWithProduct:(SWKStoreProduct * _Nonnull)product completion:(void (^ _Nonnull)(enum SWKPurchaseResult, NSError * _Nullable))completion { // TODO // ---- // Purchase via StoreKit, RevenueCat, Qonversion or however // you like and return a valid SWKPurchaseResult completion(SWKPurchaseResultPurchased, nil); } // 2 - (void)restorePurchasesWithCompletion:(void (^ _Nonnull)(enum SWKRestorationResult, NSError * _Nullable))completion { // TODO // ---- // Restore purchases and return `SWKRestorationResultRestored` if successful. // Return an `NSError` if not. completion(SWKRestorationResultRestored, nil); } @end ```
```swift import StoreKit import SuperwallKit final class SWPurchaseController: PurchaseController { // MARK: Sync Subscription Status /// Makes sure that Superwall knows the customer's subscription status by /// changing `Superwall.shared.subscriptionStatus` func syncSubscriptionStatus() async { var products: Set = [] for await verificationResult in Transaction.currentEntitlements { switch verificationResult { case .verified(let transaction): products.insert(transaction.productID) case .unverified: break } } let storeProducts = await Superwall.shared.products(for: products) let entitlements = Set(storeProducts.flatMap { $0.entitlements }) await MainActor.run { Superwall.shared.subscriptionStatus = .active(entitlements) } } // MARK: Handle Purchases /// Makes a purchase with Superwall and returns its result after syncing subscription status. This gets called when /// someone tries to purchase a product on one of your paywalls. func purchase(product: StoreProduct) async -> PurchaseResult { let result = await Superwall.shared.purchase(product) await syncSubscriptionStatus() return result } // MARK: Handle Restores /// Makes a restore with Superwall and returns its result after syncing subscription status. /// This gets called when someone tries to restore purchases on one of your paywalls. func restorePurchases() async -> RestorationResult { let result = await Superwall.shared.restorePurchases() await syncSubscriptionStatus() return result } } ``` ::: Here’s what each method is responsible for: 1. Purchasing a given product. In here, enter your code that you use to purchase a product. Then, return the result of the purchase as a `PurchaseResult`. For Flutter, this is separated into purchasing from the App Store and Google Play. This is an enum that contains the following cases, all of which must be handled: 1. `.cancelled`: The purchase was cancelled. 2. `.purchased`: The product was purchased. 3. `.pending`: The purchase is pending/deferred and requires action from the developer. 4. `.failed(Error)`: The purchase failed for a reason other than the user cancelling or the payment pending. 2. Restoring purchases. Here, you restore purchases and return a `RestorationResult` indicating whether the restoration was successful or not. If it was, return `.restore`, or `failed` along with the error reason. ### Step 2: Configuring the SDK With Your `PurchaseController` Pass your purchase controller to the `configure(apiKey:purchaseController:options:)` method: :::ios ```swift UIKit // AppDelegate.swift import UIKit import SuperwallKit @main class AppDelegate: UIResponder, UIApplicationDelegate { func application(_ application: UIApplication, didFinishLaunchingWithOptions launchOptions: [UIApplication.LaunchOptionsKey: Any]?) -> Bool { Superwall.configure( apiKey: "MY_API_KEY", purchaseController: MyPurchaseController.shared // <- Handle purchases on your own ) return true } } ``` ```swift SwiftUI @main struct MyApp: App { init() { Superwall.configure( apiKey: "MY_API_KEY", purchaseController: MyPurchaseController.shared // <- Handle purchases on your own ) } var body: some Scene { WindowGroup { ContentView() } } } ``` ```swift Objective-C // AppDelegate.m @import SuperwallKit; @implementation AppDelegate - (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions { // Override point for customization after application launch. [Superwall configureWithApiKey:@"MY_API_KEY" purchaseController:[MyPurchaseController sharedInstance] options:nil completion:nil]; return YES; } ``` ::: ### Step 3: Keeping `subscriptionStatus` Up-To-Date You **must** set `Superwall.shared.subscriptionStatus` every time the user's subscription status changes, otherwise the SDK won't know who to show a paywall to. This is an enum that has three possible cases: 1. **`.unknown`**: This is the default value. In this state, paywalls will not show and their presentation will be ***automatically delayed*** until `subscriptionStatus` changes to a different value. 2. **`.active(let entitlements)`**: Indicates that the user has an active entitlement. Paywalls will not show in this state unless you remotely set the paywall to ignore subscription status. A user can have one or more active entitlement. 3. **`.inactive`**: Indicates that the user doesn't have an active entitlement. Paywalls can show in this state. Here's how you might do this: :::ios ```swift Swift import SuperwallKit func syncSubscriptionStatus() async { var purchasedProductIds: Set = [] // get all purchased product ids for await verificationResult in Transaction.currentEntitlements { switch verificationResult { case .verified(let transaction): purchasedProductIds.insert(transaction.productID) case .unverified: break } } // get store products for purchased product ids from Superwall let storeProducts = await Superwall.shared.products(for: purchasedProductIds) // get entitlements from purchased store products let entitlements = Set(storeProducts.flatMap { $0.entitlements }) // set subscription status await MainActor.run { Superwall.shared.subscriptionStatus = .active(entitlements) } } ``` ```swift Objective-C @import SuperwallKit; // when a subscription is purchased, restored, validated, expired, etc... [myService setSubscriptionStatusDidChange:^{ if (user.hasActiveSubscription) { [Superwall sharedInstance] setActiveSubscriptionStatusWith:[NSSet setWithArray:@[myEntitlements]]]; } else { [[Superwall sharedInstance] setInactiveSubscriptionStatus]; } }]; ``` :::
`subscriptionStatus` is cached between app launches ### Listening for subscription status changes If you need a simple way to observe when a user's subscription status changes, on iOS you can use the `Publisher` for it. Here's an example: :::ios ```swift iOS subscribedCancellable = Superwall.shared.$subscriptionStatus .receive(on: DispatchQueue.main) .sink { [weak self] status in switch status { case .unknown: self?.subscriptionLabel.text = "Loading subscription status." case .active(let entitlements): self?.subscriptionLabel.text = "You currently have an active subscription: \(entitlements.map { $0.id }). Therefore, the paywall will not show unless feature gating is disabled." case .inactive: self?.subscriptionLabel.text = "You do not have an active subscription so the paywall will show when clicking the button." } } ``` ::: You can do similar tasks with the `SuperwallDelegate`, such as [viewing which product was purchased from a paywall](/3rd-party-analytics#using-events-to-see-purchased-products). --- # App Store Privacy Labels Source: https://superwall.com/docs/ios/guides/app-privacy-nutrition-labels undefined When submitting your app for review, you'll need to fill out an App Store Privacy label. When using the Superwall SDK, there are a few choices you may need to consider. ### App Store Privacy Labels Privacy disclosures in regards to how data is processed or otherwise used are required when submitting an app for review on the App Store. When using the Superwall SDK, there are a few options you'll need to select to comply with this requirement. **At a minimum, you'll need to select "Purchases":** ![](/images/app-privacy-purchases.png "App Store Privacy - Purchases") When you select "Purchases", you'll need to scroll down finish setup. When you do, there are two options you'll need to select: 1. Analytics 2. App Functionality ![](/images/app-privacy-purchase-history.png "App Store Privacy - Purchase History") ### Identifying Users How you proceed with the next prompt depends on how you are identifying users. If you *are* identifying users via their email or any other means, disclose that here. Note that the Superwall SDK does not do this. Finally, Superwall does not track purchase history of users for advertising purposes — so you can choose "No" here (unless you're using other SDKs which do this, or you're performing any purchase history tracking for advertising purposes on your own ): ![](/images/app-privacy-tagging-users.png "App Store Privacy - User Identification") In terms of the Superwall SDK, that's all you need to choose. But again, remember that your privacy label could look different depending on how you process data, how other SDKs are used and more. ### Collected Data Here is a detailed list of anything that might be collected in the Superwall SDK: | Property | Description | | ----------------------------- | --------------------------------------------------------------- | | `publicApiKey` | The API key for accessing the public API. | | `platform` | The operating system of the device (e.g., iOS, Android). | | `appUserId` | A unique identifier for the app user. | | `aliases` | List of aliases associated with the app user. | | `vendorId` | The vendor ID of the device. | | `appVersion` | The version of the app. | | `osVersion` | The operating system version running on the device. | | `deviceModel` | The model of the device (e.g., iPhone or Android device model). | | `deviceLocale` | The current locale set on the device. | | `preferredLocale` | The preferred locale of the user. | | `deviceLanguageCode` | The language code of the device's system language. | | `preferredLanguageCode` | The preferred language code set by the user. | | `regionCode` | The region code set on the device. | | `preferredRegionCode` | The preferred region code of the user. | | `deviceCurrencyCode` | The currency code for transactions on the device. | | `deviceCurrencySymbol` | The currency symbol based on the device’s settings. | | `interfaceType` | The type of user interface (e.g., vision, ipad, etc). | | `timezoneOffset` | The device’s current timezone offset in minutes. | | `radioType` | The network radio type (e.g., WiFi, Cellular). | | `interfaceStyle` | The interface style (e.g., light or dark mode). | | `isLowPowerModeEnabled` | Indicates whether low power mode is enabled. | | `bundleId` | The bundle identifier of the app. | | `appInstallDate` | The date the app was installed. | | `isMac` | A boolean indicating if the device is a Mac. | | `daysSinceInstall` | The number of days since the app was installed. | | `minutesSinceInstall` | The number of minutes since the app was installed. | | `daysSinceLastPaywallView` | The number of days since the last paywall view. | | `minutesSinceLastPaywallView` | The number of minutes since the last paywall view. | | `totalPaywallViews` | The total number of paywall views. | | `utcDate` | The current UTC date. | | `localDate` | The local date of the device. | | `utcTime` | The current UTC time. | | `localTime` | The local time on the device. | | `utcDateTime` | The UTC date and time combined. | | `localDateTime` | The local date and time combined. | | `isSandbox` | Indicates if the app is running in a sandbox environment. | | `subscriptionStatus` | The subscription status of the app user. | | `isFirstAppOpen` | Boolean indicating if it is the user’s first app open. | | `sdkVersion` | The current version of the SDK. | | `sdkVersionPadded` | The padded version of the SDK (e.g. 001.002.003-beta.001). | | `appBuildString` | The app’s build string identifier. | | `appBuildStringNumber` | The numeric value of the app’s build number. | | `interfaceStyleMode` | The current interface style mode (e.g., dark, light). | | `ipRegion` | The region derived from the device's IP address. | | `ipRegionCode` | The region code derived from the device's IP. | | `ipCountry` | The country derived from the device's IP address. | | `ipCity` | The city derived from the device's IP address. | | `ipContinent` | The continent derived from the device's IP address. | | `ipTimezone` | The timezone derived from the device's IP address. | | `capabilities` | A string indicating any Superwall-SDK specific capabilities. | | `capabilitiesConfig` | A JSON configuration of the above capabilities. | | `platformWrapper` | The platform wrapper (e.g., React Native). | | `platformWrapperVersion` | The version of the platform wrapper. | --- # Advanced Configuration Source: https://superwall.com/docs/ios/guides/configuring When configuring the SDK you can pass in options that configure Superwall, the paywall presentation, and its appearance. ### Logging Logging is enabled by default in the SDK and is controlled by two properties: `level` and `scopes`. `level` determines the minimum log level to print to the console. There are five types of log level: 1. **debug**: Prints all logs from the SDK to the console. Useful for debugging your app if something isn't working as expected. 2. **info**: Prints errors, warnings, and useful information from the SDK to the console. 3. **warn**: Prints errors and warnings from the SDK to the console. 4. **error**: Only prints errors from the SDK to the console. 5. **none**: Turns off all logs. The SDK defaults to `info`. `scopes` defines the scope of logs to print to the console. For example, you might only care about logs relating to `paywallPresentation` and `paywallTransactions`. This defaults to `.all`. Check out [LogScope](https://sdk.superwall.me/documentation/superwallkit/logscope) for all possible cases. You set these properties like this: :::ios ```swift Swift let options = SuperwallOptions() options.logging.level = .warn options.logging.scopes = [.paywallPresentation, .paywallTransactions] Superwall.configure(apiKey:"MY_API_KEY", options: options); // Or you can set: Superwall.shared.logLevel = .warn ``` ```swift Objective-C SWKSuperwallOptions *options = [[SWKSuperwallOptions alloc] init]; options.logging.level = SWKLogLevelWarn; [Superwall configureWithApiKey:@"pk_e6bd9bd73182afb33e95ffdf997b9df74a45e1b5b46ed9c9" purchaseController:nil options:options completion:nil ]; [Superwall sharedInstance].logLevel = SWKLogLevelWarn; ``` ::: ### Preloading Paywalls Paywalls are preloaded by default when the app is launched from a cold start. The paywalls that are preloaded are determined by the list of placements that result in a paywall for the user when [registered](/docs/feature-gating). Preloading is smart, only preloading paywalls that belong to audiences that could be matched. Paywalls are cached by default, which means after they load once, they don't need to be reloaded from the network unless you make a change to them on the dashboard. However, if you have a lot of paywalls, preloading may increase network usage of your app on first load of the paywalls and result in slower loading times overall. You can turn off preloading by setting `shouldPreload` to `false`: :::ios ```swift Swift let options = SuperwallOptions() options.paywalls.shouldPreload = false Superwall.configure(apiKey: "MY_API_KEY", options: options) ``` ```swift Objective-C SWKSuperwallOptions *options = [[SWKSuperwallOptions alloc] init]; options.paywalls.shouldPreload = false; [Superwall configureWithApiKey:@"MY_API_KEY" purchaseController:nil options:options completion:nil ]; ``` ::: Then, if you'd like to preload paywalls for specific placements you can use `preloadPaywalls(forPlacements:)`: :::ios ```swift Swift Superwall.shared.preloadPaywalls(forPlacements: ["campaign_trigger"]); ``` ```swift Objective-C NSMutableSet *eventNames = [NSMutableSet set]; [eventNames addObject:@"campaign_trigger"]; [[Superwall sharedInstance] preloadPaywallsForPlacements:placementNames]; ``` ::: If you'd like to preload all paywalls you can use `preloadAllPaywalls()`: :::ios ```swift Swift Superwall.shared.preloadAllPaywalls() ``` ```swift Objective-C [[Superwall sharedInstance] preloadAllPaywalls]; ``` ::: Note: These methods will not reload any paywalls that have already been preloaded. ### External Data Collection By default, Superwall sends all registered events and properties back to the Superwall servers. However, if you have privacy concerns, you can stop this by setting `isExternalDataCollectionEnabled` to `false`: :::ios ```swift Swift let options = SuperwallOptions() options.isExternalDataCollectionEnabled = false Superwall.configure(apiKey: "MY_API_KEY", options: options) ``` ```swift Objective-C SWKSuperwallOptions *options = [[SWKSuperwallOptions alloc] init]; options.isExternalDataCollectionEnabled = false; [Superwall configureWithApiKey:@"MY_API_KEY" purchaseController:nil options:options completion:nil]; ``` ::: Disabling this will not affect your ability to create triggers based on properties. ### Automatically Dismissing the Paywall By default, Superwall automatically dismisses the paywall when a product is purchased or restored. You can disable this by setting `automaticallyDismiss` to `false`: :::ios ```swift Swift let options = SuperwallOptions() options.paywalls.automaticallyDismiss = false Superwall.configure(apiKey: "MY_API_KEY", options: options) ``` ```swift Objective-C SWKSuperwallOptions *options = [[SWKSuperwallOptions alloc] init]; options.automaticallyDismiss = false; [Superwall configureWithApiKey:@"MY_API_KEY" purchaseController:nil options:options completion:^{}]; ``` ::: To manually dismiss the paywall , call `Superwall.shared.dismiss()`. ### Custom Restore Failure Message You can set the title, message and close button title for the alert that appears after a restoration failure: :::ios ```swift Swift let options = SuperwallOptions() options.paywalls.restoreFailed.title = "My Title" options.paywalls.restoreFailed.message = "My message" options.paywalls.restoreFailed.closeButtonTitle = "Close" Superwall.configure(apiKey: "MY_API_KEY", options: options) ``` ```swift Objective-C SWKSuperwallOptions *options = [[SWKSuperwallOptions alloc] init]; options.paywalls.restoreFailed.title = @"My Title"; options.paywalls.restoreFailed.message = @"My message"; options.paywalls.restoreFailed.closeButtonTitle = @"Close"; [Superwall configureWithApiKey:@"MY_API_KEY" purchaseController:nil options:options completion:nil]; ``` ::: ### Haptic Feedback On iOS, the paywall uses haptic feedback by default after a user purchases or restores a product, opens a URL from the paywall, or closes the paywall. To disable this, set the `isHapticFeedbackEnabled` `PaywallOption` to false: :::ios ```swift Swift let options = SuperwallOptions() options.paywalls.isHapticFeedbackEnabled = false Superwall.configure(apiKey: "MY_API_KEY", options: options) ``` ```swift Objective-C SWKSuperwallOptions *options = [[SWKSuperwallOptions alloc] init]; options.isHapticFeedbackEnabled = false; [Superwall configureWithApiKey:@"MY_API_KEY" purchaseController:nil options:options completion:^{}]; ``` ::: Note: Android does not use haptic feedback. ### Transaction Background View During a transaction, we add a `UIActivityIndicator` behind the view to indicate a loading status. However, you can remove this by setting the `transactionBackgroundView` to `nil`: :::ios ```swift Swift let options = SuperwallOptions() options.paywalls.transactionBackgroundView = nil Superwall.configure(apiKey: "MY_API_KEY", options: options) ``` ```swift Objective-C SWKSuperwallOptions *options = [[SWKSuperwallOptions alloc] init]; options.paywalls.transactionBackgroundView = SWKTransactionBackgroundViewNone; [Superwall configureWithApiKey:@"MY_API_KEY" purchaseController:nil options:options completion:nil ]; ``` ::: ### Purchase Failure Alert When a purchase fails, we automatically present an alert with the error message. If you'd like to show your own alert after failure, set the `shouldShowPurchaseFailureAlert` `PaywallOption` to `false`: :::ios ```swift Swift let options = SuperwallOptions() options.paywalls.shouldShowPurchaseFailureAlert = false Superwall.configure(apiKey: "MY_API_KEY", options: options) ``` ```swift Objective-C SWKSuperwallOptions *options = [[SWKSuperwallOptions alloc] init]; options.paywalls.shouldShowPurchaseFailureAlert = false; [Superwall configureWithApiKey:@"MY_API_KEY" purchaseController:nil options:options completion:nil ]; ``` ::: ### Locale Identifier When evaluating rules, the device locale identifier is set to `autoupdatingCurrent`. However, you can override this if you want to test a specific locale: :::ios ```swift Swift let options = SuperwallOptions() options.localeIdentifier = "en_GB" Superwall.configure(apiKey: "MY_API_KEY", options: options) // Or you can set: Superwall.shared.localeIdentifier = "en_GB" // To revert to default: Superwall.shared.localeIdentifier = nil ``` ```swift Objective-C SWKSuperwallOptions *options = [[SWKSuperwallOptions alloc] init]; options.localeIdentifier = @"en_GB"; [Superwall configureWithApiKey:@"MY_API_KEY" purchaseController:nil options:options completion:^{}]; // Or you can set: [Superwall sharedInstance].localeIdentifier = "en_GB" // To revert to default: [Superwall sharedInstance].localeIdentifier = nil ``` ::: For a list of locales that are available on iOS, take a look at [this list](https://gist.github.com/jacobbubu/1836273). You can also preview your paywall in different locales using [In-App Previews](/docs/in-app-paywall-previews). ### Game Controller If you're using a game controller, you can enable this in `SuperwallOptions` too. Check out our [Game Controller Support](/docs/game-controller-support) article. Take a look at [SuperwallOptions](https://sdk.superwall.me/documentation/superwallkit/superwalloptions) in our SDK reference for more info. --- # Experimental Flags Source: https://superwall.com/docs/ios/guides/experimental-flags undefined Experimental flags in Superwall's SDK allow you to opt into features that are safe for production but are still being refined. These features may undergo naming changes or internal restructuring in future SDK versions. We expose them behind flags to give you early access while preserving flexibility for ongoing development. These flags are configured via the `SuperwallOptions` struct: ```swift let options = SuperwallOptions() options.enableExperimentalDeviceVariables = true Superwall.configure(apiKey: "my_api_key", options: options) ``` ## Available experimental flags When these flags are enabled and the user runs your app, these values become available in campaign filters. Currently, these include: **Latest Subscription Period Type (String)**: Represents whether the user is in a trial, promotional, or a similar phase. Possible values include: * `trial` * `code` * `subscription` * `promotional` * `winback` * `revoked` Represented as `latestSubscriptionPeriodType` in campaign filters. **Latest Subscription State (String)**: Represents what *state* the actual subscription is in. Possible values include: * `inGracePeriod` * `subscribed` * `expired` * `inBillingRetryPeriod` * `revoked` Represented as `latestSubscriptionState` in campaign filters. **Latest Subscription Will Auto Renew (Bool)**: If the user is set to renew or not. Either `true` or `false` Represented as `latestSubscriptionWillAutoRenew` in campaign filters. ### Detecting users who've cancelled an active trial One common use case for these flags is detecting users who've cancelled an active trial. In that case, the filter in the campaign would check for `latestSubscriptionWillAutoRenew` to be `false` and `latestSubscriptionPeriodType` to be `trial`. --- # Migrating from v2 to v3 - iOS Source: https://superwall.com/docs/ios/guides/migrations/migrating-to-v3 SuperwallKit 3.0 is a major release of Superwall's iOS SDK, previously known as `Paywall`. This introduces breaking changes. Note that the minimum deployment target has changed for v3 from iOS 11 to iOS 13 This is so that we can use newer APIs internally and externally. ## Migration steps ### 1. Update Swift Package Manager dependency (if needed) Our GitHub URL has changed. Although you can keep using the old one, its best if you replace it with the newer one. If you're using Swift Package Manager to handle dependencies: * Select your project from the **Project Navigator**, select your project under **Project** and click **Package Dependencies**. * Remove the old dependency for `paywall-ios`. * Click **+** and search for our new url [https://github.com/superwall/Superwall-iOS](https://github.com/superwall/Superwall-iOS) in the search bar. * Set the **Dependency Rule** to **Up to Next Major Version** with the lower bound set to **3.0.0**. * Make sure your project name is selected in **Add to Project**. * Then, **Add Package**. Sometimes Xcode keeps the old framework reference around by accident, so select your target in Xcode, then go to Build Phases, and ensure that your target’s Link Binary with Libraries section references SuperwallKit, and remove the reference to Paywall if it was still there. ![](/images/02c9746-Screenshot_2022-11-10_at_18.21.27.png) If you have any Xcode issues during building you might need to clean the build folder by going to **Product** > **Clean Build Folder** and then restart Xcode. ### 1.1 Update CocoaPods dependency (if needed) If instead you're using CocoaPods to manage dependencies, in your Podfile update the reference to the Pod from `Paywall` to `SuperwallKit` then run `pod install`: | Before | After | | ------------------------- | ------------------------------ | | pod 'Paywall', '\< 3.0.0' | pod 'SuperwallKit', '\< 4.0.0' | ### 1.2 Update Framework References Since our framework is now called `SuperwallKit`, you'll now need to explicitly import `SuperwallKit` instead of `Paywall` throughout your code: #### Swift | Before | After | | -------------- | ------------------- | | import Paywall | import SuperwallKit | #### Objective-C | Before | After | | ---------------- | --------------------- | | @import Paywall; | @import SuperwallKit; | ## 2. Update code references In some cases, you should be able to update references using the automatic renaming suggestions that Xcode provides. For other cases where this hasn't been possible, you'll need to run through this list to manually update your code. ### 2.1 Update references to `Paywall.foo` to `Superwall.shared.foo` You'll see errors saying `Cannot find 'Paywall' in scope`. This is because the main class for interacting with our API is now called `Superwall`. All variables and functions (apart from configure) are now instance functions. This means you'll need to use the shared instance `Superwall.shared`. ### 2.2 Triggering is now registering Previously you'd use `Paywall.track(...)` to implicitly trigger a paywall, and `Paywall.trigger(...)` to explicitly trigger a paywall. This was confusing as they essentially did the same thing. `Paywall.track` provided completion blocks for what happened on the paywall when really you needed to know what to do next. We wanted to make this simpler so at the heart of this release is `Superwall.shared.register(event:params:handler:feature:)`. This allows you to register an event to access a feature that may or may not be paywalled later in time. It also allows you to choose whether the user can access the feature even if they don't make a purchase. You can read our docs on [how register works](/docs/feature-gating) to learn more. Given the low cost nature of how register works, we strongly recommend wrapping all core functionality in a register `feature` block in order to remotely configure which features you want to gate – without an app update. For SwiftUI apps, we have removed the `.triggerPaywall` view modifier in favor of this register function. ### **2.3 Rename `PaywallDelegate` to `SuperwallDelegate`** The following method has changed: | Before | After | | ----------------------------------------------------------------------- | --------------------------------------------------------------------- | | func trackAnalyticsEvent(withName name: String, params: \[String: Any]) | func handleSuperwallEventInfo(withInfo eventInfo: SuperwallEventInfo) | This has a `SuperwallEventInfo` parameter. This has a `params` dictionary and an `event` enum whose cases contain associated values. Note that the methods for handling subscription-related logic no longer exist inside `SuperwallDelegate`, as discussed in the next section. ### 2.4 Handling subscription-related logic SuperwallKit now handles all subscription-related logic by default making integration super easy. We track the user's subscription status for you and expose the published property `Superwall.shared.subscriptionStatus`. This means that if you were previously using StoreKit you can simply delete that code and let SuperwallKit handle it. However, if you're using RevenueCat or still want to keep control over subscription-related logic, you'll need to conform to the `PurchaseController` protocol. This is a protocol that handles purchasing and restoring, much like the `PaywallDelegate` did in v2.x of the SDK. You set the purchase controller when you configure the SDK. You can read more about that in our [Purchases and Subscription Status](/docs/advanced-configuration) guide. The following methods were previously in the `PaywallDelegate` but are now in the `PurchaseController` and have changed slightly: #### Purchasing | Before | After | | --------------------------------- | --------------------------------------------------------- | | func purchase(product: SKProduct) | func purchase(product: SKProduct) async -> PurchaseResult | Here, you purchase the product but then return the result of the purchase as a `PurchaseResult` enum case. Make sure you handle all cases of `PurchaseResult`. #### Restoring | Before | After | | ----------------------------------------------------------- | -------------------------------------------------- | | func restorePurchases(completion: @escaping (Bool) -> Void) | func restorePurchases() async -> RestorationResult | This has changed to an async function that returns the result of restoring a purchase. If you need help converting between completion blocks and async, [check out this article](https://wwdcbysundell.com/2021/wrapping-completion-handlers-into-async-apis/). #### Subscription Status | Before | After | | ------------------------------- | ------------------------------------------------------------ | | func isUserSubscribed() -> Bool | Superwall.shared.subscriptionStatus = .active (or .inactive) | `isUserSubscribed()` has been removed in favor of a `subscriptionStatus` variable which you **must** set every time the user's subscription status changes. On first app install this starts off as `.unknown` until you determine the user's subscription status and set it to `.active` when they have an active subscription, or `.inactive` when they don't. Paywalls will not show until the user's subscription status is set. You can [check out our docs](/docs/advanced-configuration) for detailed info about implementing the `PurchaseController`. ### 2.5 Rename `PaywallOptions` to `SuperwallOptions` This now clearly defines which of the options are explicit to paywalls vs other configuration options within the SDK. ### 2.6 Configuring and Identity management When configuring the API, you now no longer provide a userId or delegate. | Before | After | | --------------------------------------------- | ----------------------------------------------------------- | | configure(apiKey\:userId\:delegate\:options:) | configure(apiKey\:purchaseController\:options\:completion:) | To use the optional delegate, set `Superwall.shared.delegate`. To identify a user, use `Superwall.shared.identify(userId:options:)`. You can [read more](/docs/identity-management) about identity management in our docs. ## 3. Check out the full change log You can view this on [our GitHub page](https://github.com/superwall/Superwall-iOS/blob/master/CHANGELOG.md). ## 4. Check out our updated example apps All of our example apps have been updated to use the latest SDK. We have created a dedicated app that shows you how to integrate Superwall with RevenueCat. In addition, we have added an Objective-C app. ## 5. Read our docs and view the updated iOS SDK documentation Visit the links in the sidebar or [click here to go to the iOS SDK docs](https://sdk.superwall.me/documentation/superwallkit/). --- # Migrating from v3 to v4 - iOS Source: https://superwall.com/docs/ios/guides/migrations/migrating-to-v4 SuperwallKit 4.0 is a major release of Superwall's iOS SDK. This introduces breaking changes. ## Migration steps ## 1. Update code references ### 1.1 Rename references from `event` to `placement` In some cases, you should be able to update references using the automatic renaming suggestions that Xcode provides. For other cases where this hasn't been possible, you'll need to run through this list to manually update your code. | Before | After | | ------------------------------------- | ----------------------------------------- | | func register(event:) | func register(placement:) | | func preloadPaywalls(forEvents:) | func preloadPaywalls(forPlacements:) | | func getPaywall(forEvent:) | func getPaywall(forPlacement:) | | func getPresentationResult(forEvent:) | func getPresentationResult(forPlacement:) | | TriggerResult.eventNotFound | TriggerResult.placementNotFound | ### 1.2 Update PurchaseController method The following has been changed in the `PurchaseController`: | Before | After | | --------------------------------------------------------- | ------------------------------------------------------------ | | func purchase(product: SKProduct) async -> PurchaseResult | func purchase(product: StoreProduct) async -> PurchaseResult | This provides a `StoreProduct` object, which contains information about the product to be purchased. ## 2. StoreKit 2 The SDK defaults to using StoreKit 2 for users who are on iOS 15+. However, you can choose to stay on StoreKit 1 by setting the `SuperwallOption` `storeKitVersion` to `.storeKit1`. There are a few caveats to this however. In the following scenarios, the SDK will choose StoreKit 1 automatically: 1. If you're using Objective-C and using a `PurchaseController`. 2. If you're using Objective-C and observing purchases by setting the `SuperwallOption` `shouldObservePurchases` to `true`. 3. If you have set the key `SKIncludeConsumableInAppPurchaseHistory` to `true` in your info.plist, the SDK will use StoreKit 1 for everyone who isn't on iOS 18+. If you're using Objective-C and using `purchase(_:)` you must manually set the `SuperwallOption` `storeKitVersion` to `.storeKit1`. If you're using a `PurchaseController`, you access the StoreKit 2 product to purchase using `product.sk2Product` and the StoreKit 1 product `product.sk1Product` if you're using StoreKit 1. You should take the above scenarios into account when choosing which product to purchase. ### 3. Getting the purchased product The `onDismiss` block of the `PaywallPresentationHandler` now accepts both a `PaywallInfo` object and a `PaywallResult` object. This allows you to easily access the purchased product from the result when the paywall dismisses. ### 4. Entitlements The `subscriptionStatus` has been changed to accept a set of `Entitlement` objects. This allows you to give access to entitlements based on products purchased. For example, in your app you might have Bronze, Silver, and Gold subscription tiers, i.e. entitlements, which entitle a user to access a certain set of features within your app. Every subscription product must be associated with one or more entitlements, which is controlled via the dashboard. Superwall will already have associated all your products with a default entitlement. If you don't use more than one entitlement tier within your app and you only use subscription products, you don't need to do anything extra. However, if you use one-time purchases or multiple entitlements, you should review your products and their entitlements. In general, consumables should not be associated with an entitlement, whereas non-consumables should be. Check your products [here](https://superwall.com/applications/\:app/products/v2). If you're using a `PurchaseController`, you'll need to set the `entitlements.status` instead of the `subscriptionStatus`: | Before | After | | --------------------------------------------- | ---------------------------------------------------------------- | | Superwall.shared.subscriptionStatus = .active | Superwall.shared.subscriptionStatus = .active(Set(entitlements)) | You can get the `StoreProducts` and their associated entitlements from Superwall by calling the method `products(for:)`. Here is an example of how you'd sync your subscription status with Superwall using these methods: ```swift Swift func syncSubscriptionStatus() async { var products: Set = [] for await verificationResult in Transaction.currentEntitlements { switch verificationResult { case .verified(let transaction): products.insert(transaction.productID) case .unverified: break } } let storeProducts = await Superwall.shared.products(for: products) let entitlements = Set(storeProducts.flatMap { $0.entitlements }) await MainActor.run { Superwall.shared.subscriptionStatus = .active(entitlements) } } ``` ```swift RevenueCat func syncSubscriptionStatus() { assert(Purchases.isConfigured, "You must configure RevenueCat before calling this method.") Task { for await customerInfo in Purchases.shared.customerInfoStream { // Gets called whenever new CustomerInfo is available let superwallEntitlements = customerInfo.entitlements.activeInCurrentEnvironment.keys.map { Entitlement(id: $0) } await MainActor.run { [superwallEntitlements] in if superwallEntitlements.isEmpty { Superwall.shared.subscriptionStatus = .inactive } else { Superwall.shared.subscriptionStatus = .active(Set(superwallEntitlements)) } } } } } ``` You can listen to the published property `Superwall.shared.subscriptionStatus` to be notified when the subscriptionStatus changes. Or you can use the `SuperwallDelegate` method `subscriptionStatusDidChange(from:to:)`, which replaces `subscriptionStatusDidChange(to:)`. ### 5. Paywall Presentation Condition In the Paywall Editor you can choose whether to always present a paywall or ask the SDK to check the user subscription before presenting a paywall. For users on v4 of the SDK, this is replaced with a check on the entitlements within the audience filter. As you migrate your users from v3 to v4 of the SDK, you'll need to make sure you set both the entitlements check and the paywall presentation condition in the paywall editor. ![](/images/camp-presentation-conditions.png) ## 6. Check out the full change log You can view this on [our GitHub page](https://github.com/superwall/Superwall-iOS/blob/master/CHANGELOG.md). ## 7. Check out our updated example apps All of our example apps have been updated to use the latest SDK. We now only have two apps: Basic and Advanced. Basic shows you the basic integration of Superwall without needing a purchase controller or multiple entitlements. Advanced shows you how to use entitlements within your app as well as optionally using a purchase controller with StoreKit or RevenueCat. ## 8. Read our docs and view the updated iOS SDK documentation Visit the links in the sidebar or [click here to go to the iOS SDK docs](https://sdk.superwall.me/documentation/superwallkit/). --- # Setting up StoreKit testing Source: https://superwall.com/docs/ios/guides/testing-purchases undefined StoreKit testing in Xcode is a local test environment for testing in-app purchases without requiring a connection to App Store servers. Set up in-app purchases in a local StoreKit configuration file in your Xcode project, or create a synced StoreKit configuration file in Xcode from your in-app purchase settings in App Store Connect. After you enable the configuration file, the test environment uses this local data on your paywalls when your app calls StoreKit APIs. ### Add a StoreKit Configuration File Go to **File ▸ New ▸ File...** in the menu bar , select **StoreKit Configuration File** and hit **Next**: ![](/images/3dbedb3-Screenshot_2023-03-02_at_11.35.16.png) Give it the name **Products**. For a configuration file synced with an app on App Store Connect, select the checkbox, specify your team and app in the drop-down menus that appear, then click **Next**. For a local configuration, leave the checkbox unselected, then click **Next**. Save the file in the top-level folder of your project. You don't need to add it to your target. ### Create a New Scheme for StoreKit Testing It's best practice to create a new scheme in Xcode to be used for StoreKit testing. This allows you to separate out staging and production environments. Click the scheme in the scheme menu and click **Manage Schemes...**: ![](/images/e0e2c89-Screenshot_2023-03-02_at_11.44.02.png) If you haven't already got a Staging scheme, select your current scheme and click **Duplicate**: ![](/images/d3c7e96-Screenshot_2023-03-02_at_11.44.47.png) In the scheme editor, add the StoreKit Configuration file to your scheme by clicking on **Run** in the side bar, selecting the **Options** tab and choosing your configuration file in **StoreKit Configuration**. Then, click **Close**: ![](/images/444719d-Screenshot_2023-03-02_at_11.46.34.png) You can rename your scheme to **MyAppName (Staging)**. ### Setting up the StoreKit Configuration File If you've chosen to sync your configuration file with the App Store, your apps will automatically be loaded into your StoreKit Configuration file. When you add new products, just sync again. If you're using a local configuration, open **Products.storekit**, click the **+** button at the bottom and create a new product. In this tutorial, we'll create an auto-renewable subscription: ![](/images/6d89a21-Screenshot_2023-03-02_at_12.07.50.png) Enter a name for a new subscription group and click **Done**. The subscription group name should match one that is set up for your app in App Store Connect, but it's not a requirement. That means you can test your subscription groups and products in the simulator and then create the products in App Store Connect later: ![](/images/717d912-Screenshot_2023-03-02_at_12.09.07.png) Configure the subscription as needed by filling in the **Reference Name**, **Product ID**, **Price**, **Subscription Duration**, and optionally an **Introductory Offer**. Again, this product doesn't have to exist in App Store Connect for you to test purchasing in the simulator. Here is a sample configuration: ![](/images/d6a9b7f-Screenshot_2023-03-02_at_12.10.27.png) Repeat this for all of your products. When configuring a paywall, the product ID you enter here must match the product ID on the paywall. You're now all set! ## Testing purchases with Transaction Manager Once you've set up your StoreKit configuration file, you can leverage Xcode's Transaction Manager. Find it under **Debug -> StoreKit -> Manage Transactions...**: ![](/images/transactionManager.png) Use this to quickly test purchasing your products. Once you make a purchase, you can open Transaction Manager to delete it, refund it, request parental approval and much more. Most commonly, you'll probably delete the transaction to reset your subscription state: ![](/images/transactionRemove.png) This makes everything a little faster, saving you the trouble of having to delete and reinstall your app to test these states. If you'd like to see a video over how to use it, check this one out: