常见的OC中括号链式语法
[[someClass alloc] init];
Masonry
[view1 mas_makeConstraints:^(MASConstraintMaker *make) {
make.top.equalTo(superview.mas_top).with.offset(padding.top);
make.left.equalTo(superview.mas_left).with.offset(padding.left);
make.bottom.equalTo(superview.mas_bottom).with.offset(-padding.bottom);
make.right.equalTo(superview.mas_right).with.offset(-padding.right);
}];
上图:
image.png
-
点语法:在 Objective-C 中,对于点语法的使用,最常见于属性的访问,比如对在方法内部用 self.xxx,在类的实例中用 classInstance.xxx;
-
小括号调用:Objective-C 中一般用中括号 [] 来实现方法的调用,而对于 Block 的调用则还是保留使用小括号 () 的方式,因此我们可以考虑用 Block 来实现在链式语法中的 () ;
-
如何实现连续访问?:Block 可理解为带有自动变量的匿名函数或函数指针,它也是有返回值的。我们可以把上述类实例每次方法的调用(实质为 Block 的调用)的返回值都设为当前类实例本身,即 classInstance.method1() 返回了当前 classInstance,此时可在其后面继续进行 .method2() 的调用,以此类推。
总结一句话就是:
“我们可以定义类的一些只读的 Block 类型的属性,并把这些 Block 的返回值类型设为当前类本身,然后实现这些 Block 属性的 getter 方法。”
代码实践:
// .h 文件
@interface Calculator : NSObject
@property (nonatomic, assign) NSInteger result;//计算结果
@property (nonatomic, copy, readonly) Calculator *(^add) (NSInteger num);
@property (nonatomic, copy, readonly) Calculator *(^minus) (NSInteger num);
@property (nonatomic, copy, readonly) Calculator *(^multiply) (NSInteger num);
@property (nonatomic, copy, readonly) Calculator *(^devide) (NSInteger num);
// 或者这样实现也可以
- (Calculator *(^)(NSInteger num)) add;
- (Calculator *(^)(NSInteger num)) minus;
- (Calculator *(^)(NSInteger num)) multiply;
- (Calculator *(^)(NSInteger num)) devide;
@end
// .m 文件
@implementation Calculator
- (instancetype)init
{
self = [super init];
if (self) {
self.result = 0;
}
return self;
}
- (Calculator * _Nonnull (^)(NSInteger))add{
return ^id(NSInteger num){
self.result += num;
return self;
};
}
- (Calculator * _Nonnull (^)(NSInteger))minus{
return ^id(NSInteger num){
self.result -= num;
return self;
};
}
- (Calculator * _Nonnull (^)(NSInteger))multiply{
return ^id(NSInteger num){
self.result *= num;
return self;
};
}
- (Calculator * _Nonnull (^)(NSInteger))devide{
return ^id(NSInteger num){
NSAssert(num != 0, @"除数不能为零!!!");
self.result *= num;
return self;
};
}
测试代码
Calculator *calc = [[Calculator alloc] init];
calc.add(10).minus(4).multiply(2).devide(3);
NSLog(@"%d",(int)calc.result);
分析:
上面通过 calc.add 访问 calc 的 add 属性会调用 [calc add] 方法,此方法会返回一个 Block 如下:
^id(NSInteger num) {
self.result += num;
return self;
};
在这个 Block 中,前面已声明其返回值类型为:Calculator,所以在其里面返回了 self,
这样当调用该 Block 时,会返回 self(即类实例本身),流程如下:
(1) calc.add -> 获得一个 Block;
(2) calc.add(8) -> Block 的执行,并返回了 self(即实例 calc)
(3) 于是在 calc.add(8) 后面可继续访问 calc 的其他属性,实现一路点下去...
网友评论