Разрешение быстрого уведомления SwiftUI во втором представлении

#ios #swiftui #apple-push-notifications

#iOS #swiftui #apple — push-уведомления

Вопрос:

У меня есть 2 вида в моем проекте, который является входом в систему и домашним просмотром. Я попытался запросить разрешение на уведомление в домашнем представлении после успешного входа пользователя в систему. После того, как я попробовал, я нашел Push-уведомление для начинающих. Запрос разрешения при первом запуске приложения в представлении входа. Есть ли какой-либо способ установить вид соглашения о разрешении?

 struct ContentView: View {
    @EnvironmentObject var authService:AuthService

    var body: some View{
        ZStack{
            if(!authService.signedIn){
                RegisterView()
            }
            else{
                HomePageView() //The view I want to ask for permission after signedIn
            }
        }
    }
}
  
 import UIKit
import UserNotifications

@UIApplicationMain
class AppDelegate: UIResponder, UIApplicationDelegate {

    func application(_ application: UIApplication, didFinishLaunchingWithOptions launchOptions: [UIApplication.LaunchOptionsKey: Any]?) -> Bool {
        // Override point for customization after application launch.
        let auth = UserDefaults.standard.object(forKey: "Auth")
        //if auth != nil {
        //    registerForPushNotifications()
        //}  //what I tried, but It prompt while user restart the app after login.
        registerForPushNotifications()
        return true
    }

    // MARK: UISceneSession Lifecycle

    func application(_ application: UIApplication, configurationForConnecting connectingSceneSession: UISceneSession, options: UIScene.ConnectionOptions) -> UISceneConfiguration {
        // Called when a new scene session is being created.
        // Use this method to select a configuration to create the new scene with.
        return UISceneConfiguration(name: "Default Configuration", sessionRole: connectingSceneSession.role)
    }

    func application(_ application: UIApplication, didDiscardSceneSessions sceneSessions: Set<UISceneSession>) {
        // Called when the user discards a scene session.
        // If any sessions were discarded while the application was not running, this will be called shortly after application:didFinishLaunchingWithOptions.
        // Use this method to release any resources that were specific to the discarded scenes, as they will not return.
    }

    func registerForPushNotifications() {
      //1
      UNUserNotificationCenter.current()
        //2
        .requestAuthorization(options: [.alert, .sound, .badge]) { [weak self] granted, _ in
            print("Permission granted: (granted)")
            guard granted else { return }
            self?.getNotificationSettings()
          }

    }
    func getNotificationSettings() {
      UNUserNotificationCenter.current().getNotificationSettings { settings in
        print("Notification settings: (settings)")
        guard settings.authorizationStatus == .authorized else { return }
        DispatchQueue.main.async {
          UIApplication.shared.registerForRemoteNotifications()
        }

      }
    }
    func application(
      _ application: UIApplication,
      didRegisterForRemoteNotificationsWithDeviceToken deviceToken: Data
    ) {
      let tokenParts = deviceToken.map { data in String(format: ".2hhx", data) }
      let token = tokenParts.joined()
      print("Device Token: (token)")
    }
}

  

Комментарии:

1. вы должны показать свой код, связанный с разрешением.

2. отредактированный вопрос.

Ответ №1:

На самом деле, вы запрашиваете доступ к уведомлению, когда пользователь запускает приложение (внутри application(_:, didFinishLaunchingWithOptions:) . вы должны вызвать свой registerForPushNotifications метод после успешного входа в систему.

например:

         // successful login
        // e.g: authService..signedIn = true
        (UIApplication.shared.delegate as? AppDelegate).registerForPushNotifications()