这周给大家分享的iOS知识算是蛮有意思的,用写Java方法调用的语法来写Objective-C。没有什么高大上的技术,有的只是Block的使用技巧。前些天在读这篇RAC源码解析的文章 的时候,联想到了Masonry/BlocksKit两个三方框架,它们三都大量使用到了Block,其中就有类似Java语法来写Objective-C的例子。
首先我们来看看普通的Block是什么样的:
int (^myBlock1) (int, int) = ^(int a, int b) {
return a + b;
};
int s = myBlock1(1, 2);
NSLog(@"s = %i", s);
上面定义了一个名字叫做myBlock1的block,它接受两个int类型的参数,并且返回int。
而Masonry这个框架中,它的Block是这样的:
[view makeConstraints:^(MASConstraintMaker *make) {
make.left.equalTo(self.view);
make.top.equalTo(self.view.top).offset(40);
make.bottom.equalTo(self.view.bottom).offset(-20);
make.width.equalTo(self.view.width).multipliedBy(0.8);
}];
我们看到其中的
make.width.equalTo(self.view.width).multipliedBy(0.8);
非常类似Java中的方法调用的写法。
我们来研究下如何实现以上这种写法。
首先我们定义一个Student对象,它由两个方法play和study。
我们希望外部是这么调用它的:
Student *student = [[Student alloc] init];
student.study().play().study().play();
以前在写Java解析XML的代码时,我经常写到node.setText("xxx").setAttribute("xxx")。这种方法调用的关键在于方法调用完会返回一个调用者对象,受此启发,我们可以在发送消息时返回发送消息的sender。而在iOS中是使用方括号进行消息发送,如果要加()则需要使用block。
因此我们有:
- (Student *(^)())study
{
return ^() {
NSLog(@"study");
return self;
};
}
其中,Student *(^)()表示一种Block类型,该Block不接受任何参数,返回类型为Student。
demo中的
student.study 等价于 [student study]
student.study() 等价于 student study
相当于拿到返回的Block并直接执行,继续返回self,即student对象,因此可以继续调用student对象方法
那有参数的情况是什么样的呢?我们想要这样调用:
student.study().play(@"Dota").study().play(@"Pokemon”);
输出:
2015-09-13 22:30:07.858 TestLinkedBlock[1478:27604] study
2015-09-13 22:30:07.858 TestLinkedBlock[1478:27604] play Dota
2015-09-13 22:30:07.858 TestLinkedBlock[1478:27604] study
2015-09-13 22:30:07.859 TestLinkedBlock[1478:27604] play Pokemon
既然点语法只支持没有参数的方法,那我们可以试试把参数放在Block中:
- (Student *(^)(NSString *gameName))play
{
return ^(NSString *gameName) {
NSLog(@"play %@", gameName);
return self;
};
}
这样的话,play方法就返回一个Block,它接受一个NSString *类型的参数,与调用方式非常吻合。
我们再来看看Masonry中的用法:
make.width.equalTo(self.view.width).multipliedBy(0.8);
它的源码是这样的:
- (MASConstraint * (^)(CGFloat))multipliedBy {
return ^id(CGFloat multiplier) {
for (MASConstraint *constraint in self.childConstraints) {
constraint.multipliedBy(multiplier);
}
return self;
};
}
返回一个Block,该Block接受一个CGFloat,返回自身类型,从而实现链式的Block语法。
最后我们尝试在UIKit上做一些Extension:
我们想要这样调用view来设置它的一些基本属性:
UIView *view = [[UIView alloc] init];
[self.view addSubview:view];
view.ff_setFrame(CGRectMake(20, 20, 20, 20)).ff_setBackgroundColor([UIColor redColor]);
方法也很简单:
-
(UIView *(^)(CGRect))ff_setFrame
{
return ^(CGRect rect) {
self.frame = rect;
return self;
};
} -
(UIView *(^)(UIColor *))ff_setBackgroundColor
{
return ^(UIColor *color) {
self.backgroundColor = color;
return self;
};
}
网友评论