没有订阅者时停止发布,有订阅者时自动启动

时间:2013-02-08 09:15:14

标签: ios objective-c cocoa-touch reactive-programming reactive-cocoa

如何在没有订阅者的情况下实施会停止发布的RACSignal,并在有订阅者时自动启动?

以下是一个场景:

我们说currentLocationSignal中有一个AppDelegate。 当视图卸载时,我的LocationViewController会在视图加载和取消订阅(dispose)时订阅currentLocationSignal。由于获取当前位置需要几秒钟,我希望在应用程序打开时始终订阅currentLocationSignal(并在几秒后自动取消订阅),所以当我到达LocationViewController时我会获得准确的位置。 因此,信号可能有多个订户。当第一个用户收听时,需要开始呼叫startUpdatingLocation,当没有用户时,需要呼叫stopUpdatingLocation

1 个答案:

答案 0 :(得分:6)

好问题!通常情况下,您会使用RACMulticastConnection这样的用例,但是,因为您希望信号能够在以后重新激活,所以连接本身并不合适。

最简单的答案可能是模仿连接的工作方式,但可以模仿您想要的特定行为。基本上,我们会跟踪在任何给定时间有多少subscribers,并根据该数字开始/停止更新位置。

让我们首先添加一个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:块。当发生这种情况时:

  1. 我们检查用户数目前是否为零。如果是这样,刚添加的订户是第一个,因此我们需要启用(或重新启用)位置更新。
  2. 我们将订阅者直接挂到我们的locationSubject,因此后者的值会自动输入前者。
  3. 然后,在将来的某个时间,当订阅为disposed of时,我们会减少计数并在适当时停止位置更新。
  4. 现在,剩下的就是在启动时订阅currentLocationSignal,并在几秒钟后自动取消订阅:

    - (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,但是that behavior was changed,因为它会产生非常不可预测的副作用。这个用例应该是安全的,但是当自动重新连接会很糟糕时,还有其他时候(比如在发出网络请求或运行shell命令时)。