使用** SwiftUI **和** Firestore **使用电子邮件,名字,姓氏进行注册

时间:2019-12-27 15:35:31

标签: firebase google-cloud-firestore firebase-authentication swiftui

我想对用户进行身份验证,并使用用户名(first和last)使用Firestore创建用户数据库。我可以创建用户,但无法同时创建数据库。

这是我的SessionStore,可用于注册和登录。通过注册,我想获取用户名并创建一个数据库。 (下面没有代码,因为什么都没用)

我是一个初学者,所以我希望能给出一个详尽的答案。

非常感谢!

Vendorname\PlatformBundle\Service\Process\FileMessageChannel:
    bind:
        $procDir: '%kernel.project_dir%/var/proc'
    shared: false

1 个答案:

答案 0 :(得分:2)

Firebase身份验证管理用户身份验证-尽管它确实存储了某些联合身份提供者提供的其他信息(例如,个人资料图片URL),但它并非旨在成为个人资料管理解决方案。如果您想存储有关用户的其他信息,则可以使用Cloud Firestore或Firebase Realtime Database来实现。

Firebase用户对象仅具有有限数量的属性,主要是允许身份验证提供程序对用户进行身份验证。对于Swift,UserInfo定义了以下内容:

  • providerId-提供者标识符
  • uid-用户的提供商的唯一ID
  • displayName-用户名(即他们的全名)
  • photoURL-用户的个人资料照片的网址(如果受身份验证提供程序支持!)
  • email-用户的电子邮件地址
  • phoneNumber-用户的电话号码,仅当用户通过电话号码auth进行身份验证时才可用

因此,您需要做的是:

  1. 构建用户界面,以便用户可以提供其凭据(电子邮件/密码)以及您要捕获的其他任何个人资料信息(例如名字,姓氏,居住地)
  2. 使用Auth.auth().createUser(withEmail: email, password: password)
  3. 创建用户
  4. 如果该呼叫成功返回,请在Cloud Firestore或Firebase Realtime Database中创建用户个人资料

这是一个示例实现。

别忘了:

  1. 为您的项目下载GoogleService-Info.plist
  2. 致电FirebaseApp.configure()中的AppDelegate
  3. 使用Firebase控制台在项目中创建Cloud Firestore数据库

用户界面

// File: ContentView.swift
import SwiftUI

struct ContentView: View {
  @State var firstName: String = ""
  @State var lastName: String = ""
  @State var city: String = ""
  @State var email: String = ""
  @State var password: String = ""
  @State var confirmPassword: String = ""

  @State var showSignUpForm = true
  @State var showDetails = false

  @ObservedObject var sessionStore = SessionStore()
  @State var profile: UserProfile?

  var body: some View {
    NavigationView {
      VStack {
        if self.showSignUpForm {
          Form {
            Section {
              TextField("First name", text: $firstName)
                .textContentType(.givenName)
              TextField("Last name", text: $lastName)
                .textContentType(.familyName)
              TextField("City", text: $city)
                .textContentType(.addressCity)
            }
            Section {
              TextField("Email", text: $email)
                .textContentType(.emailAddress)
                .autocapitalization(.none)
              SecureField("Password", text: $password)
              SecureField("Confirm password", text: $confirmPassword)
            }
            Button(action: { self.signUp() }) {
              Text("Sign up")
            }
          }
          .navigationBarTitle("Sign up")
        }
        else {
          Form {
            TextField("Email", text: $email)
              .textContentType(.emailAddress)
              .autocapitalization(.none)
            SecureField("Password", text: $password)
            Button(action: { self.signIn() }) {
              Text("Sign in")
            }
          }
          .navigationBarTitle("Sign in")
        }
        Button(action: { self.showSignUpForm.toggle() }) {
          Text(self.showSignUpForm ? "Have an account? Sign in instead." : "No account yet? Click here to sign up instead.")
        }
      }
      .sheet(isPresented: $showDetails) {
        UserProfileView(userProfile: self.profile ??  UserProfile(uid: "", firstName: "", lastName: "", city: ""))
      }
    }
  }

