Migrating to Version 1.0+

Overview

To simplify your application logic and integration with the Knot iOS SDK, Version 1.0 includes a number of breaking changes that may affect the way your integration works or behaves.

The new version includes a number of significant improvements:

  1. Enhanced speed and stability in loading merchant flows.
  2. More streamlined initialization of the SDK.
  3. Simplified event handling, more informative event messaging, and uniform naming conventions for easier debugging.
  4. Improved maintainability and foundations for new feature compatibility.

Breaking Changes

Configuring and opening the Knot SDK has changed significantly in iOS Version 1.0 and requires some refactoring in order to initialize the SDK with a session. Errors are now encapsulated in a KnotError object which provides an enumerated value to debug with.

Session Initialization

Changes

  • Knot.createCardSwitcherSession and Knot.createTransactionsLinkSession  are replaced with a more flexible KnotConfiguration.
  • The product type is now defined by Product enum values .card_switcher | .transaction_link.
  • The new interface allows configuration of additional properties such as useCategoriesuseSearch, and merchantIds.
  • The open action now requires a KnotConfiguration and an optional KnotEventDelegate which is now Knot.open(configuration:delegate:).

Before

let session = CardOnFileSwitcherSession(sessionId: "SESSION_ID", clientId: "CLIENT_ID", environment: .sandbox)

session.entryPoint = "Onboarding" // Optionally, set an entry point.
session.merchantIds = [44] // Optionally, a specific merchant Id

Knot.open(session: session)

After

let configuration = KnotConfiguration(
    sessionId: "SESSION_ID",
    clientId: "CLIENT_ID",
    environment: .development,
    entryPoint: nil,
    product: .card_switcher,
    useCategories: true,
    useSearch: false,
    merchantIds: nil
)

Knot.open(configuration: configuration, delegate: self)

Event Handling

Changes

  • Event handling is now managed through KnotEventDelegate instead of closures.
  • Events like onSuccessonError, and onExit are now explicit methods inside a delegate.
  • The onEvent method introduces the KnotEvent object to better handle Knot emitted events.
  • The KnotError type provides improved error descriptions.
  • The sendCard parameter is deprecated and its functionality incorporated into the metaData dictionary within KnotEvent when KnotEvent.event equals AUTHENTICATED.

Before

session.onSuccess = { merchant in
    print("Successfully updated card for \(merchant)")
}

session.onError = { errorCode, errorMessage in
    print("Error: \(errorCode) - \(errorMessage)")
}

session.onExit = {
    print("User exited the SDK")
}

session.onEvent = { event, merchant, taskId, sendCard in
    print("event code: \(event), merchant: \(merchant), taskId: \(taskId), sendCard: \(sendCard)")
}

After

class MyViewController: UIViewController, KnotEventDelegate {
    func onSuccess(merchant: String) {
        print("Successfully updated card for \(merchant)")
    }

    func onError(error: KnotError) {
        print("Error: \(error.errorDescription)")
    }

    func onEvent(event: KnotEvent) {
        print("Event: \(event.event)")
    }

    func onExit() {
        print("User exited the SDK")
    }
}

sendCard

🚧

Note

Most apps do not use the explicit sendCard method, as it is rarely applicable to the integration with the Knot SDK.

The sendCard parameter has been deprecated and its functionality is incorporated into the metaData dictionary within KnotEvent when the KnotEvent.event equals AUTHENTICATED. This change enhances flexibility by allowing additional contextual data to be included in events without requiring separate parameters. Previously, sendCard was accessed as a standalone value, but now developers can retrieve it from the metaData dictionary in the event callback. This approach ensures better extensibility and consistency across different event types. To access the sendCard value, simply extract it from the event’s metaData dictionary.

class MyViewController: UIViewController, KnotEventDelegate {
    func onSuccess(merchant: String) {
        print("Successfully updated card for \(merchant)")
    }

    func onError(error: KnotError) {
        print("Error: \(error.errorDescription)")
    }

    func onEvent(event: KnotEvent) {
        if event.event == "AUTHENTICATED" {
           print("Event.AUTHENTICATED sendCard: \(event.metaData["sendCard"] as? Bool)")
        }
    }

    func onExit() {
        print("User exited the SDK")
    }
}}

Event Names

The SDK now maps raw event names to standardized event names for easier handling.

Event Name Prior to 1.01.0 Event Name
refresh session requestREFRESH_SESSION_REQUEST
merchant clickedMERCHANT_CLICKED
login startedLOGIN_STARTED
authenticatedAUTHENTICATED
otp requiredOTP_REQUIRED
security questions requiredSECURITY_QUESTIONS_REQUIRED
approval requiredAPPROVAL_REQUIRED

Error Handling

Error handling has been improved with more structured and meaningful error messages.

Changes

  • Errors are now encapsulated in the KnotError enum.
  • Each error has a human-readable description (errorDescription) and a unique error code (errorCode).
  • Improved clarity and consistency across error messages.

Before

session.onError = { errorCode, errorMessage in
    print("Error: \(errorCode) - \(errorMessage)")
}

After

func onError(error: KnotError) {
    switch error {
    case .invalidSession:
        print("Error: Session is invalid. Please check your session ID.")
    case .expiredSession:
        print("Error: Session has expired. Please start a new session.")
    case .invalidClientId:
        print("Error: Invalid client ID. Ensure your credentials are correct.")
    case .internalError:
        print("Error: An internal error occurred. Try again later.")
    }
}

Error Types

The Knot SDK provides predefined error cases for you to handle based on your own needs.

Error CaseDescription
.invalidSessionThe session is invalid.
.expiredSessionThe session has expired.
.invalidClientIdThe client ID is invalid.
.internalErrorAn internal error occurred.

Closing the SDK

🚧

Note

Most apps do not use the explicit close method, as it is infrequently applicable to the integration with the Knot SDK.

Changes

  • Closing the SDK is now statically accessed via Knot.close() as opposed to being bound to the session object.

Before

session.close()

After

Knot.close()