1. 程式人生 > >Retrofit使用Log攔截器在控制檯輸出Log

Retrofit使用Log攔截器在控制檯輸出Log

一、使用自定義Log攔截器

1、建立自定義Log攔截器類

class LoggingInterceptor implements Interceptor {
    @Override
    public Response intercept(Chain chain) throws IOException {
        //這個chain裡面包含了request和response,所以你要什麼都可以從這裡拿
        Request request = chain.request();
        long t1 = System.nanoTime();//請求發起的時間

        String method = request.method();
        if ("POST".equals(method)) {
            StringBuilder sb = new StringBuilder();
            if (request.body() instanceof FormBody) {
                FormBody body = (FormBody) request.body();
                for (int i = 0; i < body.size(); i++) {
                    sb.append(body.encodedName(i) + "=" + body.encodedValue(i) + ",");
                }
                sb.delete(sb.length() - 1, sb.length());
                Log.d("CSDN_LQR",String.format("傳送請求 %s on %s %n%s %nRequestParams:{%s}",
                        request.url(), chain.connection(), request.headers(), sb.toString()));
            }
        } else {
            Log.d("CSDN_LQR",String.format("傳送請求 %s on %s%n%s",
                    request.url(), chain.connection(), request.headers()));
        }
        Response response = chain.proceed(request);
        long t2 = System.nanoTime();//收到響應的時間
        //這裡不能直接使用response.body().string()的方式輸出日誌
        //因為response.body().string()之後,response中的流會被關閉,程式會報錯,我們需要創建出一
        //個新的response給應用層處理
        ResponseBody responseBody = response.peekBody(1024 * 1024);
        Log.d("CSDN_LQR",
                String.format("接收響應: [%s] %n返回json:【%s】 %.1fms %n%s",
                        response.request().url(),
                        responseBody.string(),
                        (t2 - t1) / 1e6d,
                        response.headers()
                ));
        return response;
    }
}

2、使用Log攔截器

OkHttpClient.Builder builder = new OkHttpClient.Builder();
if (BuildConfig.DEBUG) {
    builder.addInterceptor(new LoggingInterceptor());//使用自定義的Log攔截器
}

OkHttpClient client = builder.build();
mRetrofit = new Retrofit.Builder()
        ...
        .client(client)
        .build();

二、使用okhttp官方Log攔截器

1、引入依賴

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

2、使用Log攔截器

OkHttpClient.Builder builder = new OkHttpClient.Builder();
if (BuildConfig.DEBUG) {
    // Log資訊攔截器
    HttpLoggingInterceptor loggingInterceptor = new HttpLoggingInterceptor();
    loggingInterceptor.setLevel(HttpLoggingInterceptor.Level.BODY);//這裡可以選擇攔截級別

    //設定 Debug Log 模式
    builder.addInterceptor(loggingInterceptor);
}

OkHttpClient client = builder.build();
mRetrofit = new Retrofit.Builder()
        ...
        .client(client)
        .build();

使用上述兩種Log攔截器設定方式中的任意一種之後,當使用debug模式執行專案時,在控制檯中就會打印出每次客戶端發出的請求和收到的響應內容了。