  func signUp() {
    sessionStore.signUp(email: self.email, password: self.password, firstName: self.firstName, lastName: self.lastName, city: self.city) { (profile, error) in
      if let error = error {
        print("Error when signing up: \(error)")
        return
      }
      self.profile = profile
      self.showDetails.toggle()
    }
  }

  func signIn() {
    sessionStore.signIn(email: self.email, password: self.password) { (profile, error) in
      if let error = error {
        print("Error when signing up: \(error)")
        return
      }
      self.profile = profile
      self.showDetails.toggle()
    }
  }
}

struct ContentView_Previews: PreviewProvider {
  static var previews: some View {
    ContentView()
  }
}
// File: UserProfileView.swift
import SwiftUI

struct UserProfileView: View {
  var userProfile: UserProfile
  var body: some View {
    NavigationView {
      Form {
        Text(userProfile.uid)
        Text(userProfile.firstName)
        Text(userProfile.lastName)
        Text(userProfile.city)
      }
      .navigationBarTitle("User \(userProfile.uid)")
    }
  }
}

struct UserProfileView_Previews: PreviewProvider {
  static var previews: some View {
    let userProfile = UserProfile(uid: "TEST1234", firstName: "Peter", lastName: "Friese", city: "Hamburg")
    return UserProfileView(userProfile: userProfile)
  }
}

存储库

// File: SessionStore.swift
import Foundation
import Combine
import Firebase

class SessionStore: ObservableObject {
  @Published var session: User?
  @Published var profile: UserProfile?

  private var profileRepository = UserProfileRepository()

  func signUp(email: String, password: String, firstName: String, lastName: String, city: String, completion: @escaping (_ profile: UserProfile?, _ error: Error?) -> Void) {
    Auth.auth().createUser(withEmail: email, password: password) { (result, error) in
      if let error = error {
        print("Error signing up: \(error)")
        completion(nil, error)
        return
      }

      guard let user = result?.user else { return }
      print("User \(user.uid) signed up.")

      let userProfile = UserProfile(uid: user.uid, firstName: firstName, lastName: lastName, city: city)
      self.profileRepository.createProfile(profile: userProfile) { (profile, error) in
        if let error = error {
          print("Error while fetching the user profile: \(error)")
          completion(nil, error)
          return
        }
        self.profile = profile
        completion(profile, nil)
      }
    }
  }

  func signIn(email: String, password: String, completion: @escaping (_ profile: UserProfile?, _ error: Error?) -> Void) {
    Auth.auth().signIn(withEmail: email, password: password) { (result, error) in
      if let error = error {
        print("Error signing in: \(error)")
        completion(nil, error)
        return
      }

      guard let user = result?.user else { return }
      print("User \(user.uid) signed in.")

      self.profileRepository.fetchProfile(userId: user.uid) { (profile, error) in
        if let error = error {
          print("Error while fetching the user profile: \(error)")
          completion(nil, error)
          return
        }

        self.profile = profile
        completion(profile, nil)
      }
    }
  }

  func signOut() {
    do {
      try Auth.auth().signOut()
      self.session = nil
      self.profile = nil
    }
    catch let signOutError as NSError {
      print("Error signing out: \(signOutError)")
    }
  }
}
// File: UserProfileRepository.swift
import Foundation
import Firebase
import FirebaseFirestoreSwift

struct UserProfile: Codable {
  var uid: String
  var firstName: String
  var lastName: String
  var city: String
}

class UserProfileRepository: ObservableObject {
  private var db = Firestore.firestore()

  func createProfile(profile: UserProfile, completion: @escaping (_ profile: UserProfile?, _ error: Error?) -> Void) {
    do {
      let _ = try db.collection("profiles").document(profile.uid).setData(from: profile)
      completion(profile, nil)
    }
    catch let error {
      print("Error writing city to Firestore: \(error)")
      completion(nil, error)
    }
  }

  func fetchProfile(userId: String, completion: @escaping (_ profile: UserProfile?, _ error: Error?) -> Void) {
    db.collection("profiles").document(userId).getDocument { (snapshot, error) in
      let profile = try? snapshot?.data(as: UserProfile.self)
      completion(profile, error)
    }
  }
}