对于不同的需要,我们需要有不同的网络请求 所以我们可以用单例模式,创建一个全局的Manage类,用实例Manage来执行网络请求方法,顺便用Manage传递请求数据,在Model里完成数据解析。 在iOS开发过程中,需要使用到一些全局变量以及管理方法,可以将这些变量以及方法封装在一个管理类中,这是符合MVC开发模式的,这就需要使用单例(singleton)。 使用单例模式的变量在整个程序中只需要创建一次,而它生命周期是在它被使用时创建一直到程序结束后进行释放的,类似于静态变量,所以我们需要考虑到它的生命周期,唯一性以及线程安全。在这里,我们需要实用GCD来实现单例模式:保证线程安全, 不能确定代码的执行顺序,线程是不安全的。
+ (instancetype)sharedManager {
if(!manager) {
static dispatch_once_t onceToken;
dispatch_once(&onceToken, ^{
manager = [Manager new];
});
}
return manager;
}
Static修饰全局变量: 当static关键字修饰全局变量时,作用域仅限于当前文件,外部类是不可以访问到该全局变量的。 默认情况下,全局变量在整个程序中是可以被访问的(即全局变量的作用域是整个项目文件),如果不加static,那只能存在一个名为manager的变量。
#import <Foundation/Foundation.h>
#import "TestModel.h"
NS_ASSUME_NONNULL_BEGIN
@interface Manager : NSObject
typedef void (^TestSucceedBlock)(TestModel * _Nonnull mainViewNowModel);
typedef void (^ErrorBlock)(NSError * _Nonnull error);
+ (instancetype)sharedManager;
- (void)NetWorkTestWithData:(TestSucceedBlock) succeedBlock error:(ErrorBlock) errorBlock;
@end
NS_ASSUME_NONNULL_END
#import "Manager.h"
@implementation Manager
static Manager *manager = nil;
+ (instancetype)sharedManager {
if(!manager) {
static dispatch_once_t onceToken;
dispatch_once(&onceToken, ^{
manager = [Manager new];
});
}
return manager;
}
- (void)NetWorkTestWithData:(TestSucceedBlock)succeedBlock error:(ErrorBlock)errorBlock{
NSString *json = @"http:
json = [json stringByAddingPercentEncodingWithAllowedCharacters:[NSCharacterSet URLQueryAllowedCharacterSet]];
NSURL *testUrl = [NSURL URLWithString:json];
NSURLRequest *testRequest = [NSURLRequest requestWithURL:testUrl];
NSURLSession *testSession = [NSURLSession sharedSession];
NSURLSessionDataTask *testDataTask = [testSession dataTaskWithRequest:testRequest completionHandler:^(NSData * _Nullable data, NSURLResponse * _Nullable response, NSError * _Nullable error) {
if (error == nil) {
TestModel *model = [[TestModel alloc] initWithData:data error:nil];
succeedBlock(model);
} else {
errorBlock(error);
}
}];
[testDataTask resume];
}
@end
|