RxJava区分用户主动取消

0x00 取消订阅

首先我们知道使用rxjava执行操作的时候,基本流程大致如下,取消操作时只需要调用subscription.unsubscribe()即可:

Subscription subscription = Observable.<String>create(new Observable.OnSubscribe<String>() {
        @Override
        public void call(Subscriber<? super String> subscriber) {
            try {
                Thread.sleep(5 * 1000);
            } catch (InterruptedException e) {

            }
    
            println("call...");
            subscriber.onNext("aaaaaaa");
            subscriber.onCompleted();
        }
    }).subscribeOn(Schedulers.io())
    .observeOn(Schedulers.newThread())
    .unsubscribeOn(Schedulers.newThread())
    .subscribe(new PrintSubscriber<>());

那么我们在执行操作的过程中,如何知道一个操作被取消了呢?熟悉rxjava的童鞋可能一下子就会想到,直接使用doOnUnsubscribe()不就可以了吗?这有什么好纠结的。

Subscription subscription = Observable.<String>create(new Observable.OnSubscribe<String>() {
        @Override
        public void call(Subscriber<? super String> subscriber) {
            try {
                Thread.sleep(5 * 1000);
            } catch (InterruptedException e) {

            }
    
            println("call...");
            subscriber.onNext("aaaaaaa");
            subscriber.onCompleted();
        }
    }).doOnUnsubscribe(new Action0() {
         @Override
        public void call() {
            System.out.println("doOnUnsubscribe");
        }
    }).subscribeOn(Schedulers.io())
    .observeOn(Schedulers.newThread())
    .unsubscribeOn(Schedulers.newThread())
    .subscribe(new PrintSubscriber<>());

我们直接执行上述代码片段,就会发现当一个Observable执行完成(无论是正常执行完成,还是异常执行完成)后,都会调用unsubscribe的全部hook,为什么呢?

0x01 doOnUnsubscribe()调用时机

我们知道在RxJava中,所有的Subscriber最终都会被包裹成一个SafeSubscriber来执行,而在SafeSubscriber中,只要其执行完onCompleted()onError()都会在finally函数块中调用unsubscribe(),进而回调到用户先前通过doOnUnsubscribe注册的回调。



 @Override
public void onCompleted() {
    if (!done) {
        done = true;
        try {
            actual.onCompleted();
        } catch (Throwable e) {
            // we handle here instead of another method so we don't add stacks to the frame
            // which can prevent it from being able to handle StackOverflow
            Exceptions.throwIfFatal(e);
            RxJavaPluginUtils.handleException(e);
            throw new OnCompletedFailedException(e.getMessage(), e);
        } finally {
            try {
                // Similarly to onError if failure occurs in unsubscribe then Rx contract is broken
                // and we throw an UnsubscribeFailureException.
                unsubscribe();
            } catch (Throwable e) {
                RxJavaPluginUtils.handleException(e);
                throw new UnsubscribeFailedException(e.getMessage(), e);
            }
        }
    }
}

protected void _onError(Throwable e) {
    RxJavaPluginUtils.handleException(e);
    try {
        actual.onError(e);
    } catch (Throwable e2) {
        if (e2 instanceof OnErrorNotImplementedException) {
            /*
             * onError isn't implemented so throw
             * 
             * https://github.com/ReactiveX/RxJava/issues/198
             * 
             * Rx Design Guidelines 5.2
             * 
             * "when calling the Subscribe method that only has an onNext argument, the OnError behavior
             * will be to rethrow the exception on the thread that the message comes out from the observable
             * sequence. The OnCompleted behavior in this case is to do nothing."
             */
            try {
                unsubscribe();
            } catch (Throwable unsubscribeException) {
                RxJavaPluginUtils.handleException(unsubscribeException);
                throw new RuntimeException("Observer.onError not implemented and error while unsubscribing.", new CompositeException(Arrays.asList(e, unsubscribeException)));
            }
            throw (OnErrorNotImplementedException) e2;
        } else {
            /*
             * throw since the Rx contract is broken if onError failed
             * 
             * https://github.com/ReactiveX/RxJava/issues/198
             */
            RxJavaPluginUtils.handleException(e2);
            try {
                unsubscribe();
            } catch (Throwable unsubscribeException) {
                RxJavaPluginUtils.handleException(unsubscribeException);
                throw new OnErrorFailedException("Error occurred when trying to propagate error to Observer.onError and during unsubscription.", new CompositeException(Arrays.asList(e, e2, unsubscribeException)));
            }

            throw new OnErrorFailedException("Error occurred when trying to propagate error to Observer.onError", new CompositeException(Arrays.asList(e, e2)));
        }
    }
    // if we did not throw above we will unsubscribe here, if onError failed then unsubscribe happens in the catch
    try {
        unsubscribe();
    } catch (RuntimeException unsubscribeException) {
        RxJavaPluginUtils.handleException(unsubscribeException);
        throw new OnErrorFailedException(unsubscribeException);
    }
}

