反应式编程新手。我有一个流,一个滚动流,绑定到一个domNode,然后通过一个过滤器订阅其他一些流:
var element = document.getElementById('scrollableElement');
var sourceStream = Rx.Observable.fromEvent(element, 'scroll').map(function(e){
return e.srcElement.scrollTop;
});
var inTheOneHundreds = sourceStream
.filter(function (x, idx, obs) {
return x >= 100 && x < 200;
});
var inTheTwoHundreds = sourceStream
.filter(function (x, idx, obs) {
return x >= 200 && x < 300;
});
inTheOneHundreds.subscribe(function(value){
console.log('one hundreds ' + value);
});
inTheTwoHundreds.subscribe(function(value){
console.log('two hundreds ' + value);
});
输出如下:
one hundreds 193
one hundreds 196
one hundreds 199
two hundreds 201
two hundreds 204
您可以在此处看到:http://jsbin.com/zedazapato/edit?js,console,output
我希望在数百个更改(从true
到false
)时输出这些新流,而不是重复输出:
one hundreds 199
two hundreds 201
one hundreds 170
two hundreds 270
one hundreds 103
two hundreds 200
one hundreds 156
我尝试使用Observable.distinctUntilChanged
,但它似乎没有像我预期的那样(它似乎输出相同的东西):http://jsbin.com/gibefagiri/1/edit?js,console,output
我哪里错了?
答案 0 :(得分:1)
您有多种选择。
这将从谓词生成流,在谓词变为true时发出项:
var element = document.getElementById('scrollableElement');
var sourceStream = Rx.Observable.fromEvent(element, 'scroll').map(function(e){
return e.srcElement.scrollTop;
});
function whenBecomesTrue(stream, selector) {
return stream.distinctUntilChanged(selector).filter(selector);
}
var inTheOneHundreds = whenBecomesTrue(sourceStream, function (x, idx, obs) {
return x >= 100 && x < 200;
});
var inTheTwoHundreds = whenBecomesTrue(sourceStream, function (x, idx, obs) {
return x >= 200 && x < 300;
});
inTheOneHundreds.subscribe(function(value){
console.log('one hundreds ' + value);
});
inTheTwoHundreds.subscribe(function(value){
console.log('two hundreds ' + value);
});
或者您可以先发出页面更改:
var element = document.getElementById('scrollableElement');
var sourceStream = Rx.Observable.fromEvent(element, 'scroll').map(function(e){
return e.srcElement.scrollTop;
});
function pageOf(x) {
return Math.floor(x / 100);
}
var pageChanges = sourceStream.distinctUntilChanged(pageOf);
var inTheOneHundreds = pageChanges.filter(function (x, idx, obs) {
return pageOf(x) === 1;
});
var inTheTwoHundreds = pageChanges.filter(function (x, idx, obs) {
return pageOf(x) === 2;
});
inTheOneHundreds.subscribe(function(value){
console.log('one hundreds ' + value);
});
inTheTwoHundreds.subscribe(function(value){
console.log('two hundreds ' + value);
});
使用distinctUntilChanged的方法的问题是它实际上是由原始的scrollTop值(总是与前一个值不同)区分,而不是在布尔值上,表示该数字是否在给定范围内。