iOS 시작 안내 페이지 와 지문 잠 금 해제 방법 상세 설명
응용 프로그램 이 시 작 될 때 안내 페이지 가 있 습 니 다.사용자 가 처음 로그 인 할 때 응용 프로그램 에 대한 간단 한 설명 을 하기 위해 서 입 니 다.보통 몇 장의 윤 방 그림 입 니 다.인용 프로그램 이 처음 들 어 갔 을 때 안내 페이지 로 건 너 가 더 이상 표시 되 지 않 습 니 다.이 때 는 처음 로그 인 하지 않 은 플래그 를 메모리 에 저장 해 야 합 니 다.NSUserDefaults 를 선 호 하 는 것 을 추천 합 니 다.첫 번 째 로 값 을 직접 가 져 와 이 flag 를 가 져 오지 못 하면(첫 번 째 로그 인 이기 때문에)안내 페이지 를 건 너 뛰 고 안내 페이지 가 로그 인 페이지 나 첫 페이지 에 들 어 갈 때 flag 값 을 선 호 설정 에 저장 한 다음 에 들 어 오 면 첫 번 째 로그 인 이 아 닌 flag 를 가 져 와 안내 페이지 를 건 너 뛸 수 있 습 니 다.방식 은 두 가지 가 있 습 니 다.하 나 는 UIWindow 를 직접 전환 하 는 루트 컨트롤 러 입 니 다.본 고 는 첫 번 째 입 니 다.다른 하 나 는 모드 팝 업 입 니 다.구체 적 인 수요 에 따라 결정 합 니 다!
효과 그림:
안내 페이지 및 지문 인식 효과 도 1
안내 페이지 및 지문 인식 효과 도 2
아래 직접 코드:
AppDelegate 파일 중
#import "AppDelegate.h"
#import "GuidePagesViewController.h"
#import "LoginViewController.h"
@interface AppDelegate ()
@end
@implementation AppDelegate
- (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions {
self.window = [[UIWindow alloc]initWithFrame:[UIScreen mainScreen].bounds];
self.window.backgroundColor = [UIColor whiteColor];
NSUserDefaults * userDefault = [NSUserDefaults standardUserDefaults];
if (![userDefault boolForKey:@"isNotFirst"]) {//
self.window.rootViewController = [[GuidePagesViewController alloc]init];
}else{//
self.window.rootViewController = [[LoginViewController alloc]init];
}
[self.window makeKeyAndVisible];
return YES;
}
안내 페이지 컨트롤 러:GuidePagesView 컨트롤 러
//
// GuidePagesViewController.m
//
//
// Created by hj on 2018/1/31.
// Copyright © 2018 hj. All rights reserved.
//
#import "GuidePagesViewController.h"
#import "LoginViewController.h"
#define ScreenWidth [UIScreen mainScreen].bounds.size.width
#define ScreenHeight [UIScreen mainScreen].bounds.size.height
@interface GuidePagesViewController ()<UIScrollViewDelegate>
@property(nonatomic ,strong) UIScrollView * mainScrollV;
@property(nonatomic ,strong) UIPageControl * pageControl;
@property(nonatomic ,strong) NSMutableArray * images;
@end
@implementation GuidePagesViewController
- (void)viewDidLoad {
[super viewDidLoad];
[self.view addSubview:self.mainScrollV];
[self.view addSubview:self.pageControl];
}
-(UIScrollView *)mainScrollV{
if (!_mainScrollV) {
_mainScrollV = [[UIScrollView alloc]initWithFrame:self.view.bounds];
_mainScrollV.bounces = NO;
_mainScrollV.pagingEnabled = YES;
_mainScrollV.showsHorizontalScrollIndicator = NO;
_mainScrollV.delegate = self;
_mainScrollV.contentSize = CGSizeMake(self.images.count * ScreenWidth, ScreenHeight);
[self addSubImageViews];
}
return _mainScrollV;
}
-(NSMutableArray *)images{
if (!_images) {
_images = [NSMutableArray array];
NSArray * imageNames = @[@"u1",@"u2",@"u3",@"u4"];
for (NSString * name in imageNames) {
[self.images addObject:[UIImage imageNamed:name]];
}
}
return _images;
}
- (void)addSubImageViews{
for (int i = 0; i < self.images.count; i++) {
UIImageView * imageV = [[UIImageView alloc]initWithFrame:CGRectMake(i * ScreenWidth, 0, ScreenWidth, ScreenHeight)];
imageV.image = self.images[i];
[_mainScrollV addSubview:imageV];
if (i == self.images.count - 1){//
imageV.userInteractionEnabled = YES;
UIButton * btn = [UIButton buttonWithType:UIButtonTypeCustom];
btn.frame = CGRectMake(ScreenWidth * 0.5 - 80, ScreenHeight * 0.7, 160, 40);
[btn setTitle:@" , " forState:UIControlStateNormal];
[btn setTitleColor:[UIColor whiteColor] forState:UIControlStateNormal];
btn.backgroundColor = [UIColor redColor];
btn.layer.cornerRadius = 20;
btn.layer.borderWidth = 1;
btn.layer.borderColor = [UIColor redColor].CGColor;
[btn addTarget:self action:@selector(btnClick) forControlEvents:UIControlEventTouchUpInside];
[imageV addSubview:btn];
}
}
}
//
- (void)btnClick{
//
NSUserDefaults * userDef = [NSUserDefaults standardUserDefaults];
[userDef setBool:YES forKey:@"isNotFirst"];
[userDef synchronize];
//
[UIApplication sharedApplication].keyWindow.rootViewController = [[LoginViewController alloc]init];
}
-(UIPageControl *)pageControl{
if (!_pageControl) {
_pageControl = [[UIPageControl alloc]initWithFrame:CGRectMake(ScreenWidth/self.images.count, ScreenHeight * 15/16.0, ScreenWidth/2, ScreenHeight/16.0)];
//
_pageControl.numberOfPages = self.images.count;
//
_pageControl.pageIndicatorTintColor = [UIColor blueColor];
//
_pageControl.currentPageIndicatorTintColor = [UIColor redColor];
_pageControl.enabled = NO;
}
return _pageControl;
}
#pragma mark UIScrollViewDelegate
-(void)scrollViewDidScroll:(UIScrollView *)scrollView{
self.pageControl.currentPage = (NSInteger)self.mainScrollV.contentOffset.x/ScreenWidth;
}
@end
지문 잠 금 해 제 는 간단 합 니 다.헤더 파일 가 져 오기\#import"Local Authentication/Local Authentication.h",핸드폰 시스템 이 지문 잠 금 해 제 를 지원 하 는 지 확인 iOS 8 이후 에 만 가능 합 니 다.지문 로그 인 인증:LoginViewController
//
// LoginViewController.m
//
//
// Created by hj on 2018/1/31.
// Copyright © 2018 hj. All rights reserved.
//
#import "LoginViewController.h"
#import "LocalAuthentication/LocalAuthentication.h"
@interface LoginViewController ()
@end
@implementation LoginViewController
- (void)viewDidLoad {
[super viewDidLoad];
if ([UIDevice currentDevice].systemVersion.floatValue < 8.0) {//8.0
return;
}
UIButton * btn = [UIButton buttonWithType:UIButtonTypeCustom];
btn.frame = CGRectMake(0, 0, 160, 50);
btn.center = self.view.center;
[btn setTitle:@" , " forState:0];
[btn setTitleColor:[UIColor redColor] forState:0];
btn.backgroundColor = [UIColor yellowColor];
btn.layer.borderColor = [UIColor orangeColor].CGColor;
btn.layer.borderWidth = 2;
btn.layer.cornerRadius = 20;
[btn addTarget:self action:@selector(btnClick) forControlEvents:UIControlEventTouchUpInside];
[self.view addSubview:btn];
}
- (void)btnClick{
[self fingerprintVerification];
}
- (void)fingerprintVerification
{
// LAContext
LAContext* context = [[LAContext alloc] init];
NSError* error = nil;
if ([context canEvaluatePolicy:LAPolicyDeviceOwnerAuthenticationWithBiometrics error:&error]) {
//
[context evaluatePolicy:LAPolicyDeviceOwnerAuthenticationWithBiometrics localizedReason:@" " reply:^(BOOL success, NSError *error) {
if (success) {
// , UI
NSLog(@" ");
// ,
dispatch_async(dispatch_get_main_queue(), ^{
[self showMessage:@" !"];
});
}
else
{
NSLog(@"%@",error.localizedDescription);
switch (error.code) {
case LAErrorSystemCancel:
{
[self showMessage:@" , APP "];
// , APP
break;
}
case LAErrorUserCancel:
{
// Touch ID
[self showMessage:@" Touch ID"];
break;
}
case LAErrorAuthenticationFailed:
{
//
[self showMessage:@" "];
break;
}
case LAErrorPasscodeNotSet:
{
//
[self showMessage:@" "];
break;
}
case LAErrorBiometryNotAvailable:
{
// Touch ID ,
[self showMessage:@" Touch ID , "];
break;
}
case LAErrorBiometryNotEnrolled:
{
// Touch ID ,
[self showMessage:@" Touch ID , "];
break;
}
case LAErrorUserFallback:
{
[[NSOperationQueue mainQueue] addOperationWithBlock:^{
// ,
[self showMessage:@" , "];
}];
break;
}
default:
{
[[NSOperationQueue mainQueue] addOperationWithBlock:^{
// ,
[self showMessage:@" , "];
}];
break;
}
}
}
}];
}
else
{
// ,LOG
NSLog(@" ");
switch (error.code) {
case LAErrorBiometryNotEnrolled:
{
NSLog(@"TouchID is not enrolled");
[self showMessage:@"TouchID is not enrolled"];
break;
}
case LAErrorPasscodeNotSet:
{
NSLog(@"A passcode has not been set");
[self showMessage:@"A passcode has not been set"];
break;
}
default:
{
NSLog(@"TouchID not available");
[self showMessage:@"TouchID not available"];
break;
}
}
NSLog(@"error : %@",error.localizedDescription);
}
}
-(void)showMessage:(NSString *)msg{
UIAlertView * alert = [[UIAlertView alloc]initWithTitle:@" " message:msg delegate:nil cancelButtonTitle:@" " otherButtonTitles:@" ", nil];
[alert show];
}
@end
총결산이상 은 이 글 의 전체 내용 입 니 다.본 논문 의 내용 이 여러분 의 학습 이나 업무 에 어느 정도 참고 학습 가치 가 있 기 를 바 랍 니 다.궁금 한 점 이 있 으 시 면 댓 글 을 남 겨 주 셔 서 저희 에 대한 지지 에 감 사 드 립 니 다.
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
Swift의 패스트 패스Objective-C를 대체하기 위해 만들어졌지만 Xcode는 Objective-C 런타임 라이브러리를 사용하기 때문에 Swift와 함께 C, C++ 및 Objective-C를 컴파일할 수 있습니다. Xcode는 S...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.