时间:2021-06-29 08:27:19 | 栏目:iOS代码 | 点击:次
外观模式(Facade),为子系统中的一组接口提供一个一致的界面,此模式定义 一个高层接口,这个接口使得这一子系统更加容易使用。
下面给大家展示一下类的结构图,想必大家一看就明白了:
其实这个模式中,没有类与类之间的继承关系,只是进行了简单的类引用,统一了对外的接口而已。看起来是不是很简单?废话不多说了,下面简单向大家展示一下代码吧!
注意:本文所有代码均在ARC环境下编译通过。
SubSystemOne类接口
@interface SubSystemOne:NSObject
-(void)MethodOne;
@end
@implementation SubSystemOne
-(void)MethodOne{
NSLog(@"子系统方法一");
}
@end
@interface SubSystemTwo:NSObject
-(void)MethodTwo;
@end
@implementation SubSystemTwo
-(void)MethodTwo{
NSLog(@"子系统方法二");
}
@end
@interface SubSystemThree:NSObject
-(void)MethodThree;
@end
@implementation SubSystemThree
-(void)MethodThree{
NSLog(@"子系统方法三");
}
@end
@interface SubSystemFour:NSObject
-(void)MethodFour;
@end
@implementation SubSystemFour
-(void)MethodFour{
NSLog(@"子系统方法四");
}
@end
@class SubSystemOne;//此处@class关键字的作用是声明(不是定义哦)所引用的类
@class SubSystemTwo;
@class SubSystemThree;
@class SubSystemFour;
@interface Facade :NSObject{
@private SubSystemOne *one;
@private SubSystemTwo *two;
@private SubSystemThree *three;
@private SubSystemFour *four;
}
-(Facade*)MyInit;
-(void)MethodA;
-(void)MethodB;
@end
@implementation Facade
-(Facade*)MyInit{
one= [[SubSystemOne alloc]init];
two= [[SubSystemTwo alloc]init];
three= [[SubSystemThree alloc]init];
four= [[SubSystemFour alloc]init];
return self;
}
-(void)MethodA{
NSLog(@"\n方法组A() ---- ");
[one MethodOne];
[two MethodTwo];
[three MethodThree];
[four MethodFour];
}
-(void)MethodB{
NSLog(@"\n方法组B() ---- ");
[two MethodTwo];
[three MethodThree];
}
@end
int main (int argc,const char * argv[])
{
@autoreleasepool{
Facade *facade = [[Facade alloc]MyInit];
[facade MethodA];
[facade MethodB];
}
return 0;
}
实例进阶
目前你有 PersistencyManager 来在本地存储专辑数据,HTTPClient 处理远程通信。项目中其它的类跟这些逻辑都没关。
执行这个模式,只有 LibraryAPI 来保存 PersistencyManager 和 HTTPClient 的实例。之后,LibraryAPI 将会公开一个简单的 API 来访问这些服务。
LibraryAPI 将会公开给其它代码,但是它隐藏了 APP 中 HTTPClient 和 PersistencyManager 的复杂部分。
打开 LibraryAPI.h,在顶部引入面文件:
#import "Album.h"
接下来,在 LibraryAPI.h下面添加如下方法:
在 LibraryAPI.m 文件引入如下两个文件:
#import "PersistencyManager.h"
#import "HTTPClient.h"
只有在这个地方你才会需要引入这些类。记住:你的 API 将会是你「复杂」系统的唯一的接入点。
现在添加一些私有属性在你的类的扩展里(在 @implementation 上面)
你现在需要在 init 方法中初始化这些变量,在 LibraryAPI.m 中添加下面代码:
接下来,在 LibraryAPI.m 里面添加下面三个方法:
- (void)addAlbum:(Album*)album atIndex:(int)index
{
[persistencyManager addAlbum:album atIndex:index];
if (isOnline)
{
[httpClient postRequest:@"/api/addAlbum" body:[album description]];
}
}
- (void)deleteAlbumAtIndex:(int)index
{
[persistencyManager deleteAlbumAtIndex:index];
if (isOnline)
{
[httpClient postRequest:@"/api/deleteAlbum" body:[@(index) description]];
}
}
提示:当在你的子系统里设计一个外观类的时候,记住没有任何东西可能阻止客户访问这些「隐藏」类。要多写些防御性的代码,不要想当然的认为所有客户都会用同样的方式使用你的外观类。
运行你的程序,你会看一个黑底空白内容的屏幕,像下面这样: