操作员switchMap()不会从先前的请求中退订

时间:2019-05-04 06:32:44

标签: java android rx-java switchmap

我创建了一个Observable,它从edittext发出文本。然后,使用switchmap运算符,创建一个Single,在文件中查找匹配项。

我在这里订阅:

compositeDisposable.add(getEditTextObservable(editText)
    .debounce(500, TimeUnit.MILLISECONDS)
    .map(String::toLowerCase)
    .filter(s -> !TextUtils.isEmpty(s))
    .switchMapSingle(s -> textCutter.getSearchResult(s))
    .subscribeOn(Schedulers.io())
    .observeOn(AndroidSchedulers.mainThread())
    .subscribe()
);

这是搜索内容:

public Single<List<TextCut>> getSearchResult(String searchRequest) {
    return Single.fromCallable(() -> textGen.getCutList(searchRequest));
}

结果,我得到每个请求都依次执行。 例如,如果我输入查询“ dog”,然后输入“ cat”,结果我同时得到了“ dog”和“ cat”。 尽管我希望只得到“猫”

例如:
输入:狗
“狗”正在进行中...
输入:cat
输出 [“狗”的结果]
“猫”的兴起...
输出 [cat的结果]

我希望得到的东西:
输入:狗
“狗”正在进行中...
输入:cat
“狗”已取消...
“猫”的兴起...
输出 [cat的结果]

1 个答案:

答案 0 :(得分:1)

使用与您类似的事件流对switchMapSingle运算符进行了隔离测试,我发现swtichMapSingle运算符没有任何问题-它会在应跳过时跳过,并在应出现时发出-我也尝试了各种线程化方法,但是都尊重操作员的功能。其他地方肯定有问题。

运行测试代码(重要部分从反跳起,添加了注释以显示预期结果):

public static void main(String... args) {
    final AtomicInteger aInt = new AtomicInteger();
    final AtomicBoolean aBool = new AtomicBoolean(true);

    Observable.just(0)
            .map(i -> {
                final int i2 = i + aInt.incrementAndGet();
                // simulate interval events even every 200 millis, odds every 400 millis
                Thread.sleep(i2 % 2 == 0 ? 200 : 400);
                return i2;
            })
            .repeat()
            // skip all odd numbers
            .debounce(300, MILLISECONDS)
            .switchMapSingle(i3 ->
                    // toggle between 0 and 2 second delay - every 2 second delay dropped (every other even number)
                    Single.just(i3).delay(aBool.getAndSet(!aBool.get())? 0 : 2_000, MILLISECONDS))
            .subscribeOn(Schedulers.io())
            .observeOn(Schedulers.single())
            // expected out - every other even number i.e 2, 6, 10, 14 ..
            .subscribe(i4 -> System.out.println(String.format("Value : %d", i4)));

    try {
        Thread.sleep(60_000);
    } catch (InterruptedException e) {
        e.printStackTrace();
    }
}

输出:

Value : 2
Value : 6
Value : 10
Value : 14
Value : 18
Value : 22
Value : 26

要确认何时使用flatMapSingle时也不会丢失任何事件,这也符合预期-乱序排放将是switchMapSingle减少的排放量

使用flatMapSingle输出:

Value : 2
Value : 6
Value : 10
Value : 4    // dropped with switch map single
Value : 14
Value : 8    // dropped with switch map single
Value : 18
Value : 12   // dropped with switch map single