Retrofit+Rxjava下載文件進(jìn)度的實(shí)現(xiàn)
前言
最近在學(xué)習(xí)Retrofit,雖然Retrofit沒(méi)有提供文件下載進(jìn)度的回調(diào),但是Retrofit底層依賴的是OkHttp,實(shí)際上所需要的實(shí)現(xiàn)OkHttp對(duì)下載進(jìn)度的監(jiān)聽(tīng),在OkHttp的官方Demo中,有一個(gè)Progress.java的文件,顧名思義。點(diǎn)我查看。
準(zhǔn)備工作
本文采用Dagger2,Retrofit,RxJava。
compile'com.squareup.retrofit2:retrofit:2.0.2' compile'com.squareup.retrofit2:converter-gson:2.0.2' compile'com.squareup.retrofit2:adapter-rxjava:2.0.2' //dagger2 compile'com.google.dagger:dagger:2.6' apt'com.google.dagger:dagger-compiler:2.6' //RxJava compile'io.reactivex:rxandroid:1.2.0' compile'io.reactivex:rxjava:1.1.5' compile'com.jakewharton.rxbinding:rxbinding:0.4.0'
改造ResponseBody
okHttp3默認(rèn)的ResponseBody因?yàn)椴恢肋M(jìn)度的相關(guān)信息,所以需要對(duì)其進(jìn)行改造??梢允褂媒涌诒O(jiān)聽(tīng)進(jìn)度信息。這里采用的是RxBus發(fā)送FileLoadEvent對(duì)象實(shí)現(xiàn)對(duì)下載進(jìn)度的實(shí)時(shí)更新。這里先講改造的ProgressResponseBody。
public class ProgressResponseBody extends ResponseBody { private ResponseBody responseBody; private BufferedSource bufferedSource; public ProgressResponseBody(ResponseBody responseBody) { this.responseBody = responseBody; } @Override public MediaType contentType() { return responseBody.contentType(); } @Override public long contentLength() { return responseBody.contentLength(); } @Override public BufferedSource source() { if (bufferedSource == null) { bufferedSource = Okio.buffer(source(responseBody.source())); } return bufferedSource; } private Source source(Source source) { return new ForwardingSource(source) { long bytesReaded = 0; @Override public long read(Buffer sink, long byteCount) throws IOException { long bytesRead = super.read(sink, byteCount); bytesReaded += bytesRead == -1 ? 0 : bytesRead; //實(shí)時(shí)發(fā)送當(dāng)前已讀取的字節(jié)和總字節(jié) RxBus.getInstance().post(new FileLoadEvent(contentLength(), bytesReaded)); return bytesRead; } }; } }
呃,OKIO相關(guān)知識(shí)我也正在學(xué),這個(gè)是從官方Demo中copy的代碼,只不過(guò)中間使用了RxBus實(shí)時(shí)發(fā)送FileLoadEvent對(duì)象。
FileLoadEvent
FileLoadEvent很簡(jiǎn)單,包含了當(dāng)前已加載進(jìn)度和文件總大小。
public class FileLoadEvent { long total; long bytesLoaded; public long getBytesLoaded() { return bytesLoaded; } public long getTotal() { return total; } public FileLoadEvent(long total, long bytesLoaded) { this.total = total; this.bytesLoaded = bytesLoaded; } }
RxBus
RxBus 名字看起來(lái)像一個(gè)庫(kù),但它并不是一個(gè)庫(kù),而是一種模式,它的思想是使用 RxJava 來(lái)實(shí)現(xiàn)了 EventBus ,而讓你不再需要使用OTTO或者 EventBus。點(diǎn)我查看詳情。
public class RxBus { private static volatile RxBus mInstance; private SerializedSubject<Object, Object> mSubject; private HashMap<String, CompositeSubscription> mSubscriptionMap; /** * PublishSubject只會(huì)把在訂閱發(fā)生的時(shí)間點(diǎn)之后來(lái)自原始Observable的數(shù)據(jù)發(fā)射給觀察者 * Subject同時(shí)充當(dāng)了Observer和Observable的角色,Subject是非線程安全的,要避免該問(wèn)題, * 需要將 Subject轉(zhuǎn)換為一個(gè) SerializedSubject ,上述RxBus類中把線程非安全的PublishSubject包裝成線程安全的Subject。 */ private RxBus() { mSubject = new SerializedSubject<>(PublishSubject.create()); } /** * 單例 雙重鎖 * @return */ public static RxBus getInstance() { if (mInstance == null) { synchronized (RxBus.class) { if (mInstance == null) { mInstance = new RxBus(); } } } return mInstance; } /** * 發(fā)送一個(gè)新的事件 * @param o */ public void post(Object o) { mSubject.onNext(o); } /** * 根據(jù)傳遞的 eventType 類型返回特定類型(eventType)的 被觀察者 * @param type * @param <T> * @return */ public <T> Observable<T> tObservable(final Class<T> type) { //ofType操作符只發(fā)射指定類型的數(shù)據(jù),其內(nèi)部就是filter+cast return mSubject.ofType(type); } public <T> Subscription doSubscribe(Class<T> type, Action1<T> next, Action1<Throwable> error) { return tObservable(type) .onBackpressureBuffer() .subscribeOn(Schedulers.io()) .observeOn(AndroidSchedulers.mainThread()) .subscribe(next, error); } public void addSubscription(Object o, Subscription subscription) { if (mSubscriptionMap == null) { mSubscriptionMap = new HashMap<>(); } String key = o.getClass().getName(); if (mSubscriptionMap.get(key) != null) { mSubscriptionMap.get(key).add(subscription); } else { CompositeSubscription compositeSubscription = new CompositeSubscription(); compositeSubscription.add(subscription); mSubscriptionMap.put(key, compositeSubscription); // Log.e("air", "addSubscription:訂閱成功 " ); } } public void unSubscribe(Object o) { if (mSubscriptionMap == null) { return; } String key = o.getClass().getName(); if (!mSubscriptionMap.containsKey(key)) { return; } if (mSubscriptionMap.get(key) != null) { mSubscriptionMap.get(key).unsubscribe(); } mSubscriptionMap.remove(key); //Log.e("air", "unSubscribe: 取消訂閱" ); } }
FileCallBack
那么,重點(diǎn)來(lái)了。代碼其實(shí)有5個(gè)方法需要重寫,好吧,其實(shí)這些方法可以精簡(jiǎn)一下。其中progress()方法有兩個(gè)參數(shù),progress和total,分別表示文件已下載的大小和總大小,我們將這兩個(gè)參數(shù)不斷更新到UI上就行了。
public abstract class FileCallBack<T> { private String destFileDir; private String destFileName; public FileCallBack(String destFileDir, String destFileName) { this.destFileDir = destFileDir; this.destFileName = destFileName; subscribeLoadProgress(); } public abstract void onSuccess(T t); public abstract void progress(long progress, long total); public abstract void onStart(); public abstract void onCompleted(); public abstract void onError(Throwable e); public void saveFile(ResponseBody body) { InputStream is = null; byte[] buf = new byte[2048]; int len; FileOutputStream fos = null; try { is = body.byteStream(); File dir = new File(destFileDir); if (!dir.exists()) { dir.mkdirs(); } File file = new File(dir, destFileName); fos = new FileOutputStream(file); while ((len = is.read(buf)) != -1) { fos.write(buf, 0, len); } fos.flush(); unsubscribe(); //onCompleted(); } catch (FileNotFoundException e) { e.printStackTrace(); } catch (IOException e) { e.printStackTrace(); } finally { try { if (is != null) is.close(); if (fos != null) fos.close(); } catch (IOException e) { Log.e("saveFile", e.getMessage()); } } } /** * 訂閱加載的進(jìn)度條 */ public void subscribeLoadProgress() { Subscription subscription = RxBus.getInstance().doSubscribe(FileLoadEvent.class, new Action1<FileLoadEvent>() { @Override public void call(FileLoadEvent fileLoadEvent) { progress(fileLoadEvent.getBytesLoaded(),fileLoadEvent.getTotal()); } }, new Action1<Throwable>() { @Override public void call(Throwable throwable) { //TODO 對(duì)異常的處理 } }); RxBus.getInstance().addSubscription(this, subscription); } /** * 取消訂閱,防止內(nèi)存泄漏 */ public void unsubscribe() { RxBus.getInstance().unSubscribe(this); } }
開(kāi)始下載
使用自己的ProgressResponseBody
通過(guò)OkHttpClient的攔截器去攔截Response,并將我們的ProgressReponseBody設(shè)置進(jìn)去監(jiān)聽(tīng)進(jìn)度。
public class ProgressInterceptor implements Interceptor { @Override public Response intercept(Chain chain) throws IOException { Response originalResponse = chain.proceed(chain.request()); return originalResponse.newBuilder() .body(new ProgressResponseBody(originalResponse.body())) .build(); } }
構(gòu)建Retrofit
@Module public class ApiModule { @Provides @Singleton public OkHttpClient provideClient() { OkHttpClient client = new OkHttpClient.Builder() .addInterceptor(new ProgressInterceptor()) .build(); return client; } @Provides @Singleton public Retrofit provideRetrofit(OkHttpClient client){ Retrofit retrofit = new Retrofit.Builder() .client(client) .baseUrl(Constant.HOST) .addCallAdapterFactory(RxJavaCallAdapterFactory.create()) .addConverterFactory(GsonConverterFactory.create()) .build(); return retrofit; } @Provides @Singleton public ApiInfo provideApiInfo(Retrofit retrofit){ return retrofit.create(ApiInfo.class); } @Provides @Singleton public ApiManager provideApiManager(Application application, ApiInfo apiInfo){ return new ApiManager(application,apiInfo); } }
請(qǐng)求接口
public interface ApiInfo { @Streaming @GET Observable<ResponseBody> download(@Url String url); }
執(zhí)行請(qǐng)求
public void load(String url, final FileCallBack<ResponseBody> callBack){ apiInfo.download(url) .subscribeOn(Schedulers.io())//請(qǐng)求網(wǎng)絡(luò) 在調(diào)度者的io線程 .observeOn(Schedulers.io()) //指定線程保存文件 .doOnNext(new Action1<ResponseBody>() { @Override public void call(ResponseBody body) { callBack.saveFile(body); } }) .observeOn(AndroidSchedulers.mainThread()) //在主線程中更新ui .subscribe(new FileSubscriber<ResponseBody>(application,callBack)); }
在presenter層中執(zhí)行網(wǎng)絡(luò)請(qǐng)求。
通過(guò)V層依賴注入的presenter對(duì)象調(diào)用請(qǐng)求網(wǎng)絡(luò),請(qǐng)求網(wǎng)絡(luò)后調(diào)用V層更新UI的操作。
public void load(String url){ String fileName = "app.apk"; String fileStoreDir = Environment.getExternalStorageDirectory().getAbsolutePath(); Log.e(TAG, "load: "+fileStoreDir.toString() ); FileCallBack<ResponseBody> callBack = new FileCallBack<ResponseBody>(fileStoreDir,fileName) { @Override public void onSuccess(final ResponseBody responseBody) { Toast.makeText(App.getInstance(),"下載文件成功",Toast.LENGTH_SHORT).show(); } @Override public void progress(long progress, long total) { iHomeView.update(total,progress); } @Override public void onStart() { iHomeView.showLoading(); } @Override public void onCompleted() { iHomeView.hideLoading(); } @Override public void onError(Throwable e) { //TODO: 對(duì)異常的一些處理 e.printStackTrace(); } }; apiManager.load(url, callBack); }
踩到的坑。
依賴的Retrofit版本一定要保持一致!??!說(shuō)多了都是淚啊。
保存文件時(shí)要使用RxJava的doOnNext操作符,后續(xù)更新UI的操作切換到UI線程。
總結(jié)
看似代碼很多,其實(shí)過(guò)程并不復(fù)雜:
在保存文件時(shí),調(diào)用ForwardingSource的read方法,通過(guò)RxBus發(fā)送實(shí)時(shí)的FileLoadEvent對(duì)象。
FileCallBack訂閱RxBus發(fā)送的FileLoadEvent。通過(guò)接收到FileLoadEvent中的下載進(jìn)度和文件總大小對(duì)UI進(jìn)行更新。
在下載保存文件完成后,取消訂閱,防止內(nèi)存泄漏。
Demo地址:https://github.com/AirMiya/DownloadDemo
- 基于Ok+Rxjava+retrofit實(shí)現(xiàn)斷點(diǎn)續(xù)傳下載
- Retrofit+RxJava實(shí)現(xiàn)帶進(jìn)度下載文件
- 基于Retrofit+Rxjava實(shí)現(xiàn)帶進(jìn)度顯示的下載文件
- Retrofit+Rxjava實(shí)現(xiàn)文件上傳和下載功能
- RxJava+Retrofit+OkHttp實(shí)現(xiàn)多文件下載之?dāng)帱c(diǎn)續(xù)傳
- RxJava2.x+ReTrofit2.x多線程下載文件的示例代碼
- Retrofit Rxjava實(shí)現(xiàn)圖片下載、保存并展示實(shí)例
- Retrofit+RxJava實(shí)現(xiàn)帶進(jìn)度條的文件下載
相關(guān)文章
Springboot設(shè)置文件上傳大小限制的實(shí)現(xiàn)示例
Spring Boot工程嵌入的tomcat限制了請(qǐng)求的文件大小默認(rèn)為1MB,單次請(qǐng)求的文件的總數(shù)不能大于10Mb,本文主要介紹了Springboot設(shè)置文件上傳大小限制的實(shí)現(xiàn)示例,感興趣的可以了解一下2023-11-11Idea2023配置JavaWeb項(xiàng)目(最新)
本文將介紹如何配置JavaWeb項(xiàng)目,以在Idea中實(shí)現(xiàn)開(kāi)發(fā)環(huán)境,文中通過(guò)圖文介紹的非常詳細(xì),對(duì)大家的學(xué)習(xí)或者工作具有一定的參考學(xué)習(xí)價(jià)值,需要的朋友們下面隨著小編來(lái)一起學(xué)習(xí)學(xué)習(xí)吧2023-09-09Java實(shí)現(xiàn)生產(chǎn)者消費(fèi)者問(wèn)題與讀者寫者問(wèn)題詳解
這篇文章主要介紹了Java實(shí)現(xiàn)生產(chǎn)者消費(fèi)者問(wèn)題與讀者寫者問(wèn)題詳解,小編覺(jué)得挺不錯(cuò)的,這里分享給大家,供需要的親朋好友參考。2017-11-11利用Spring Boot創(chuàng)建docker image的完整步驟
這篇文章主要給大家介紹了關(guān)于如何利用Spring Boot創(chuàng)建docker image的完整步驟,文中通過(guò)示例代碼介紹的非常詳細(xì),對(duì)大家的學(xué)習(xí)或者工作具有一定的參考學(xué)習(xí)價(jià)值,需要的朋友們下面隨著小編來(lái)一起學(xué)習(xí)學(xué)習(xí)吧2020-08-08這么設(shè)置IDEA中的Maven,再也不用擔(dān)心依賴下載失敗了
今天給大家?guī)?lái)一個(gè)IDEA中Maven設(shè)置的小技巧.這個(gè)技巧可以說(shuō)非常有用,學(xué)會(huì)設(shè)置之后,再也不用擔(dān)心maven依賴下載變慢的問(wèn)題,需要的朋友可以參考下2021-05-05使用spring?data的page和pageable如何實(shí)現(xiàn)分頁(yè)查詢
這篇文章主要介紹了使用spring?data的page和pageable如何實(shí)現(xiàn)分頁(yè)查詢,具有很好的參考價(jià)值,希望對(duì)大家有所幫助。如有錯(cuò)誤或未考慮完全的地方,望不吝賜教2022-12-12實(shí)例講解Java中random.nextInt()與Math.random()的基礎(chǔ)用法
今天小編就為大家分享一篇關(guān)于實(shí)例講解Java中random.nextInt()與Math.random()的基礎(chǔ)用法,小編覺(jué)得內(nèi)容挺不錯(cuò)的,現(xiàn)在分享給大家,具有很好的參考價(jià)值,需要的朋友一起跟隨小編來(lái)看看吧2019-02-02