一、告别switch...case
分支语句在程序里有着重要的地位,通常都是用if…else或者switch…case语句来实现。比如网络请求中状态码与描述的对应关系,可以写成:
switch (code) {
case 200:
description = @"Success";
break;
case 400:
description = @"Bad Request";
break;
case 404:
description = @"Not Found";
break;
default:
description = @"Success";
break;
}
如果code是字符串,在OC中甚至需要写成if...else的形式:
if ([code isEqualToString:@"200"]) {
description = @"Success";
} else if([code isEqualToString:@"400"]){
description = @"Bad Request";
} else if ([code isEqualToString:@"404"]){
description = @"Not Found";
}
如果分支很多的话,代码就会变得很臃肿,不优雅(实现相同功能的代码有无数种写法,但一个优秀的程序员要找到最优雅的那种)。这时候就轮到本文的主角——数组登场啦~
我们为状态码和描述建立两个相对应的数组,这样一来,就可以通过下标进行匹配,代码如下:
NSArray *codeArray = @[@"200", @"400", @"404"];
NSArray *descArray = @[@"Success", @"Bad Request", @"Not Found"];
NSString *description = @"Success";
//假设获取到的code为404
NSString *code = @"404";
NSUInteger index = [codeArray indexOfObject:code];
if (index != NSNotFound && index < descArray.count) {
description = [descArray objectAtIndex:index];
}
这样一来,哪怕后续再有新的状态,我们也不需要去修改代码逻辑,只需要对两个数组做相应的增加即可。甚至还可以把两个数组的内容放到配置文件(如plist)中去,让不懂写代码的人也可以按需求进行修改。
二、勾搭多态,拥抱数组
抛开分支,数组还有很多种方式帮我们简化代码,比如创建下图这样tab页:
我们只需要结合NSClassFromString与多态,就可以很轻松地用循环实现。不BIBI,直接上代码:
NSArray *classNameArray = @[@"HomeViewController",@"OrderViewController",@"MyViewController"];
NSArray *imageNameArray = @[@"home",@"order",@"my"];
NSArray *titleArray = @[@"主页",@"订单",@" 我的"];
NSMutableArray *navArray = [NSMutableArray array];
//循环设置UINavigationController的RootViewController,并加入数组
for (int i = 0; i < classNameArray.count; i++) {
UIViewController *viewController = [[NSClassFromString(classNameArray[i]) alloc] init];
viewController.title = titleArray[i];
UIImage *normalImage = [UIImage imageNamed:[NSString stringWithFormat:@"%@", imageNameArray[i]]];
UIImage *selectedImage = [UIImage imageNamed:[NSString stringWithFormat:@"%@_sel", imageNameArray[i]]];
viewController.tabBarItem.image = [normalImage imageWithRenderingMode:UIImageRenderingModeAlwaysOriginal];
viewController.tabBarItem.selectedImage = [selectedImage imageWithRenderingMode:UIImageRenderingModeAlwaysOriginal];
UINavigationController *navigationController = [[UINavigationController alloc] initWithRootViewController:viewController];
[navArray addObject:navigationController];
}
//设置UINavigationController为UITabBarController的viewControllers
UITabBarController *tabBarController = [[UITabBarController alloc] init];
tabBarController.viewControllers = navArray;
self.window.rootViewController = tabBarController;
这段代码关键就在于 UIViewController *viewController = [[NSClassFromString(classNameArray[i]) alloc] init];
我们使用NSClassFromString来获取子类,并用子类创建对象赋值给父类UIViewController,从而让代码变得更优雅。
好了本篇就到这吧,若有不同观点,欢迎留言PK~