tiene reconoce que pudo pantalla lector huella funciona error despues configurar configuración completar cambiar ios iphone ios-simulator ios8 touch-id

reconoce - ¿Hay alguna manera de usar el Touch ID de Apple(escáner de huellas digitales) en el simulador de iOS?



touch id iphone 6 no funciona despues de cambiar pantalla (3)

Estoy trabajando en una aplicación que requeriría la autenticación por identificación táctil (Touch ID Authentication), así que, ¿hay alguna forma de usar la identificación táctil (escáner de huellas digitales) en el simulador?

Además, comparta algún tipo de código de ejemplo para usar el marco de Autenticación Local.


A partir de Xcode 7, el simulador admite ''touchID''. La respuesta a continuación contiene más información.

A partir de la última versión beta (6) no hay forma de simular un escaneo de huellas dactilares en el simulador. Para ser honesto, dudo que esto se incluya incluso en versiones posteriores.

Tendrá que probar en el dispositivo.

Para usar el marco de autenticación ahora mismo necesitas: * XCode 6 * iPhone 5s con iOS 8

Los pasos que debes realizar son:

Averigüe si el dispositivo admite la validación de huellas dactilares y si una huella dactilar está registrada:

@import LocalAuthentication; // Get the local authentication context: LAContext *context = [[LAContext alloc] init]; // Test if fingerprint authentication is available on the device and a fingerprint has been enrolled. if ([context canEvaluatePolicy: LAPolicyDeviceOwnerAuthenticationWithBiometrics error:nil]) { NSLog(@"Fingerprint authentication available."); }

Valide una huella digital solamente:

[context evaluatePolicy:LAPolicyDeviceOwnerAuthenticationWithBiometrics localizedReason:@"Authenticate for server login" reply:^(BOOL success, NSError *authenticationError){ if (success) { NSLog(@"Fingerprint validated."); } else { NSLog(@"Fingerprint validation failed: %@.", authenticationError.localizedDescription); } }];

Valide una huella dactilar o el código de acceso del dispositivo según la elección del usuario: Esto va un poco más allá del alcance de una pregunta aquí, encuentre más información en: https://www.secsign.com/fingerprint-validation-as-an-alternative-to-passcodes/


XCODE 7 beta es compatible con las pruebas de autenticación de ID táctil en iPhone Simulator. Puedes probar esto para tus pruebas.

[Captura de pantalla 1]

[Captura de pantalla 2]


En el objetivo c

@import LocalAuthentication; @interface EnterPasscodeVC () -(void)viewWillAppear:(BOOL)animated { LAContext *myContext = [[LAContext alloc] init]; NSError *authError = nil; NSString *myLocalizedReasonString = @"Authentication is required to access your QPay Apps."; if ([myContext canEvaluatePolicy:LAPolicyDeviceOwnerAuthenticationWithBiometrics error:&authError]) { [myContext evaluatePolicy:LAPolicyDeviceOwnerAuthenticationWithBiometrics localizedReason:myLocalizedReasonString reply:^(BOOL success, NSError *error) { if (success) { dispatch_async(dispatch_get_main_queue(), ^{ [self performSegueWithIdentifier:@"Success" sender:nil]; }); } else { dispatch_async(dispatch_get_main_queue(), ^{ UIAlertView *alertView = [[UIAlertView alloc] initWithTitle:@"Error" message:error.description delegate:self cancelButtonTitle:@"OK" otherButtonTitles:nil, nil]; [alertView show]; switch (error.code) { case LAErrorAuthenticationFailed: NSLog(@"Authentication Failed"); // Rather than show a UIAlert here, use the error to determine if you should push to a keypad for PIN entry. break; case LAErrorUserCancel: NSLog(@"User pressed Cancel button"); break; case LAErrorUserFallback: NSLog(@"User pressed /"Enter Password/""); break; default: NSLog(@"Touch ID is not configured"); break; } NSLog(@"Authentication Fails"); }); } }]; } else { dispatch_async(dispatch_get_main_queue(), ^{ UIAlertView *alertView = [[UIAlertView alloc] initWithTitle:@"Error" message:authError.description delegate:self cancelButtonTitle:@"OK" otherButtonTitles:nil, nil]; [alertView show]; // Rather than show a UIAlert here, use the error to determine if you should push to a keypad for PIN entry. }); } }

En Swift

import LocalAuthentication override func viewDidLoad() { super.viewDidLoad() authenticateUser() } // MARK: Method implementation func authenticateUser() { // 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. let reasonString = "Authentication is needed to access your notes." // 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 { // If authentication was successful then load the data. NSOperationQueue.mainQueue().addOperationWithBlock({ () -> Void in self.loadData() }) } 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. print(evalPolicyError?.localizedDescription) switch evalPolicyError!.code { case LAError.SystemCancel.rawValue: print("Authentication was cancelled by the system") case LAError.UserCancel.rawValue: print("Authentication was cancelled by the user") case LAError.UserFallback.rawValue: print("User selected to enter custom password") NSOperationQueue.mainQueue().addOperationWithBlock({ () -> Void in self.showPasswordAlert() }) default: print("Authentication failed") NSOperationQueue.mainQueue().addOperationWithBlock({ () -> Void in self.showPasswordAlert() }) } } })] } else{ // If the security policy cannot be evaluated then show a short message depending on the error. switch error!.code{ case LAError.TouchIDNotEnrolled.rawValue: print("TouchID is not enrolled") case LAError.PasscodeNotSet.rawValue: print("A passcode has not been set") default: // The LAError.TouchIDNotAvailable case. print("TouchID not available") } // Optionally the error description can be displayed on the console. print(error?.localizedDescription) // Show the custom alert view to allow users to enter the password. showPasswordAlert() } } func showPasswordAlert() { let passwordAlert : UIAlertView = UIAlertView(title: "TouchIDDemo", message: "Please type your password", delegate: self, cancelButtonTitle: "Cancel", otherButtonTitles: "Okay") passwordAlert.alertViewStyle = UIAlertViewStyle.SecureTextInput passwordAlert.show() } func loadData(){ if appDelegate.checkIfDataFileExists() { self.dataArray = NSMutableArray(contentsOfFile: appDelegate.getPathOfDataFile()) self.tblNotes.reloadData() } else{ print("File does not exist") } } // MARK: UIAlertViewDelegate method implementation func alertView(alertView: UIAlertView!, clickedButtonAtIndex buttonIndex: Int) { if buttonIndex == 1 { if !alertView.textFieldAtIndex(0)!.text!.isEmpty { if alertView.textFieldAtIndex(0)!.text == "appcoda" { loadData() } else{ showPasswordAlert() } } else{ showPasswordAlert() } } }