使用NSMutableArray推送/弹出的ReactiveCocoa示例?

时间:2013-09-13 12:23:14

标签: reactive-cocoa

有人可以提供使用ReactiveCocoa抽象的单行示例来实现这样的目标:

// pseudo-code
NSMutableArray *array = @[[] mutableCopy];
RACSignal *newValue = RACAbleWithStart(array); // get whole array or maybe just added/removed element on push/pop

[newValue subscribeNext:^(NSArray *x) {
  // x is whole array
}]

[newValue subscribeNext:^(id x) {
  // x is new value
}]

[newValue subscribeNext:^(id x) {
  // x is removed value
}]

我看到NSArray的一些扩展被删除而转而使用Mantle https://github.com/ReactiveCocoa/ReactiveCocoa/pull/130但是仍然找不到简单的NSArray操作示例。

2 个答案:

答案 0 :(得分:15)

您无法观察数组是否有变化。 ReactiveCocoa使用键值观察。顾名思义,它只观察对键控属性(字典成员,属性等)的更改。

可以做的是观察数组属性的变化:

@interface Blah : NSObject
@property (copy, readonly) NSArray *arrayProperty;
@end

// later...
Blah *blah = [Blah new];
[RACObserve(blah, arrayProperty) subscribeNext:^(NSArray *wholeArray){}];

如果您想知道插入/删除了哪些对象,那么您有两个选择。你可以通过存储每个数组并将每个数组与之前的数组进行比较来解决它。这是最简单的,但对于非常大的数组会表现不佳。 AFAIK,ReactiveCocoa没有内置操作来执行此操作。

或者您可以实现KVO collection accessors并确保使用mutableArrayValueForKey:对阵列进行更改。这样可以避免在进行任何更改时创建新数组,并且还会通知观察者mutableArrayValueForKey:返回的代理数组所做的更改。

使用ReactiveCocoa观察更改信息稍微复杂一些:

RACSignal *changeSignal = [blah rac_valuesAndChangesForKeyPath:@keypath(blah, arrayProperty) options: NSKeyValueObservingOptionNew| NSKeyValueObservingOptionOld observer:nil];
[changeSignal subscribeNext:^(RACTuple *x){
    NSArray *wholeArray = x.first;
    NSDictionary *changeDictionary = x.second;
}];

更改字典会告诉您对数组进行了哪些更改,插入/删除了哪些对象以及插入/删除对象的索引。

记录于:https://developer.apple.com/library/mac/documentation/Cocoa/Reference/Foundation/Protocols/NSKeyValueObserving_Protocol/Reference/Reference.html

答案 1 :(得分:2)

克里斯解决方案的快速等价物:

let signal = self.object.rac_valuesAndChangesForKeyPath("property", options:      NSKeyValueObservingOptions.New | NSKeyValueObservingOptions.Old, observer:self.object)
signal.subscribeNext { (object) -> Void in
   if let tuple = object as? RACTuple {
        var wholeArray = tuple.first as? NSArray
        var changeDictionary = tuple.second as? NSDictionary
    }
}

还要确保以符合KVO的方式更改内容属性。

// This is wrong and wont send values to RAC signals
[self.contents addObject:object];

// This is correct and will send values to RAC signals
NSMutableArray *contents = [account mutableArrayValueForKey:@keypath(self, contents)];
[contents addObject:object];

修改 为了使事情更清楚,请将数组的名称替换为属性。例如:

lazy var widgets:NSMutableArray = NSMutableArray()
let signal = self.rac_valuesAndChangesForKeyPath("widgets", options:      NSKeyValueObservingOptions.New | NSKeyValueObservingOptions.Old, observer:self)