Установка TouchID "Введите пароль" отката для начала редактирования UITextField

Я получил TouchID настроен и работает нормально в моем приложении.

Однако я хотел бы изменить функциональность "Введите пароль".

При создании своей аутентификации я следовал руководству от: http://www.appcoda.com/touch-id-api-ios8/

Однако они используют alertView для опции "Введите пароль".

Я хотел бы закрыть просмотр предупреждений touchID и сделать мой passwordTextField первым ответчиком.

Естественно я попробовал:

self.passwordTextField.becomeFirstResponder()

Но это вызывает ошибку:

2015-04-09 10:48:42.309 Formula Stocks[3933:964941] *** Assertion failure in void _UIPerformResizeOfTextViewForTextContainer(NSLayoutManager *, UIView<NSTextContainerView> *, NSTextContainer *, NSUInteger)(), /SourceCache/UIFoundation/UIFoundation-371.13/UIFoundation/TextSystem/NSLayoutManager_Private.m:1547
2015-04-09 10:48:42.312 Formula Stocks[3933:964941] <NSXPCConnection: 0x1701061e0> connection to service named com.apple.CoreAuthentication.daemon: Warning: Exception caught during decoding of received reply to message 'evaluatePolicy:options:reply:', dropping incoming message and calling failure block.

Exception: Only run on the main thread!

Вот моя функция для аутентификации:

func requestFingerprintAuthentication() {
    // Get the local authentication context.
    let context = LAContext()

    // Declare a NSError variable.
    var error: NSError?

    // Set the reason string that will appear on the authentication alert.
    var reasonString = "Sign In."

    // Check if the device can evaluate the policy.
    if context.canEvaluatePolicy(LAPolicy.DeviceOwnerAuthenticationWithBiometrics, error: &error) {
        [context .evaluatePolicy(LAPolicy.DeviceOwnerAuthenticationWithBiometrics, localizedReason: reasonString, reply: { (success: Bool, evalPolicyError: NSError?) -> Void in

            if success {
                NSOperationQueue.mainQueue().addOperationWithBlock({ () -> Void in
                    println("successfull signin with touchID")
                    self.emailTextField.text = emailID as! String
                    self.passwordTextField.text = passwordID as! String
                    self.signIn(self.signInButton)
                })
            }
            else{
                // If authentication failed then show a message to the console with a short description.
                // In case that the error is a user fallback, then show the password alert view.
                println(evalPolicyError?.localizedDescription)

                switch evalPolicyError!.code {

                case LAError.SystemCancel.rawValue:
                    println("Authentication was cancelled by the system")

                case LAError.UserCancel.rawValue:
                    println("Authentication was cancelled by the user")

                case LAError.UserFallback.rawValue:
                    println("User selected to enter custom password")
                    self.passwordTextField.becomeFirstResponder()

                default:
                    println("Authentication failed")
                    self.passwordTextField.becomeFirstResponder()
                }
            }

        })]
    }
    else{
        // If the security policy cannot be evaluated then show a short message depending on the error.
        switch error!.code{

        case LAError.TouchIDNotEnrolled.rawValue:
            println("TouchID is not enrolled")

        case LAError.PasscodeNotSet.rawValue:
            println("A passcode has not been set")

        default:
            // The LAError.TouchIDNotAvailable case.
            println("TouchID not available")
        }

        // Optionally the error description can be displayed on the console.
        println(error?.localizedDescription)

        // Show the custom alert view to allow users to enter the password.
        //self.showPasswordAlert()
        self.passwordTextField.becomeFirstResponder()
    }
}

Это распечатывает

Optional("Fallback authentication mechanism selected.")
User selected to enter custom password

Так что я знаю, что он вызывает правильный.case

Любая помощь в выборе моего UITextField будет принята с благодарностью!

1 ответ

Решение

Вам нужно поместить стал основной ответ на основной поток. iOS требует, чтобы все операции пользовательского интерфейса были в главном потоке. При использовании замыканий (блоки в Objective-C) вы часто получаете пользовательский интерфейс случайно из основного потока. Обычная ошибка, которую вы получаете, заключается в том, что пользовательский интерфейс "зависает" на несколько секунд. Это классический случай не быть в главном потоке, когда вам нужно.

Ваш случай немного отличается, но журнал в Консоли дал ответ: "Исключение: запуск только в главном потоке!"

Другие вопросы по тегам