使用 Retrofit 进行 Bearer Token 授权的解决方法如下:
首先,确保你已经在项目的 build.gradle 文件中添加了 Retrofit 的依赖项:
implementation 'com.squareup.retrofit2:retrofit:2.9.0'
implementation 'com.squareup.retrofit2:converter-gson:2.9.0'
接下来,创建一个新的接口用于定义 API 请求:
public interface MyApiService {
    @GET("/api/data")
    Call getData(@Header("Authorization") String token);
}
 
在这个示例中,我们假设 API 的访问路径是 /api/data,并且需要传递一个 Bearer Token。
然后,创建一个用于创建 Retrofit 实例的工具类:
public class RetrofitClient {
    private static Retrofit retrofit = null;
    public static Retrofit getClient(String baseUrl) {
        // 添加 OkHttpClient,用于设置 Bearer Token
        OkHttpClient.Builder httpClient = new OkHttpClient.Builder();
        httpClient.addInterceptor(new Interceptor() {
            @Override
            public okhttp3.Response intercept(Chain chain) throws IOException {
                Request originalRequest = chain.request();
                Request.Builder builder = originalRequest.newBuilder().header("Authorization",
                        "Bearer " + YOUR_BEARER_TOKEN);
                Request newRequest = builder.build();
                return chain.proceed(newRequest);
            }
        });
        // 创建 Retrofit 实例
        retrofit = new Retrofit.Builder()
                .baseUrl(baseUrl)
                .addConverterFactory(GsonConverterFactory.create())
                .client(httpClient.build())
                .build();
        return retrofit;
    }
}
在这个示例中,我们使用 OkHttpClient 添加了一个拦截器,用于将 Bearer Token 添加到请求头中。
最后,在你的代码中使用 Retrofit 发起请求:
// 创建 Retrofit 实例
MyApiService apiService = RetrofitClient.getClient(BASE_URL).create(MyApiService.class);
// 发起请求
Call call = apiService.getData();
call.enqueue(new Callback() {
    @Override
    public void onResponse(Call call, Response response) {
        // 处理成功的响应
    }
    @Override
    public void onFailure(Call call, Throwable t) {
        // 处理请求失败的情况
    }
});
     
在这个示例中,我们通过 apiService.getData() 发起了一个 GET 请求,并使用 enqueue() 方法来异步处理响应。
注意:在上述代码示例中,你需要将 YOUR_BEARER_TOKEN 替换为你自己的 Bearer Token,BASE_URL 替换为你的 API 的基础 URL。
这就是使用 Retrofit 进行 Bearer Token 授权的解决方法。希望对你有所帮助!