今天研究了一些AFN中的一些代码 ,额外发现了一些有趣的东西,记录下来方便以后复习和思考.
block的简写
这个东西简直能和swift的self?.block媲美一样简介,但是我们先看看三目运算符是怎么工作的:
int x = 3;
int y = (x>0)? : 3;
int z = (x>0)? 2:3;
各位会觉得该代码中y和z中会打印什么值呢?
y=1,z = 2;
实际上第二条赋值语言只是省略了条件为真的时候的返回参数,这个时候就会返回数值1了,至于为什么是返回1呢?我是这么去查看的:
int y = (x>0)? true : false;
如果这里面为两个值都为空的时候,就会返回这两个东西,而true在逻辑上是等于1的,false中逻辑是等于0的,所以如果后面的条件不写的话,按道理来说是会返回0的,但是由于语法设置不允许我们这么写,所以如果大家有什么好的方法来测试也可以告诉我,相互学习.
那么,在这个基础上,我们就可以来判断闭包的操作了,例如常用的点击按钮后,我们要先用if来判断闭包是否存在,不存在的时候就直接跳过,存在的时候就要执行这个闭包:
if(self.block){
self.block();
}//这是闭包没有参数的情况,复杂情况也是一个套路就不写了
然后如果根据我们的三目运算符的话,我们可以把闭包写成下面这种形式:
!self.block?:self.block():
这句语法的意思是如果self.block存在的时候,就执行self.block..
在afn中它是这样使用的:
dispatch_group_async(manager.completionGroup ?: url_session_manager_completion_group(), manager.completionQueue ?: dispatch_get_main_queue(), ^{
if (self.completionHandler) {
self.completionHandler(task.response, responseObject, error);
}
dispatch_async(dispatch_get_main_queue(), ^{
[[NSNotificationCenter defaultCenter] postNotificationName:AFNetworkingTaskDidCompleteNotification object:task userInfo:userInfo];
});
});
嗯,是不是觉得还是可以和swift的语法相比较...另外,在这段代码中我还看到了url_session_manager_completion_group(),一开始觉得没有什么,但是后面才发现原来这里是用()来调用的啊,是C的函数吗???
然后我里面一戳...
静态类单例的写法
static dispatch_queue_t url_session_manager_processing_queue() {
static dispatch_queue_t af_url_session_manager_processing_queue;
static dispatch_once_t onceToken;
dispatch_once(&onceToken, ^{
af_url_session_manager_processing_queue = dispatch_queue_create("com.alamofire.networking.session.manager.processing", DISPATCH_QUEUE_CONCURRENT);
});
return af_url_session_manager_processing_queue;
}
static dispatch_group_t url_session_manager_completion_group() {
static dispatch_group_t af_url_session_manager_completion_group;
static dispatch_once_t onceToken;
dispatch_once(&onceToken, ^{
af_url_session_manager_completion_group = dispatch_group_create();
});
return af_url_session_manager_completion_group;
}
我米有学过C,但感觉这跟java的语法已经很像了,去查看了一下,原来这样可以形成一种类内部的静态单例,意思就是不会被外部所访问的单例写法,那么我们很自己可以想到如果一个类有有queue和group等东西的时候可以使用该方法来描述,其他对象也可以用该方法来封装静态类单例哦
static NSArray * arr(){
static NSArray* arr = nil;
static dispatch_once_t onceToken;
dispatch_once(&onceToken, ^{
arr=@[@"abc",@"cba"];
});
return arr;
}
NSLog(@"%@",arr());
///abc,cba