最近正在学习iOS底层框架,在学习RxSwift的课程时,涉及到了函数响应式编程的思想,这让我想起了在工作项目中使用到的ReactiveCocoa第三方库,它里面也使用了函数响应式编程思想,之前只是看了简单的介绍,并会使用它而已,现在必须彻底去掌握该思想–函数响应式编程(FRP(Functional Reactive Programming)),下面就让我们一起揭开函数响应式编程思想的神秘面纱。
在iOS开发中,有三种编程思想,分别是链式编程、函数式编程和响应式编程。
- (YLGPerson *(^)(NSString *food))eat;
- (YLGPerson *(^)(NSString *time))run;
作为一个开发者,有一个学习的氛围跟一个交流圈子特别重要,这是一个我的iOS交流群:413038000,不管你是小白还是大牛欢迎入驻 ,分享BAT,阿里面试题、面试经验,讨论技术, 大家一起交流学习成长!
YLGPerson.m文件
//MARK: -- Eat
- (YLGPerson *(^)(NSString *food))eat {
return ^(NSString *food) {
NSLog(@"吃了%@",food);
return self;
}
}
//MARK: -- Run
- (YLGPerson *(^)(NSString *time))run {
return ^(NSString *time) {
NSLog(@"跑了%@分钟",time);
return self;
}
}
ViewController.m文件
YLGPerson *person = YLGPerson.new;
person.eat(@"香蕉").run(@"60").eat(@"牛奶")
注:点语法使得代码简单易读,书写方便。链式编程的代表:masonry框架
@property (nonatomic, assign, readonly) NSInteger result;
- (YLGPerson *)calculator:(NSInteger (^)(NSInteger result))block;
YLGPerson.m文件
@property (nonatomic, assign, readwrite) NSInteger result;
- (YLGPerson *)calculator:(NSInteger (^)(NSInteger result))block {
_result = block(_result);
return self;
}
ViewController.m文件
YLGPerson *person = YLGPerson.new;
[person calculator:^NSInteger (NSInteger result){
result += 8;
result *=2;
return result;
}];
注:函数式编程的代表:ReactiveCocoa框架
a = 2;
b = 6;
c = a + b; //c is 8
b = 1;
//now what is the value of c?
如果使用FRP,c的值将会随着b的值改变而改变,所以叫做「响应式编程」。比较直观的例子就是Excel,当改变某一个单元格的内容时,该单元格相关的计算结果也会随之改变。
FRP提供了一种信号机制来实现这样的效果,通过信号来记录值的变化。信号可以被叠加、分割或合并。通过对信号的组合,就不需要去监听某个值或事件。如下图:
var customButton: UIButton! = UIButton()
customButton.addTarget(self, action: #selector(clickCustomButton), for: .touchUpInside)
@objc func clickCustomButton() {
print("customButton clicked!")
}
self.customButton.rx.tap //事件序列
.subscribe(onNext: { () in //订阅
print("RxSwift customButton clicked!")
}, onError: { (error) in //发生错误回调
print("错误信息")
}, onCompleted: { //任务完成回调
print("订阅完成")
})
.disposed(by: DisposeBag()) //对象销毁
参考文档:
https://blog.csdn.net/kyl282889543/article/details/96981571#3__232
https://limboy.me/tech/2013/06/19/frp-reactivecocoa.html
https://www.jianshu.com/p/df4a949e3966