The problem
Among the shortcomings of CDI (1.0) as a general purpose DI container is the lack of what Spring 3.+ users know as profiles (not to mention Guice, which is much more expressive due to its Java EDSL approach). The CDI feature which looks closest at a first glance is the concept of alternatives, quickly turns out to be utterly useless: You can annotate your beans directly (or indirectly, via stereotypes) as @Alternatives and then choose among them for one bean-archive (read "jar") only by selecting them in the META-INF/beans.xml file. So, there is no way to switch between wiring-profiles without repackaging (possibly all) the jars in the deployment-unit. CDI 1.1 improves very slightly on this by allowing a "global" selection in only one of the "beans.xml" which is still far below par.The implementation-selector pattern
My currently favored work-around consists of the following steps- define an enumeration of profiles
- define a qualifier annotation referring to one of those profiles
- annotate service alternatives with the above profile-qualifier
- define a producer selecting the appropriate profile programmatically, publishing it to "@Default" injection points.
Profile enum and annotation
Let's start with the annotation:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
@Retention(RetentionPolicy.RUNTIME) | |
@Qualifier | |
@Target({ElementType.TYPE}) | |
public @interface InProfile { | |
DbProfile value(); | |
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
public enum DbProfile { | |
IN_MEMORY_DB, JEE_DATASOURCE; | |
public AnnotationLiteral<InProfile> literal(){ | |
return new InProfileLiteral(); | |
} | |
class InProfileLiteral extends AnnotationLiteral<InProfile> implements InProfile { | |
@Override | |
public DbProfile value() { | |
return DbProfile.this; | |
} | |
} | |
} |
Annotate your service alternatives
Now we can annotate our service alternatives like@InProfile(IN_MEMORY_DB) public class SampleSvcForInMemoryDb implements SampleSvc { ...
Define the implementation-selector
This is just a bean containing a producer method like this:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
@Produces | |
public SampleSvc sampleSvc(@Any Instance<SampleSvc> candidates) { | |
return candidates.select( activeProfile.literal() ).get(); | |
} | |