91超碰碰碰碰久久久久久综合_超碰av人澡人澡人澡人澡人掠_国产黄大片在线观看画质优化_txt小说免费全本

溫馨提示×

溫馨提示×

您好,登錄后才能下訂單哦!

密碼登錄×
登錄注冊×
其他方式登錄
點擊 登錄注冊 即表示同意《億速云用戶服務條款》

Android開發Retrofit怎么使用

發布時間:2022-08-09 17:44:44 來源:億速云 閱讀:151 作者:iii 欄目:開發技術

本篇內容主要講解“Android開發Retrofit怎么使用”,感興趣的朋友不妨來看看。本文介紹的方法操作簡單快捷,實用性強。下面就讓小編來帶大家學習“Android開發Retrofit怎么使用”吧!

    項目結構

    把源碼 clone 下來 , 可以看到 retrofit 整體結構如下

    Android開發Retrofit怎么使用

    圖 http包目錄下就是一些http協議常用接口 , 比如 請求方法 url , 請求體, 請求行 之類的

    retrofit 使用

    把retrofit使用作為分析的切入口吧 , retrofit單元測試使用如下

    public final class BasicCallTest {
        @Rule public final MockWebServer server = new MockWebServer();
        interface Service {
            @GET("/") Call<ResponseBody> getBody();
        }
        @Test public void responseBody() throws IOException {
            Retrofit retrofit = new Retrofit.Builder()
                .baseUrl(server.url("/"))
                .build();
            Service example = retrofit.create(Service.class);
            server.enqueue(new MockResponse().setBody("1234"));
            Response<ResponseBody> response = example.getBody().execute();
            assertEquals("1234", response.body().string());
        }
    }

    Retrofit 構建 , 以構建者模式構建出Retrofit

    Android開發Retrofit怎么使用

    可以看到builer可以配置baseUrl , 回調線程池 , 還有一些適配器的工廠 , 這些適配器的作用后面說

    Retrofit #create

    從create 方法開始分析 , 跟進看下create 方法

    public <T> T create(final Class<T> service) {
        validateServiceInterface(service);
        return (T)
            Proxy.newProxyInstance(
            service.getClassLoader(),
            new Class<?>[] {service},
            new InvocationHandler() {
                private final Object[] emptyArgs = new Object[0];
                @Override
                public @Nullable Object invoke(Object proxy, Method method, @Nullable Object[] args)
                    throws Throwable {
                    // If the method is a method from Object then defer to normal invocation.
                    if (method.getDeclaringClass() == Object.class) {
                        return method.invoke(this, args);
                    }
                    args = args != null ? args : emptyArgs;
                    Platform platform = Platform.get();
                    return platform.isDefaultMethod(method)
                        ? platform.invokeDefaultMethod(method, service, proxy, args)
                        : loadServiceMethod(method).invoke(args);
                }
            });
    }

    service 是請求的接口的class , 動態代理只能是接口 , 所以validateServiceInterface 先驗證是不是接口 , 不是接口則拋異常。

    method.getDeclaringClass() 獲取聲明類的Class。

    比如 A類 有個method , method.getDeclaringClass() 返回為A.class , 如果method聲明類是Object.class 則直接method.invoke , 往下執行毫無意義。

    Platform#get()會根據當前平臺獲取Platform 。

    Android開發Retrofit怎么使用

    有點類似狀態模式思想 , 根據當前的平臺選擇合適的子類

    public boolean isDefaultMethod(Method method) {
        return method.isDefault();
        }

    isDefault , 在接口類型中以default關鍵字聲明 則返回true, 比如

    interface InterfaceWithDefault {
        void firstMethod();
        default void newMethod() {
            System.out.println("newMethod");
        }
    }

    所以此處會返回 false 接著調用 loadServiceMethod。

    Android開發Retrofit怎么使用

    ServiceMethod #parseAnnotations

    跟進ServiceMethod #parseAnnotations

      static <T> ServiceMethod<T> parseAnnotations(Retrofit retrofit, Method method) {
        RequestFactory requestFactory = RequestFactory.parseAnnotations(retrofit, method);
        return HttpServiceMethod.parseAnnotations(retrofit, method, requestFactory);
      }

    根據當前的方法信息構建出RequestFactory , 然后把具體實現細節交給HttpServiceMethod 處理 , HttpServiceMethod 繼承自ServiceMethod , 有三個子類 。

    Android開發Retrofit怎么使用

    我們在Api.class定義的方法 , 解析并不是由HttpServiceMethod 完成 , 而是由RequestFactory去處理的 , 比如解析方法的注解。

    Android開發Retrofit怎么使用

    更多的解析方法如下

    Android開發Retrofit怎么使用

    方法解析的細節就不說了 , 繼續看RequestFactory 這個類 , 這個類的作用難道就是負責方法信息的解析 , 感覺和名字不太符合 , RequestFactory 顧名思義應該是用來構建Request的工廠 , 果不其然內部還有個 create 方法 , 用來構建okhttp3.Request的

      //RequestFactory #create
    okhttp3.Request create(Object[] args) throws IOException {
        return requestBuilder.get().tag(Invocation.class, new Invocation(method, argumentList)).build();
      }

    就只有這一個create方法 , 難道retrofit 就只能使用okhttp來負責網絡請求 ? 答案是肯定的 , 從最開始的 loadServiceMethod(method).invoke(args)也可以看出 , 方法里面只構建出OkHttpCall 沒提供api可以讓我們切換到其他的網絡請求庫。

    Android開發Retrofit怎么使用

    但是 , Call 又抽象成接口的形式 ,如下, 這么做的目的可能是以后便于框架的維護

    Android開發Retrofit怎么使用

    沿途風景再美麗 , 也要回到主線路 , 繼續分析 HttpServiceMethod#parseAnnotations

    HttpServiceMethod#parseAnnotations

    這個方法太長 , 貼關鍵代碼吧

     static <ResponseT, ReturnT> HttpServiceMethod<ResponseT, ReturnT> parseAnnotations(
          Retrofit retrofit, Method method, RequestFactory requestFactory) {
        boolean isKotlinSuspendFunction = requestFactory.isKotlinSuspendFunction;
        boolean continuationWantsResponse = false;
        boolean continuationBodyNullable = false;
        boolean continuationIsUnit = false;
        Annotation[] annotations = method.getAnnotations();
        Type adapterType;
        if (isKotlinSuspendFunction) {
          Type[] parameterTypes = method.getGenericParameterTypes();
          Type responseType =
              Utils.getParameterLowerBound(
                  0, (ParameterizedType) parameterTypes[parameterTypes.length - 1]);
          if (getRawType(responseType) == Response.class && responseType instanceof ParameterizedType) {
            continuationWantsResponse = true;
          }
        } else {
          //非kt 協程情況
          adapterType = method.getGenericReturnType();
        }
        CallAdapter<ResponseT, ReturnT> callAdapter =
            createCallAdapter(retrofit, method, adapterType, annotations);
        Type responseType = callAdapter.responseType();
        Converter<ResponseBody, ResponseT> responseConverter =
            createResponseConverter(retrofit, method, responseType);
        okhttp3.Call.Factory callFactory = retrofit.callFactory;
        if (!isKotlinSuspendFunction) {
            //非kt 協程情況
          return new CallAdapted<>(requestFactory, callFactory, responseConverter, callAdapter);
        } else if (continuationWantsResponse) {
          return (HttpServiceMethod<ResponseT, ReturnT>)
              new SuspendForResponse<>(
                  requestFactory,
                  callFactory,
                  responseConverter,
                  (CallAdapter<ResponseT, Call<ResponseT>>) callAdapter);
        } else {
          return (HttpServiceMethod<ResponseT, ReturnT>)
              new SuspendForBody<>(
                  requestFactory,
                  callFactory,
                  responseConverter,
                  (CallAdapter<ResponseT, Call<ResponseT>>) callAdapter,
                  continuationBodyNullable,
                  continuationIsUnit);
        }
      }

    構建出HttpServiceMethod分兩種情況 :

    • kotlin 協程情況

    • 非Kotlin 協程情況

    第二種 非Kotlin協程情況

    第一種情況稍許復雜 , 先分析第二種

    adapterType = method.getGenericReturnType();

     @GET("/") Call<ResponseBody> getBody();

    如果是上面代碼 , method.getGenericReturnType() = Call , 然后根據方法的返回值類型 / 方法注解信息 , 構建出CallAdapter 。

    createCallAdapter() 方法會使用 CallAdapter.Factory 構建CallAdapter , 因為初始化retrofit的時候沒有配置CallAdapter.Factory , 所以會使用默認的DefaultCallAdapterFactory。

    最終會進入DefaultCallAdapterFactory#get 。

    DefaultCallAdapterFactory#get

    這個方法作用就是返回CallAdapter , 修改下源碼加入兩個打印。

      public @Nullable CallAdapter<?, ?> get(
          Type returnType, Annotation[] annotations, Retrofit retrofit) {
        final Type responseType = Utils.getParameterUpperBound(0, (ParameterizedType) returnType);
        System.out.println("TAG" + " ->" + "returnType = " +getRawType(returnType) .getSimpleName());
        System.out.println("TAG" + " ->" + "responseType = " +getRawType(responseType) .getSimpleName());
        return new CallAdapter<Object, Call<?>>() {
          @Override
          public Type responseType() {
            return responseType;
          }
          @Override
          public Call<Object> adapt(Call<Object> call) {
            return executor == null ? call : new ExecutorCallbackCall<>(executor, call);
          }
        };
      }

    運行可以看到以下打印信息

    Android開發Retrofit怎么使用

    returnType = Call ,responseType =ResponseBody 。

    總結一下 , returnType就是方法返回值 , responseType 就是方法返回值上的泛型 DefaultCallAdapterFactory會根據平臺環境去構建。

    Android開發Retrofit怎么使用

    以Android24分析 , DefaultCallAdapterFactory(Executor callbackExecutor) , 構造方法中 , 線程池為主線程池 , 在retrofit初始化的時候添加到 到callAdapterFactories 集合中。

    至此 , CallAdapterFactory 和 CallAdapter 分析完了 , 總結下就是給Call (retrofit內存只有OkHttpCall 作為唯一實現類)做適配 , 讓其可以在 Rxjava / 協程 等各個環境中使用 Call。

    非kt 協程情況下 , parseAnnotations 方法最終返回的是將requestFactory , callFactory , responseConverter, callAdapter 封裝好的CallAdapted 對象。

    再次回到夢開始的地方Retrofit#create 方法 , loadServiceMethod獲取的ServiceMethod最終實現類為CallAdapted , 獲取之后會調用invoke方法 , invoke是一個final方法 , 里面構建了OkHttpCall , 然后調用了adapt方法 , adapt中調用了callAdapter.adapt(call)。

       @Override
        protected ReturnT adapt(Call&lt;ResponseT&gt; call, Object[] args) {
          return callAdapter.adapt(call);
        }

    這里的ReturnT 就是ExecutorCallbackCall<>(executor, call) 對象 , 所以 example.getBody().execute() 就是調用ExecutorCallbackCall#execute方法

     //ExecutorCallbackCall#execute
     public Response<T> execute() throws IOException {
          return delegate.execute();
        }

    delegate為OkHttpCall , 所以就調用到OkHttpCallCall#execute方法 , 這里就轉給Okhttp去請求網絡加載數據了 , 代碼就不貼了 , 我們看下網絡請求之后 , 數據Response 的處理 , 關鍵代碼OkHttpCall#parseResponse。

     Response<T> parseResponse(okhttp3.Response rawResponse) throws IOException {
        ResponseBody rawBody = rawResponse.body();
        ExceptionCatchingResponseBody catchingBody = new ExceptionCatchingResponseBody(rawBody);
        try {
          T body = responseConverter.convert(catchingBody);
          return Response.success(body, rawResponse);
        } 
      }

    responseConverter 在 HttpServiceMethod#parseAnnotations 方法中獲取 , 回應數據轉換器 , 把數據轉換成我們可以直接使用的對象 , 比如我們常用的 GsonConverterFactory。

    最后把轉換好之后的數據 , 封裝成Response對象返回。

    Android開發Retrofit怎么使用

    response.body()就是responseConverter 轉換后的數據 來張大致流程圖感受下吧

    Android開發Retrofit怎么使用

    第一種 Kotlin協程情況

    其實大致流程第二種情況分析的差不多了 , 接下來分析下Retrofit對于kotlin的特殊處理吧。

     if (Utils.getRawType(parameterType) == Continuation.class) {
                  isKotlinSuspendFunction = true;
                  return null;
                }

    協程掛起方法 , 第一個參數為Continuation , 所以判斷是不是掛起方法也很簡單 , 根據ResponseType 去構建協程專用的HttpServiceMethod , 主要有兩類。

    • SuspendForResponse , 對應type為Continuation<Response>

    • SuspendForBody , 對應type為Continuation

    這里看下 SuspendForBody 實現 , 套娃情況就不分析了。

    Android開發Retrofit怎么使用

    如果是這樣使用 , 最終會調到SuspendForBody #adapt。

     @Override
        protected Object adapt(Call<ResponseT> call, Object[] args) {
          call = callAdapter.adapt(call);
          Continuation<ResponseT> continuation = (Continuation<ResponseT>) args[args.length - 1];
          try {
             //去掉干擾代碼 , 僅保留這個
              return KotlinExtensions.awaitNullable(call, continuation);
          }
        }

    這個地方就很關鍵了 , java 直接調kotlin 協程 suspend 方法。

    KotlinExtensions.awaitNullable 會調到KotlinExtensions#await方法。

    retrofit與協程適配的細節都在 KotlinExtensions這個類里。

    進入await , 可以看到使用suspendCancellableCoroutine把回調裝換成協程。

    @JvmName("awaitNullable")
    suspend fun <T : Any> Call<T?>.await(): T? {
        return suspendCancellableCoroutine { continuation ->
            continuation.invokeOnCancellation {
                cancel()
            }
            enqueue(object : Callback<T?> {
                override fun onResponse(call: Call<T?>, response: Response<T?>) {
                    if (response.isSuccessful) {
                        continuation.resume(response.body())
                    } else {
                        continuation.resumeWithException(HttpException(response))
                    }
                }
                override fun onFailure(call: Call<T?>, t: Throwable) {
                    continuation.resumeWithException(t)
                }
            })
        }
    }

    其實內部也是調用 OkHttp Call.enqueue() , 只不過是用suspendCancellableCoroutine給協程做了一層包裝處理

    通過 suspendCancellableCoroutine包裝之后使用就很簡單了。

     GlobalScope.launch {
                try {
                    val result = xxxApi.getXxx()
                } catch (exception: Exception) {
                }
            }

    到此,相信大家對“Android開發Retrofit怎么使用”有了更深的了解,不妨來實際操作一番吧!這里是億速云網站,更多相關內容可以進入相關頻道進行查詢,關注我們,繼續學習!

    向AI問一下細節

    免責聲明:本站發布的內容(圖片、視頻和文字)以原創、轉載和分享為主,文章觀點不代表本網站立場,如果涉及侵權請聯系站長郵箱:is@yisu.com進行舉報,并提供相關證據,一經查實,將立刻刪除涉嫌侵權內容。

    AI

    视频| 衡阳市| 皋兰县| 夏河县| 辛集市| 育儿| 前郭尔| 霍邱县| 丰城市| 蓬莱市| 孝昌县| 铁岭县| 天气| 武城县| 巍山| 汝城县| 阿图什市| 修文县| 铜陵市| 呼伦贝尔市| 稷山县| 简阳市| 达拉特旗| 彭州市| 巴林左旗| 河南省| 仁寿县| 绥芬河市| 德州市| 沐川县| 苍梧县| 镇远县| 巴楚县| 治多县| 东莞市| 建宁县| 长兴县| 宣城市| 台安县| 景宁| 丽水市|