好问题!通常,对于这样的用例,您会使用RACMulticastConnection,但是,因为您希望信号能够稍后重新激活,所以连接本身并不适合。
最简单的答案可能是模仿连接的工作方式,但具有您想要的特定行为。基本上,我们将跟踪在任何给定时间有多少订阅者,并根据该数字开始/停止更新位置。
让我们从添加一个locationSubject
属性开始。主题需要是RACReplaySubject,因为我们总是希望新订阅者立即获得最近发送的位置。使用该主题实现更新很容易:
- (void)locationManager:(CLLocationManager *)manager didUpdateLocations:(NSArray *)locations {
[self.locationSubject sendNext:locations.lastObject];
}
然后,我们要实现跟踪和增加/减少订阅者计数的信号。这通过使用numberOfLocationSubscribers
整数属性来工作:
- (RACSignal *)currentLocationSignal {
return [RACSignal createSignal:^(id<RACSubscriber> subscriber) {
@synchronized (self) {
if (self.numberOfLocationSubscribers == 0) {
[self.locationManager startUpdatingLocation];
}
++self.numberOfLocationSubscribers;
}
[self.locationSubject subscribe:subscriber];
return [RACDisposable disposableWithBlock:^{
@synchronized (self) {
--self.numberOfLocationSubscribers;
if (self.numberOfLocationSubscribers == 0) {
[self.locationManager stopUpdatingLocation];
}
}
}];
}];
}
在上面的代码中,+createSignal:
每次将新订阅者添加到返回的信号时都会调用该块。发生这种情况时:
- 我们检查订阅者数量当前是否为零。如果是这样,刚刚添加的订阅者是第一个订阅者,因此我们需要启用(或重新启用)位置更新。
- 我们将订阅者直接连接到我们的
locationSubject
,因此来自后者的值会自动输入到前者。
- 然后,在将来某个时间,当订阅被处理时,我们会减少计数并在适当的情况下停止位置更新。
现在,剩下的就是订阅currentLocationSignal
on startup,并在几秒钟后自动取消订阅:
- (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions {
// Use a capacity of 1 because we only ever care about the latest
// location.
self.locationSubject = [RACReplaySubject replaySubjectWithCapacity:1];
[[self.currentLocationSignal
takeUntil:[RACSignal interval:3]]
subscribeCompleted:^{
// We don't actually need to do anything here, but we need
// a subscription to keep the location updating going for the
// time specified.
}];
return YES;
}
这会self.currentLocationSignal
立即订阅,然后在+interval:
信号发送其第一个值时自动处理该订阅。
有趣的是,-[RACMulticastConnection autoconnect]
过去的行为与-currentLocationSignal
上述类似,但这种行为已经改变,因为它使副作用变得难以预测。这个用例应该是安全的,但在其他时候(比如发出网络请求或运行 shell 命令时)自动重新连接会很糟糕。