我的下载过程包含3个连续操作:preProcess
,downloading
,postProcess
。每个操作都具有异步性(preProcess
调用API,downloading
等待下载文件等。 UI必须显示正在执行哪些操作(例如,“准备......”,“下载...”,“解包......”)。
我将整个过程视为Observable
,它发出整个操作的当前状态。每个操作也是一个可观察的,它在执行开始时发出他的状态并在执行后完成。
Observable.OnSubscribe<DownloadStatus>() {
@Override
public void call(Subscriber<? super DownloadStatus> subscriber) {
subscriber.onNext(DownloadStatus.PRE_PROCESS);
doPreProcess()
.subscribe(new Action1<File>() {
@Override
public void call(File file) {
subscriber.onCompleted();
}
});
}
});
Observable<DownloadStatus> mDonwloadingOperation = Observable.create(new Observable.OnSubscribe<DownloadStatus>() {
@Override
public void call(final Subscriber<? super DownloadStatus> subscriber) {
subscriber.onNext(DownloadStatus.DOWNLOADING);
doDownloading()
.subscribe(new Action1<File>() {
@Override
public void call(File file) {
subscriber.onCompleted();
}
});
}
});
Observable<DownloadStatus> mPosProcessOperation = Observable.create(new Observable.OnSubscribe<DownloadStatus>() {
@Override
public void call(Subscriber<? super DownloadStatus> subscriber) {
subscriber.onNext(DownloadStatus.POST_PROCESS);
doPostProcess()
.subscribe(new Action1<File>() {
@Override
public void call(File file) {
subscriber.onCompleted();
}
});
}
});
一方面,每个操作都要等到上一个操作完成。另一方面,订户需要接收每个发出的状态(例如,PRE_PROCESS - &gt; DOWNLOADING - &gt; POST_PROCESS - &gt; onComplete)
我不能使用merge
,因为每个操作都应该依赖于前一个操作的完成。
我不能使用flatMap
因为我不知道如何传播发射状态。我认为Subject
可能是解决方案,但我也不知道如何传播发射状态。
如何使用rxJava解决此类问题?感谢任何想法/线索。