5

Android プロジェクトでは、次の Dagger モジュールに示すように、Retrofit 2.1.0 と OkHttp 3.4.1 を Dagger 2.6 で構成しました。@Named修飾子を使用して複数のバックエンドをサポートすることを目指しています。

@Module
public class ApiModule {

    private static final String GITHUB_QUALIFIER = "GitHub";

    private static final String TWITTER_QUALIFIER = "Twitter";

    @Provides
    GitHubClient provideGitHubClient(@Named(GITHUB_QUALIFIER) Retrofit retrofit) { /* ... */ }

    @Provides
    TwitterClient provideTwitterClient(@Named(TWITTER_QUALIFIER) Retrofit retrofit) { /* ... */ }

    @Named(GITHUB_QUALIFIER)
    @Provides
    @Singleton
    HttpUrl provideGitHubBaseUrl() { /* ... */ }

    @Named(TWITTER_QUALIFIER)
    @Provides
    @Singleton
    HttpUrl provideTwitterBaseUrl() { /* ... */ }

    @Named(GITHUB_QUALIFIER)
    @Provides
    @Singleton
    Retrofit getGitHubRetrofit(@Named(GITHUB_QUALIFIER) HttpUrl httpUrl, 
                               OkHttpClient okHttpClient) { /* ... */ }

    @Named(TWITTER_QUALIFIER)
    @Provides
    @Singleton
    Retrofit getTwitterRetrofit(@Named(TWITTER_QUALIFIER) HttpUrl httpUrl, 
                                OkHttpClient okHttpClient) { /* ... */ }

    private Retrofit getRetrofit(String baseUrl, 
                                 OkHttpClient okHttpClient) { /* ... */ }

    @Provides
    @Singleton
    public OkHttpClient provideOkHttpClient() { /* ... */ }

}

テストにMockWebServerを使用したい。ただし、複数のバックエンドを同時にサポートしながら、MockWebServer の URL を渡す方法がわかりません。

// From a unit test

mockWebServer = new MockWebServer();
mockWebServer.start();
ApiModule apiModule = new ApiModule();
OkHttpClient okHttpClient = new OkHttpClient.Builder().build();

String url = mockWebServer.url("/").toString();
// Here I cannot pass the URL to Retrofit
Retrofit retrofit = apiModule.provideRetrofit(/* HERE */ okHttpClient);

gitHubClient = apiModule.provideGitHubClient(retrofit);
4

1 に答える 1

0

ベース URL を okhttp インターセプターで上書きすることができます。

public final class HostSelectionInterceptor implements Interceptor {
    private volatile String mHost;

    public void setHost(String host) {
        this.mHost = checkNotNull(host);
    }

    @Override
    public okhttp3.Response intercept(Chain chain) throws IOException {
        Request request = chain.request();
        String host = this.mHost;
        if (host != null) {
            HttpUrl overriddenBaseUrl = HttpUrl.parse(host);
            HttpUrl newUrl = request.url()
                    .newBuilder()
                    .host(overriddenBaseUrl.host())
                    .build();
            request = request.newBuilder()
                    .url(newUrl)
                    .build();
        }
        return chain.proceed(request);
    }
}

ここから取得: https://gist.github.com/swankjesse/8571a8207a5815cca1fb

このインターセプターを使用して、MockWebServer の URL をフィードしたり、デバッグ ビルドのステージング エンドポイントを切り替えたりすることもできます。

于 2016-08-03T17:28:27.123 に答える