那么问题来了,既然无论什么情况下doOnUnsubscribe()注册的回调都会被调用,我们如何区分一个Observable是正常执行完成了,还是被主动取消了呢?

0x02 区分主动取消与被动取消

我们知道Rxjava包含很多的hook,可以从doOnUnsubscribe()doOnCompleted()doOnError()这些hook入手,然后在各个hook中区分好执行顺序即可,大致代码如下:

import rx.Observable;
import rx.Subscriber;
import rx.Subscription;
import rx.functions.Action0;
import rx.functions.Action1;
import rx.schedulers.Schedulers;

import java.util.concurrent.atomic.AtomicBoolean;

public class UserCancelDemo {
    public static void main(String[] args) {
        final UserCancelDemo userCancelDemo = new UserCancelDemo();
        Subscription subscription = userCancelDemo.create()
                .subscribeOn(Schedulers.io())
                .observeOn(Schedulers.newThread())
                .unsubscribeOn(Schedulers.newThread())
                .subscribe();

        subscription.unsubscribe();

        while (true) ;
    }

    private AtomicBoolean mCompleteOccurs = new AtomicBoolean(false);

    private AtomicBoolean mErrorOccurs = new AtomicBoolean(false);

    private Subscriber mSubscriber;

    public Observable<String> create() {
        return Observable.<String>create(new Observable.OnSubscribe<String>() {
            @Override
            public void call(Subscriber<? super String> subscriber) {
                try {
                    Thread.sleep(5 * 1000);
                } catch (InterruptedException e) {

                }

                System.out.println("call...");
                subscriber.onNext("aaaaaaa");
                subscriber.onCompleted();
            }
        }).doOnError(new Action1<Throwable>() {
            @Override
            public void call(Throwable throwable) {
                if (mSubscriber.isUnsubscribed()) {
                    System.out.println("doOnError: user have cancel subscription...");
                    return;
                }

                System.out.println("doOnError: error occurs " + throwable);

                mErrorOccurs.set(true);
            }
        }).doOnCompleted(new Action0() {
            @Override
            public void call() {
                if (mSubscriber.isUnsubscribed()) {
                    System.out.println("doOnCompleted: user have cancel subscription...");
                    return;
                }
                System.out.println("doOnCompleted: onCompleted.");
                mCompleteOccurs.set(true);
            }
        }).doOnUnsubscribe(new Action0() {
            @Override
            public void call() {
                if (mErrorOccurs.get() || mCompleteOccurs.get()) {
                    System.out.println("doOnUnsubscribe: rxjava auto unsubscribe...");
                } else {
                    System.out.println("doOnUnsubscribe: user cancel subscription...");
                }
            }
        }).lift(new Observable.Operator<String, String>() {
            @Override
            public Subscriber<? super String> call(Subscriber<? super String> subscriber) {
                mSubscriber = subscriber;
                return mSubscriber;
            }
        });
    }
}

0x03 为什么要使用原子操作?

我们在使用RxJava时,可以使用subscribeOn()observeOn()unsubscribeOn()指定不同内容运行的线程,而doOnUnsubscribe()doOnCompleted()doOnError()三个hook则分别运行在上面三个函数指定的线程中。

    .subscribeOn(Schedulers.io()) // 指定Observable、doOnCompleted()、doOnError()的线程。
    .observeOn(Schedulers.newThread()) // 指定Subscriber的订阅者的线程。
    .unsubscribeOn(Schedulers.newThread()) // 指定doOnUnsubscribe()的线程。
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 202,980评论 5 476
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 85,178评论 2 380
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 149,868评论 0 336
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 54,498评论 1 273
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 63,492评论 5 364
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 48,521评论 1 281
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 37,910评论 3 395
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,569评论 0 256
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 40,793评论 1 296
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,559评论 2 319
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 37,639评论 1 329
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,342评论 4 318
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 38,931评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 29,904评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,144评论 1 259
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 42,833评论 2 349
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,350评论 2 342

推荐阅读更多精彩内容

  • 我从去年开始使用 RxJava ,到现在一年多了。今年加入了 Flipboard 后,看到 Flipboard 的...
    Jason_andy阅读 5,451评论 7 62
  • http://blog.csdn.net/yyh352091626/article/details/5330472...
    奈何心善阅读 3,544评论 0 0
  • Android 自定义View的各种姿势1 Activity的显示之ViewRootImpl详解 Activity...
    passiontim阅读 171,376评论 25 707
  • 前言我从去年开始使用 RxJava ,到现在一年多了。今年加入了 Flipboard 后,看到 Flipboard...
    占导zqq阅读 9,158评论 6 151
  • 一只白雀 飞出旅人的手掌 现实和思维鸿沟的穿越者 冰冷的雨钢铁的肌肤 预言是一把带血的匕首 考验着虔诚的信仰 坐井...
    念今尘阅读 550评论 2 51