ActivityInstrumentationTestCase2
我通过懒惰地创建对象图找到了一种使用 Dagger 的方法。我所做的是等待创建对象图,直到第一次想要注入一个类,所以只要你在调用之前添加你的模块getActivity()
(这会启动被测活动的活动生命周期)并overrides = true
在你的测试模块中使用,这将起作用。这是相关的类和片段:
GraphHolder
,顾名思义,ObjectGraph
为我们保存对象。我们将对此类进行所有调用,而不是直接调用ObjectGraph
.
public class GraphHolder {
private static GraphHolder sInstance;
private Object[] mModules;
private ObjectGraph mGraph;
private GraphHolder() {
}
public static GraphHolder getInstance() {
if (sInstance == null) {
sInstance = new GraphHolder();
}
return sInstance;
}
public void inject(Object object) {
if (mGraph == null) {
create();
}
mGraph.inject(object);
}
public <T> T get(Class<T> type) {
if (mGraph == null) {
create();
}
return mGraph.get(type);
}
public void addModules(Object... modules) {
if (mGraph != null) {
mGraph.plus(modules);
} else {
if (mModules == null) {
mModules = modules;
} else {
mModules = concatenate(mModules, modules);
}
}
}
private void create() {
mGraph = ObjectGraph.create(mModules);
mModules = null;
}
private Object[] concatenate(Object[] a, Object[] b) {
int aLength = a.length;
int bLength = b.length;
Object[] c = new Object[aLength + bLength];
System.arraycopy(a, 0, c, 0, aLength);
System.arraycopy(b, 0, c, aLength, bLength);
return c;
}
}
我们将在Application
类中添加我们的模块:
public class MyApplication extends Application {
@Override
public void onCreate() {
super.onCreate();
GraphHolder.getInstance().addModules(getModules());
}
Object[] getModules() {
return new Object[]{
// your modules here
};
}
}
在我们想要注入的类中,我们将简单地调用GraphHolder.getInstance().inject(this)
而不是ObjectGraph.inject(this)
在我们的测试模块中,我们将提供我们想要覆盖的对象以进行测试并添加overrides = true
到@Module
注释中。这告诉对象图在发生冲突时优先选择此模块的提供者而不是其他提供者。
然后,在我们的测试中:
@Inject Foo mFoo;
@Override
public void setUp() {
super.setUp();
GraphHolder.getInstance().addModules(new TestFooModule());
GraphHolder.getInstance().inject(this); // This is when the object graph will be created
}