我想使用@Inject注释注入java接口,但由于这个接口有多个实现,我不知道play框架将如何解决我试图在spring中找到类似于限定符注释的内容但是我无法在播放文档。请告诉我这是如何实现的。
interface i1 {
void m1() {}
}
class c1 implements i1{}
class c2 implements i1{}
class c {
@Inject
i1 i; // which instance will be injected here how to resolve this conflict.
}
玩框架使用Guice:
https://www.playframework.com/documentation/2.7.x/JavaDependencyInjection https://github.com/google/guice/wiki/Motivation
你可以用不同的方式实现它。最简单的例子:
1.绑定注释
如果你只需要一个实现。 https://www.playframework.com/documentation/2.7.x/JavaDependencyInjection#Binding-annotations
import com.google.inject.ImplementedBy;
@ImplementedBy(c1.class)
public interface i1 {
void m1();
}
2.程序化绑定
如果您需要同一类的一些实现。类似于限定符。你问的那个。 https://www.playframework.com/documentation/2.7.x/JavaDependencyInjection#Programmatic-bindings
import com.google.inject.AbstractModule;
import com.google.inject.name.Names;
public class Module extends AbstractModule {
protected void configure() {
bind(i1.class)
.annotatedWith(Names.named("c1"))
.to(c1.class);
bind(i1.class)
.annotatedWith(Names.named("c2"))
.to(c2.class);
}
}
稍后在代码中
@Inject @Named("c1")
i1 i;