欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

iOS用宏封装登录页面的跳转逻辑

程序员文章站 2022-05-24 13:14:20
...

App在用户执行需要登录权限的操作时候,往往需要先进行登录判断,如果未登录,则直接跳转到登录页面,否则直接进入业务逻辑,代码大致如下:

- (void)actionGift {
    if ([NGCommonAPI isLogin]) {
        //已登录,进入礼包页面
        NGMyGiftVController *viewController = [NGMyGiftVController new];
        [self.navigationController pushViewController:viewController animated:YES];
    }else {
        //未登录,跳转到登录页面
        NGLoginViewController *login = [[NGLoginViewController alloc] init];
        [self presentViewController:[[UINavigationController alloc] initWithRootViewController:login] animated:YES completion:nil];
    }
}

其他地方需要登录逻辑判断的,也都要添加同样的逻辑代码,这样存在几个问题

  • 跳转登录的一套相同代码存在程序的多处地方,违反了封装的原则
  • if/else的写法具有迷惑性,因为非登录情况下,用户除了跳转到登录页面外,还有可能是其他的操作,不利于阅读
  • presentViewController函数依赖于当前页面,在非viewController地方使用不具有通用性
Python Flask 路由实现

由于用Flask开发过后台接口,发现其对需要登录的处理十分优雅,大致如下:

@admin.route('/h5_activity_prizes', methods=['GET'])
@login_required
def h5_activity_prizes():
    ur"""h5活动奖品设置"""
    g.uri_path = request.path
    ....

这里的login_required是python里的装饰器,如果该接口是需要登录权限的,则用该装饰器修饰,否则不写。登录的判断逻辑,以及未登录的处理都封装在里面,使用者无需知道内部的实现逻辑。是不是很简单?但是iOS并没有装饰器这样的神器,试试用宏来实现看看

iOS 宏封装登录逻辑
  1. 新建一个GFCommonFun的通用类,封装登录校验函数,这里登录页面的弹出依赖于rootViewController
+ (UIViewController *)rootViewController{
    return [UIApplication sharedApplication].keyWindow.rootViewController;
}

+ (BOOL)checkLogin {
    if ([GFCommonFun isLogin]) {
        return NO;
    }
    UIViewController* root = [GFCommonFun rootViewController];
    GFLoginVController *viewController = [[GFLoginVController alloc] init];
    [root presentViewController:[[UINavigationController alloc] initWithRootViewController:viewController] animated:YES completion:^{
    }];
    return YES;
}
  1. 编写宏,注意这里使用return控制跳转,在宏展开后,会跳出宏当前所在的函数体,这样实现了跳转到登录页面后而无需执行剩余代码的功能
#define GF_Check_Login if([GFCommonFun checkLogin]) {return;};

3.最后在任意需要登录权限的函数里第一行加上GF_Check_Login即可

#import "GFCommonFun.h"

//评论点赞
- (void)lightenComment:(NSString *)args {
    GF_Check_Login
    //具体点赞逻辑
    ...
}

基于同样的原理,app中需要在函数执行前的操作均可以封装成宏的方式

备注
 上述方案并非最佳方案,有更好的方案,请指教