我读了一些教程和手册,但它们都跳过了我真正需要的部分,也就是你运行这些东西的实际部分。
我的设想如下。
有一个Connection
接口:
public interface Connection {
void open(Selector selector);
void send(NetMessage message);
}
我有一个需要SocketFactory
的生产实现:
public class ConnectionImpl implements Connection {
// members
@Inject
public ConnectionImpl(@Assisted SecurityMode securityMode, @Assisted long connectionId,
@Assisted EntityAddresses addresses, SocketFactory socketFactory)
所以我创建了一个ConnectionFactory
:
public interface ConnectionFactory {
SioConnection create(SecurityMode securityMode, long connectionId, EntityAddresses addresses);
}
现在,我有两个SocketFactory
的实现:SocketFactoryProd
和SocketFactoryTest
。
我正在为Connection
创建一个测试,我想用SocketFactoryTest
创建一个ConnectionImpl
,我真的不知道我是怎么做的。这是我一直遗漏的部分,我应该在我的测试中(或在测试类setUp
中)写的内容。
您可以在Guice模块中选择要绑定到您的接口的内容:
public class MyTest {
@Inject
private ConnectionFactory connectionFactory;
@Before
public void setUp() {
Injector injector = Guice.createInjector(
<your modules here>,
new AbstractModule() {
@Override
protected void configure() {
install(new FactoryModuleBuilder()
.implement(Connection.class, ConnectionImpl.class)
.build(ConnectionFactory.class));
bind(SocketFactory.class).to(SocketFactoryTest.class);
}
}
);
injector.injectMembers(this);
}
}
如果您想从您的一个生产模块中覆盖SocketFactory的现有绑定,您可以这样做:
public class MyTest {
@Inject
private ConnectionFactory connectionFactory;
@Before
public void setUp() {
Injector injector = Guice.createInjector(
Modules.override(
<your modules here. Somewhere the
FactoryModuleBuilder is installed here too>
).with(
new AbstractModule() {
@Override
protected void configure() {
bind(SocketFactory.class).to(SocketFactoryTest.class);
}
}
)
);
injector.injectMembers(this);
}
}