我很早就决定不使用Guice创建一个特定的图表。我需要一个工厂,但我不知道怎么建。
我所实现的是一个会话感知游戏对象管理系统。
所有需要参与的对象都可以正常工作。
它们都是通过注入、提供程序、向导工厂等创建的。
我真正需要能够在这个级别管理的一个对象是Items。
Items也是我没有指导创建的对象。
项也有一个复杂的类层次结构,客户端事先知道,但平台代码不知道。在我最初的设计中,我建立了自己的工厂,以便能够使用我指定的组件来正确地构建这些对象。
到目前为止,这个工作很好,因为这些对象必须参与管理层,我需要找到一个有效的解决方案。
下面是当前的实现:
abstract class Item{
public Item(ItemID item){
...
}
...
}
class MyItem extends Item{
...
}
class MyOtherItem extends MyItem{
...
}
class MyFavoriteItem extends Item{
...
}
我当前的非指南实现看起来有点像这样
class ItemFactory{
//this sequence generator is plugged into my persistance layer. Allows for generating
//restful api calls for a specific item.
@Inject
private SequenceGenerator sequenceGenerator;
public ItemID getNextItemID(){
return sequenceGenerator.generateNextItemID();
}
//NOTE: these created objects do not participate in AOP
//since they are not created by guice
public <I extends Item> I createItem(Class<I> type){
Item myItem = type.getConstructor(ItemID.class).newInstance(getNextItemID());
return (I)myItem;
}
}
子类型对我来说是完全未知的,通常是由客户端模块提供的。我有一些注释,对于任何向导创建的对象,我都可以提供托管状态在我正在开发的游戏框架中
它适用于所有对象,除了item…因为它们不是直接创建的对象。
我更喜欢这样:
class MyItem extends Item{
@Inject
public MyItem(@Assisted ItemID itemID);
}
interface MyGuiceFactory{
public <I extends Item> I createItem(Class<I> type, ItemID itemID);
}
class MyGuiceModule extends AbstractModule{
public void configure(){
install(new FactoryModuleBuilder().build(MyGuiceFactory.class));
}
}
class MyGuiceApp{
@Inject
private MyGuiceFactory factory;
private SequenceGenerator sequenceGenerator
@Inject
public MyGuiceApp(SequenceGenerator generator){
sequenceGenerator = generator;
}
public ItemID getNextItemID(){
return sequenceGenerator.generateNextSequenceID(ItemID.class);
}
public <I extends Item> I createItem(Class<I> type){
return (I)factory.createItem(type, getNextItemID());
}
}
由于Guice不能使用泛型静态类型作为键,因此它不知道要构建什么。因为我不能将它绑定到任何特定的东西,或者要求它绑定到任何特定的
我无法用向导构建它。但是我有一些AOP代码需要通过向导来创建。
如果我能够从我的应用程序创建子类型,这些子类型可以参与我的管理游戏状态aop层。
任何建议都会很有帮助。
如果你能给我一些建议,我将不胜感激。
正如你所看到的,你的游戏本身就是一个自制的ioc容器。据我所知,在某个地方你有
class AClass
{
@Inject private Game game;
void method() {
Weapon weapon = game.createItem(AK47.class);
weapon.shoot();
}
}
我使用Provider的意思是:
class AClass
{
@Inject private Provider<AK47> ak47Provider;
void method() {
Weapon weapon = ak47Provider.get();
weapon.shoot();
}
}
当你只需要配置注入器模块来绑定应用中所有的提供商时。
如果你将Injector
注入到游戏中并将其用作对象工厂,你也可以做到同样的效果:
class GameBase
{
@Inject private Injector injector;
public <I extends Item> I createItem(Class<I> itemType){
return injector.getInstance(itemType);
}
}
您是否看到com.google.inject.Injector#getInstance
与您的createItem
具有完全相同的签名?
但我更喜欢第一个变体,它看起来更干净,减少了依赖。