如何使用改造 2.0 获取原始响应和请求

2022-09-02 04:31:31

我正在尝试使用Retrofit2.0.2获得原始响应。

到目前为止,我尝试使用以下代码行打印响应,但它打印的是地址而不是确切的响应正文。

Log.i(“RAW MESSAGE”,response.body().toString());

compile 'com.squareup.retrofit2:retrofit:2.0.2'

    Retrofit retrofit = new Retrofit.Builder()
                    .baseUrl(BASE_URL)
                    .addConverterFactory(GsonConverterFactory.create())
                    .build();


            GitApi gitApi = retrofit.create(GitApi.class);

            Call<Addresses> call = gitApi.getFeed(user);

    call.enqueue(new Callback<Addresses>() {

                @Override
                public void onResponse(Response<Addresses> response, Retrofit retrofit) {
                    try {
                        mDisplayDetails.setText(response.body().getSuburbs().get(0).getText());

                    **Log.i("RAW MESSAGE",response.body().toString());**

                    } catch (Exception e) {
                        mDisplayDetails.setText(e.getMessage());
                    }
                    mProgressBar.setVisibility(View.INVISIBLE);

                }

                @Override
                public void onFailure(Throwable t) {
                    mDisplayDetails.setText(t.getMessage());
                    mProgressBar.setVisibility(View.INVISIBLE);

                }
            });

答案 1

这是因为它已经通过转换器转换为对象。要获取原始 json,您需要在 Http 客户端上有一个拦截器。谢天谢地,你不需要编写自己的类,Square已经为你提供了HttpLoggingInterceptor类。

将其添加到应用级版块上

compile 'com.squareup.okhttp3:logging-interceptor:3.5.0'

并在您的OkHttpClient中使用它

HttpLoggingInterceptor interceptor = new HttpLoggingInterceptor();
interceptor.setLevel(HttpLoggingInterceptor.Level.BODY);
OkHttpClient client = new OkHttpClient.Builder()
                .addInterceptor(interceptor).build();

不要忘记在改造中更改您的HttpClient。

Retrofit retrofit = new Retrofit.Builder()
            .client(client)               
            .baseUrl("https://yourapi.com/api/")
            .build();

在日志 Cat 中,您将看到原始 json 响应。更多信息可以在Square的OkHttp github上找到。

谨慎!

不要忘记在生产中删除拦截器(或将日志记录级别更改为 NONE)!否则,人们将能够在Log Cat上看到您的请求和响应。


答案 2

您必须在调用中使用 okhttp3 中的“ResponseBody”。然后,获取“response.body().string()”以获取服务器提供给您的 JSONObject。如果有任何错误解析服务器对模型对象的响应,这是捕获错误的好方法。


推荐