3

我有一些代码片段如下

var videosNeedFix = Rx.Observable.fromArray(JSON.parse(fs.readFileSync("videoEntries.json"))).share();

videosNeedFix.count().subscribe(function(count){ //subscrption A
  console.log(count + " in total"); 
});


videosNeedFix.subscribe(function(videoEntry){ //subscription B
  console.log(videoEntry.id, videoEntry.name, videoEntry.customFields); 
});

videoEntries.json 是一个 JSON 序列化的 videoEntry 对象数组。我希望订阅 A 和订阅 B 都能接收由 videosNeedFix observable 发出的数据。

但是,根据控制台日志,只有订阅 A 会收到数据,而订阅 B 不会。如果我交换两个订阅的顺序,只有订阅 B 会看到数据。为什么 observable 只向第一个订阅发送数据?

4

1 回答 1

0

这是Rx.Subject的一个很好的用例(也许是唯一的 - 请参阅使用主题还是不使用主题? )

考虑以下示例。这段代码(评论中提到了 .delay() hack)可以工作,但对我来说似乎有点 hacky:

  let stream$ = Rx.Observable
        .return(updatesObj)
        .map(obj => Object.assign({}, obj.localData, obj.updates))
        .delay(1) //Hacky way of making it work
        .share()

    stream$
        .flatMap(obj => Observable.fromPromise(AsyncStorage.setItem('items', JSON.stringify(obj))))
        .catch(Observable.return(false))
        .subscribe()

      stream$
        .subscribe(obj =>  dispatch(dataIsReady(obj)))

Rx.Subjects 示例:

  let subjS = new Rx.Subject()

  let stream$ = subjS
    .map(obj => Object.assign({}, obj.localData, obj.updates))
    .share()

  stream$
    .flatMap(obj => Observable.fromPromise(AsyncStorage.setItem('items', JSON.stringify(obj))))
    .catch(Observable.return(false))
    .subscribe()

  stream$
    .subscribe(obj =>  dispatch(dataIsReady(obj)))

  subjS.onNext(updatesObj)
于 2016-02-26T02:08:40.430 回答