OttoとAsyncTask
を使用してUIへの応答を投稿するには、次の方法があります。
private static void onGetLatestStoryCollectionSuccess(final StoryCollection storyCollection, final Bus bus) {
new AsyncTask<Void, Void, Void>() {
@Override
protected Void doInBackground(Void... params) {
bus.post(new LatestStoryCollectionResponse(storyCollection));
return null;
}
}.execute();
}
RxAndroidライブラリを使用してこのAsyncTask
をRxJava
に変換するためのヘルプが必要です。
.create()を使用せず、.defer()を使用します
Observable<File> observable = Observable.defer(new Func0<Observable<File>>() {
@Override public Observable<File> call() {
File file = downloadFile();
return Observable.just(file);
}
});
詳細については、 https://speakerdeck.com/dlew/common-rxjava-mistakes を参照してください。
これは、RxJavaを使用したファイルダウンロードタスクの例です。
Observable<File> downloadFileObservable() {
return Observable.create(new OnSubscribeFunc<File>() {
@Override
public Subscription onSubscribe(Observer<? super File> fileObserver) {
try {
byte[] fileContent = downloadFile();
File file = writeToFile(fileContent);
fileObserver.onNext(file);
fileObserver.onCompleted();
} catch (Exception e) {
fileObserver.onError(e);
}
return Subscriptions.empty();
}
});
}
使用法:
downloadFileObservable()
.subscribeOn(Schedulers.newThread())
.observeOn(AndroidSchedulers.mainThread())
.subscribe(observer); // you can post your event to Otto here
これにより、ファイルが新しいスレッドにダウンロードされ、メインスレッドで通知されます。
OnSubscribeFunc
は非推奨になりました。 OnSubscribe
instedを使用するようにコードが更新されました。詳細については、Githubの issue 802を参照してください。
あなたの場合、fromCallable
を使用できます。より少ないコードと自動onError
排出。
Observable<File> observable = Observable.fromCallable(new Callable<File>() {
@Override
public File call() throws Exception {
File file = downloadFile();
return file;
}
});
ラムダの使用:
Observable<File> observable = Observable.fromCallable(() -> downloadFile());