| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567 |
- // Copyright 2020 Google LLC
- //
- // Licensed under the Apache License, Version 2.0 (the "License");
- // you may not use this file except in compliance with the License.
- // You may obtain a copy of the License at
- //
- // http://www.apache.org/licenses/LICENSE-2.0
- //
- // Unless required by applicable law or agreed to in writing, software
- // distributed under the License is distributed on an "AS IS" BASIS,
- // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
- // See the License for the specific language governing permissions and
- // limitations under the License.
- import FirebaseAuth
- import FirebaseCore
- import GameKit
- import UIKit
- // For Account Linking with Sign in with Google.
- import GoogleSignIn
- // For Account Linking with Sign in with Facebook.
- import FBSDKLoginKit
- // For Account Linking with Sign in with Apple.
- import AuthenticationServices
- import CryptoKit
- class AccountLinkingViewController: UIViewController, DataSourceProviderDelegate {
- var dataSourceProvider: DataSourceProvider<AuthMenuData>!
- var tableView: UITableView { view as! UITableView }
- override func loadView() {
- view = UITableView(frame: .zero, style: .insetGrouped)
- }
- let user: User
- /// Designated initializer requires a valid, non-nil Firebase user.
- /// - Parameter user: An instance of a Firebase `User`.
- init(for user: User) {
- self.user = user
- super.init(nibName: nil, bundle: nil)
- }
- @available(*, unavailable)
- required init?(coder: NSCoder) {
- fatalError("init(coder:) has not been implemented")
- }
- override func viewDidLoad() {
- super.viewDidLoad()
- configureNavigationBar()
- configureDataSourceProvider()
- registerForLoginNotifications()
- }
- override func viewWillAppear(_ animated: Bool) {
- super.viewWillAppear(animated)
- navigationController?.setTitleColor(.systemOrange)
- }
- // MARK: - DataSourceProviderDelegate
- func didSelectRowAt(_ indexPath: IndexPath, on tableView: UITableView) {
- let item = dataSourceProvider.item(at: indexPath)
- let providerName = item.title!
- guard let provider = AuthMenu(rawValue: providerName) else {
- // The row tapped has no affiliated action.
- return
- }
- // If the item's affiliated provider is currently linked with the user,
- // unlink the provider from the user's account.
- if item.isChecked {
- Task { await unlinkFromProvider(provider.id) }
- return
- }
- switch provider {
- case .google:
- performGoogleAccountLink()
- case .apple:
- Task { await performAppleAccountLink() }
- case .facebook:
- performFacebookAccountLink()
- case .twitter, .microsoft, .gitHub, .yahoo, .linkedIn:
- performOAuthAccountLink(for: provider)
- case .gameCenter:
- performGameCenterAccountLink()
- case .emailPassword:
- performEmailPasswordAccountLink()
- case .passwordless:
- performPasswordlessAccountLink()
- case .phoneNumber:
- performPhoneNumberAccountLink()
- default:
- break
- }
- }
- // MARK: Firebase 🔥
- /// Wrapper method that uses Firebase's `link(with:)` API to link a user to another auth provider.
- /// Used when linking a user to each of the following auth providers.
- /// This method will update the UI upon the linking's completion.
- /// - Parameter authCredential: The credential used to link the user with the auth provider.
- private func linkAccount(authCredential: AuthCredential) {
- user.link(with: authCredential) { result, error in
- guard error == nil else { return self.displayError(error) }
- self.updateUI()
- }
- }
- /// Used for Sign in with Apple token revocation flow.
- private var continuation: CheckedContinuation<ASAuthorizationAppleIDCredential, Error>?
- /// Wrapper method that uses Firebase's `unlink(fromProvider:)` API to unlink a user from an auth
- /// provider.
- /// This method will update the UI upon the unlinking's completion.
- /// - Parameter providerID: The string id of the auth provider.
- private func unlinkFromProvider(_ providerID: String) async {
- if providerID == AuthProviderID.apple.rawValue {
- // Needs SiwA token revocation.
- do {
- let needsTokenRevocation = user.providerData
- .contains { $0.providerID == AuthProviderID.apple.rawValue }
- if needsTokenRevocation {
- let appleIDCredential = try await signInWithApple()
- guard let appleIDToken = appleIDCredential.identityToken else {
- print("Unable to fetch identify token.")
- return
- }
- guard let idTokenString = String(data: appleIDToken, encoding: .utf8) else {
- print("Unable to serialise token string from data: \(appleIDToken.debugDescription)")
- return
- }
- let nonce = try CryptoUtils.randomNonceString()
- let credential = OAuthProvider.credential(providerID: .apple,
- idToken: idTokenString,
- rawNonce: nonce)
- try await user.reauthenticate(with: credential)
- if
- let authorizationCode = appleIDCredential.authorizationCode,
- let authCodeString = String(data: authorizationCode, encoding: .utf8) {
- try await Auth.auth().revokeToken(withAuthorizationCode: authCodeString)
- }
- }
- } catch {
- displayError(error)
- }
- }
- do {
- _ = try await user.unlink(fromProvider: providerID)
- updateUI()
- } catch {
- displayError(error)
- }
- }
- // MARK: - Sign in with Google Account Linking 🔥
- /// This method will initate the Google Sign In flow.
- /// See this class's conformance to `GIDSignInDelegate` below for
- /// context on how the linking is made.
- private func performGoogleAccountLink() {
- guard let clientID = FirebaseApp.app()?.options.clientID else { return }
- // Create Google Sign In configuration object.
- // TODO: Move configuration to Info.plist
- let config = GIDConfiguration(clientID: clientID)
- GIDSignIn.sharedInstance.configuration = config
- // Start the sign in flow!
- GIDSignIn.sharedInstance.signIn(withPresenting: self) { [unowned self] result, error in
- guard error == nil else { return displayError(error) }
- guard
- let user = result?.user,
- let idToken = user.idToken?.tokenString
- else {
- let error = NSError(
- domain: "GIDSignInError",
- code: -1,
- userInfo: [
- NSLocalizedDescriptionKey: "Unexpected sign in result: required authentication data is missing.",
- ]
- )
- return displayError(error)
- }
- let credential = GoogleAuthProvider.credential(withIDToken: idToken,
- accessToken: user.accessToken.tokenString)
- // Rather than use the credential to sign in the user, we will use it to link to the currently
- // signed in user's account.
- linkAccount(authCredential: credential)
- }
- }
- // MARK: - Sign in with Apple Account Linking 🔥
- /// This method will initate the Sign In with Apple flow.
- /// See this class's conformance to `ASAuthorizationControllerDelegate` below for
- /// context on how the linking is made.
- private func performAppleAccountLink() async {
- do {
- let appleIDCredential = try await signInWithApple()
- guard let appleIDToken = appleIDCredential.identityToken else {
- fatalError("Unable to fetch identify token.")
- }
- guard let idTokenString = String(data: appleIDToken, encoding: .utf8) else {
- fatalError("Unable to serialise token string from data: \(appleIDToken.debugDescription)")
- }
- let nonce = try CryptoUtils.randomNonceString()
- let credential = OAuthProvider.credential(providerID: .apple,
- idToken: idTokenString,
- rawNonce: nonce)
- linkAccount(authCredential: credential)
- } catch {
- displayError(error)
- }
- }
- // MARK: - Twitter, Microsoft, GitHub, Yahoo, LinkedIn Account Linking 🔥
- // Maintain a strong reference to an OAuthProvider for login
- private var oauthProvider: OAuthProvider!
- private func performOAuthAccountLink(for provider: AuthMenu) {
- oauthProvider = OAuthProvider(providerID: provider.id)
- oauthProvider.getCredentialWith(nil) { [weak self] credential, error in
- guard let strongSelf = self else { return }
- guard error == nil else { return strongSelf.displayError(error) }
- guard let credential = credential else { return }
- strongSelf.linkAccount(authCredential: credential)
- }
- }
- // MARK: - Sign in with Facebook Account Linking 🔥
- private func performFacebookAccountLink() {
- // The following config can also be stored in the project's .plist
- Settings.shared.appID = "ENTER APP ID HERE"
- Settings.shared.displayName = "AuthenticationExample"
- // Create a Facebook `LoginManager` instance
- let loginManager = LoginManager()
- loginManager.logIn(permissions: ["email"], from: self) { [weak self] result, error in
- guard let strongSelf = self else { return }
- guard error == nil else { return strongSelf.displayError(error) }
- guard let accessToken = AccessToken.current else { return }
- let credential = FacebookAuthProvider.credential(withAccessToken: accessToken.tokenString)
- strongSelf.linkAccount(authCredential: credential)
- }
- }
- private func performGameCenterAccountLink() {
- // Step 1: Ensure Game Center Authentication
- guard GKLocalPlayer.local.isAuthenticated else {
- print("Error: Player not authenticated with Game Center.")
- return
- }
- // Step 2: Get Game Center Credential for Linking
- GameCenterAuthProvider.getCredential { credential, error in
- if let error = error {
- print("Error getting Game Center credential: \(error.localizedDescription)")
- return
- }
- guard let credential = credential else {
- print("Error: Missing Game Center credential")
- return
- }
- // Step 3: Link Credential with Current Firebase User
- Auth.auth().currentUser?.link(with: credential) { authResult, error in
- if let error = error {
- print("Error linking Game Center to Firebase: \(error.localizedDescription)")
- return
- }
- }
- }
- }
- // MARK: - Email & Password Login Account Linking 🔥
- private func performEmailPasswordAccountLink() {
- presentEmailPasswordLinkAlertController { [weak self] email, password in
- guard let strongSelf = self else { return }
- let credential = EmailAuthProvider.credential(withEmail: email, password: password)
- strongSelf.linkAccount(authCredential: credential)
- }
- }
- // MARK: - Phone Number Account Linking 🔥
- public func performPhoneNumberAccountLink() {
- presentPhoneNumberAlertController { [weak self] phoneNumber in
- let phoneNumber = String(format: "+%@", phoneNumber)
- PhoneAuthProvider.provider()
- .verifyPhoneNumber(phoneNumber, uiDelegate: nil) { verificationID, error in
- guard let strongSelf = self else { return }
- guard error == nil else { return strongSelf.displayError(error) }
- guard let verificationID = verificationID else { return }
- strongSelf.presentPhoneLinkAlertController { verificationCode in
- let credential = PhoneAuthProvider.provider()
- .credential(withVerificationID: verificationID, verificationCode: verificationCode)
- strongSelf.linkAccount(authCredential: credential)
- }
- }
- }
- }
- private func presentPhoneNumberAlertController(linkHandler: @escaping (String) -> Void) {
- presentTextFieldAlertController(
- title: "Link with Phone Auth",
- message: "Example input for +1 (123)456-7890 would be 11234567890",
- textfieldPlaceholder: "Enter a phone number.",
- saveHandler: linkHandler
- )
- }
- private func presentPhoneLinkAlertController(saveHandler: @escaping (String) -> Void) {
- presentTextFieldAlertController(
- title: "Link with Phone Auth",
- textfieldPlaceholder: "Enter verification code.",
- saveHandler: saveHandler
- )
- }
- // MARK: - Email Link/Passwordless Account Linking 🔥
- /// Similar to in `PasswordlessViewController`, enter the authorized domain.
- /// Please refer to this Quickstart's README for more information.
- private let authorizedDomain: String = "ENTER AUTHORIZED DOMAIN"
- /// This is the replacement for customized dynamic link domain.
- private let customDomain: String = "ENTER AUTHORIZED HOSTING DOMAIN"
- /// Maintain a reference to the email entered for linking user to Passwordless.
- private var email: String?
- private func performPasswordlessAccountLink() {
- presentPasswordlessAlertController { [weak self] email in
- guard let strongSelf = self else { return }
- strongSelf.sendSignInLink(to: email)
- }
- }
- private func presentPasswordlessAlertController(saveHandler: @escaping (String) -> Void) {
- presentTextFieldAlertController(
- title: "Link with Passwordless Login",
- message: "Leave this view up while you check your email for the verification link.",
- textfieldPlaceholder: "Enter a valid email address.",
- saveHandler: saveHandler
- )
- }
- private func sendSignInLink(to email: String) {
- let actionCodeSettings = ActionCodeSettings()
- let stringURL = "https://\(authorizedDomain).firebaseapp.com/login?email=\(email)"
- actionCodeSettings.url = URL(string: stringURL)
- // The sign-in operation must be completed in the app.
- actionCodeSettings.handleCodeInApp = true
- actionCodeSettings.setIOSBundleID(Bundle.main.bundleIdentifier!)
- actionCodeSettings.linkDomain = customDomain
- AppManager.shared.auth()
- .sendSignInLink(toEmail: email, actionCodeSettings: actionCodeSettings) { error in
- guard error == nil else { return self.displayError(error) }
- // Set `email` property as it will be used to complete sign in after opening email link
- self.email = email
- }
- }
- @objc
- private func passwordlessSignIn() {
- // Retrieve link that we stored in user defaults in `SceneDelegate`.
- guard let email = email,
- let link = UserDefaults.standard.value(forKey: "Link") as? String else { return }
- let credential = EmailAuthProvider.credential(withEmail: email, link: link)
- linkAccount(authCredential: credential)
- self.email = nil
- }
- private func registerForLoginNotifications() {
- NotificationCenter.default.addObserver(
- self,
- selector: #selector(passwordlessSignIn),
- name: Notification.Name("PasswordlessEmailNotificationSuccess"),
- object: nil
- )
- }
- // MARK: - UI Configuration
- private func configureNavigationBar() {
- navigationItem.title = "Account Linking"
- navigationItem.backBarButtonItem?.tintColor = .systemYellow
- navigationController?.navigationBar.prefersLargeTitles = true
- }
- private func presentTextFieldAlertController(title: String? = nil,
- message: String? = nil,
- textfieldPlaceholder: String? = nil,
- saveHandler: @escaping (String) -> Void) {
- let textFieldAlertController = UIAlertController(
- title: title,
- message: message,
- preferredStyle: .alert
- )
- textFieldAlertController.addTextField { textfield in
- textfield.placeholder = textfieldPlaceholder
- textfield.textContentType = .oneTimeCode
- }
- let onContinue: (UIAlertAction) -> Void = { _ in
- let text = textFieldAlertController.textFields!.first!.text!
- saveHandler(text)
- }
- textFieldAlertController.addAction(
- UIAlertAction(title: "Continue", style: .default, handler: onContinue)
- )
- textFieldAlertController.addAction(
- UIAlertAction(title: "Cancel", style: .cancel)
- )
- present(textFieldAlertController, animated: true, completion: nil)
- }
- private func presentEmailPasswordLinkAlertController(linkHandler: @escaping (String, String)
- -> Void) {
- let loginAlertController = UIAlertController(
- title: "Link Password Auth",
- message: "Enter a valid email and password to link",
- preferredStyle: .alert
- )
- for placeholder in ["Email", "Password"] {
- loginAlertController.addTextField { textfield in
- textfield.placeholder = placeholder
- }
- }
- let onContinue: (UIAlertAction) -> Void = { _ in
- let email = loginAlertController.textFields![0].text!
- let password = loginAlertController.textFields![1].text!
- linkHandler(email, password)
- }
- loginAlertController
- .addAction(UIAlertAction(title: "Continue", style: .default, handler: onContinue))
- loginAlertController.addAction(UIAlertAction(title: "Cancel", style: .cancel))
- present(loginAlertController, animated: true, completion: nil)
- }
- // MARK: - TableView Configuration & Refresh
- private func configureDataSourceProvider() {
- dataSourceProvider = DataSourceProvider(
- dataSource: sections,
- tableView: tableView
- )
- dataSourceProvider.delegate = self
- }
- @MainActor private func updateUI() {
- configureDataSourceProvider()
- animateUpdates(for: tableView)
- }
- private func animateUpdates(for tableView: UITableView) {
- UIView.transition(with: tableView, duration: 0.05,
- options: .transitionCrossDissolve,
- animations: { tableView.reloadData() })
- }
- }
- // MARK: DataSourceProvidable
- extension AccountLinkingViewController: DataSourceProvidable {
- var sections: [Section] { buildSections() }
- private func buildSections() -> [Section] {
- var section = AuthMenuData.authLinkSections.first!
- section.items = section.items.compactMap { item -> Item? in
- var item = item
- item.hasNestedContent = false
- item.isChecked = userProviderDataContains(item: item)
- return ["Anonymous Authentication", "Custom Auth System"].contains(item.title) ? nil : item
- }
- return [section]
- }
- private func userProviderDataContains(item: Item) -> Bool {
- guard let authProvider = AuthMenu(rawValue: item.title ?? "") else { return false }
- return user.providerData.map { $0.providerID }.contains(authProvider.id)
- }
- }
- // MARK: - Implementing Sign in with Apple with Firebase
- extension AccountLinkingViewController: ASAuthorizationControllerDelegate,
- ASAuthorizationControllerPresentationContextProviding {
- // MARK: ASAuthorizationControllerDelegate
- func signInWithApple() async throws -> ASAuthorizationAppleIDCredential {
- return try await withCheckedThrowingContinuation { continuation in
- self.continuation = continuation
- let appleIDProvider = ASAuthorizationAppleIDProvider()
- let request = appleIDProvider.createRequest()
- request.requestedScopes = [.fullName, .email]
- let authorizationController = ASAuthorizationController(authorizationRequests: [request])
- authorizationController.delegate = self
- authorizationController.performRequests()
- }
- }
- func authorizationController(controller: ASAuthorizationController,
- didCompleteWithAuthorization authorization: ASAuthorization) {
- if case let appleIDCredential as ASAuthorizationAppleIDCredential = authorization.credential {
- continuation?.resume(returning: appleIDCredential)
- } else {
- fatalError("Unexpected authorization credential type.")
- }
- }
- func authorizationController(controller: ASAuthorizationController,
- didCompleteWithError error: any Error) {
- // Ensure that you have:
- // - enabled `Sign in with Apple` on the Firebase console
- // - added the `Sign in with Apple` capability for this project
- continuation?.resume(throwing: error)
- }
- // MARK: ASAuthorizationControllerPresentationContextProviding
- func presentationAnchor(for controller: ASAuthorizationController) -> ASPresentationAnchor {
- return view.window!
- }
- }
|