Core Android Libraryがあります。ここでは、@ Singletonスコープを使用してCoreComponent広告を定義し、CoreModuleによって提供されるクラスのインスタンスを挿入しています。
@Singleton
@Component(modules = {CoreModule.class})
public interface CoreComponent {
void inject(SomeClass target);
}
@Module
public class CoreModule {
@Singleton
@Provides
CoreRepository provideCoreRepository() {
return new CoreRepositoryImpl();
}
}
コアライブラリに依存し、別のコンポーネントを使用している別のAndroidライブラリから同じ@Singletonインスタンスにアクセスしたいと思います。
@Singleton
@FooScope
@Component(modules = {CoreModule.class, FooModule.class})
public interface FooComponent {
void inject(SomeActivity target);
}
public class FooActivity extends AppCompatActivity {
@Inject
public CoreRepository repo;
@Override
protected void onCreate(@Nullable Bundle savedInstanceState) {
injectDependencies();
super.onCreate(savedInstanceState);
}
[...]
}
上記のコードはビルドされますが、@ Singletonスコープはコンポーネントに対して「ローカル」です。つまり、2つのシングルトンインスタンスがあり、1つはCoreComponent用で、もう1つはFooComponent用です。
Android Application
├── Foo Library
| └── Core Library
├── Bar Library
| └── Core Library
·
·
·
└── Core Library
最善の解決策はサブコンポーネントを使用することであると思いますが、残念ながらコアライブラリには他のライブラリが表示されないため、それは不可能のようです。
クラスが同じスコープで注釈されている場合、コンポーネント間で1つのクラスの同じインスタンスをダガーと共有する別の方法はありますか?
CoreComponent
からインジェクションサイトを削除します-CoreRepository
のバインディングを依存コンポーネントに公開する唯一の機能があります。
@Singleton
@Component(modules = {CoreModule.class})
public interface CoreComponent {
CoreRepository coreRepository();
}
アプリケーション内でこのシングルトンスコープのコンポーネントへの参照を作成します。
public class MyApplication extends Application {
private final CoreComponent coreComponent;
@Override
public void onCreate() {
super.onCreate();
coreComponent = DaggerCoreComponent
.coreModule(new CoreModule())
.build();
}
public static CoreComponent getCoreComponent(Context context) {
return ((MyApplication) context.getApplicationContext()).coreComponent;
}
}
新しいより狭いスコープを作成します。
@Scope
@Retention(RetentionPolicy.RUNTIME) public @interface PerActivity {}
このスコープを追跡する新しいコンポーネントを作成して、必要な注入サイトを完成させます。
@PerActivity
@Component(dependencies = {CoreComponent.class})
public interface ActivityComponent {
void inject(FooActivity activity);
void inject(BarActivity activity);
}
インジェクションサイトでこのアクティビティスコープのコンポーネントにアクセスするときは、CoreComponent
のインスタンスをビルダーに提供する必要があります。これでActivity
に注入できます
public class FooActivity extends AppCompatActivity {
@Inject
public CoreRepository repo;
@Override
protected void onCreate(@Nullable Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
CoreComponent coreComponent = MyApplication.getCoreComponent(this);
DaggerActivityComponent.builder()
.coreComponent(coreComponent)
.build()
.inject(this);
}
}
}