Quarkus - Contexts and Dependency Injection

Quarkus DI solution is based on the Contexts and Dependency Injection for Java 2.0 specification.However, it is not a full CDI implementation verified by the TCK.Only a subset of the CDI features is implemented - see also the list of supported features and the list of limitations.

Most of the existing CDI code should work just fine but there are some small differences which follow from the Quarkus architecture and goals.

1. Bean Discovery

Bean discovery in CDI is a complex process which involves legacy deployment structures and accessibility requirements of the underlying module architecture.However, Quarkus is using a simplified bean discovery.There is only single bean archive with the bean discovery mode annotated and no visibility boundaries.

The bean archive is synthesized from:

  • the application classes,

  • dependencies that contain a beans.xml descriptor (content is ignored),

  • dependencies that contain a Jandex index - META-INF/jandex.idx,

  • dependencies referenced by quarkus.index-dependency in application.properties,

  • and Quarkus integration code.

Bean classes that don’t have a bean defining annotation are not discovered.This behavior is defined by CDI.But producer methods and fields and observer methods are discovered even if the declaring class is not annotated with a bean defining annotation (this behavior is different to what is defined in CDI).In fact, the declaring bean classes are considered annotated with @Dependent.

Quarkus extensions may declare additional discovery rules. For example, @Scheduled business methods are registered even if the declaring class is not annotated with a bean defining annotation.

1.1. How to Generate a Jandex Index

A dependency with a Jandex index is automatically scanned for beans.To generate the index just add the following to your pom.xml:

  1. <build>
  2. <plugins>
  3. <plugin>
  4. <groupId>org.jboss.jandex</groupId>
  5. <artifactId>jandex-maven-plugin</artifactId>
  6. <version>1.0.6</version>
  7. <executions>
  8. <execution>
  9. <id>make-index</id>
  10. <goals>
  11. <goal>jandex</goal>
  12. </goals>
  13. </execution>
  14. </executions>
  15. </plugin>
  16. </plugins>
  17. </build>

If you can’t modify the dependency, you can still index it by adding quarkus.index-dependency entries to your application.properties:

  1. quarkus.index-dependency.<name>.group-id=
  2. quarkus.index-dependency.<name>.artifact-id=
  3. quarkus.index-dependency.<name>.classifier=(this one is optional)

For example, the following entries ensure that the org.acme:acme-api dependency is indexed:

  1. quarkus.index-dependency.acme.group-id=org.acme (1)
  2. quarkus.index-dependency.acme.artifact-id=acme-api (2)
1Value is a group id for a dependency identified by name acme.
2Value is an artifact id for a dependency identified by name acme.

2. Private Members

Quarkus is designed with Substrate VM in mind.One of the limitations is the usage of Reflection.Substrate VM does support reflective calls but for a price of a bigger native executable.Quarkus must use reflection fallback to access private members.That’s why Quarkus users are encouraged not to use private members in their beans.This involves injection fields, constructors and initializers, observer methods, producer methods and fields, disposers and interceptor methods.

You can use for example package-private modifiers:

  1. @ApplicationScoped
  2. public class CounterBean {
  3. @Inject
  4. CounterService counterService; (1)
  5. void onMessage(@Observes Event msg) { (2)
  6. }
  7. }
1A package-private injection field.
2A package-private observer method.

Or constructor injection:

  1. @ApplicationScoped
  2. public class CounterBean {
  3. private CounterService service;
  4. CounterBean(CounterService service) { (1)
  5. this.service = service;
  6. }
  7. }
1A package-private constructor injection.

3. Supported Features

  • Programming model
  • Managed beans implemented by a Java class
  1. -

@PostConstruct and @PreDestroy lifecycle callbacks

  • Producer methods and fields, disposers

  • Qualifiers

  • Alternatives

  • Stereotypes

  • Dependency injection and lookup
  • Field, constructor and initializer/setter injection

  • Type-safe resolution

  • Programmatic lookup via javax.enterprise.inject.Instance

  • Client proxies

  • Injection point metadata

  • Scopes and contexts
  • @Dependent, @ApplicationScoped, @Singleton, @RequestScoped and @SessionScoped

  • Custom scopes and contexts

  • Interceptors
  • Business method interceptors: @AroundInvoke

  • Interceptors for lifecycle event callbacks: @PostConstruct, @PreDestroy, @AroundConstruct

  • Events and observers, including asynchronous events

4. Limitations

  • @ConversationScoped is not supported

  • Decorators are not supported

  • Portable Extensions are not supported

  • BeanManager - only the following methods are implemented: getBeans(), createCreationalContext(), getReference(), getInjectableReference() , resolve(), getContext(), fireEvent(), getEvent() and createInstance()

  • Specialization is not supported

  • beans.xml descriptor content is ignored

  • Passivation and passivating scopes are not supported

  • Interceptor methods on superclasses are not implemented yet

  • BEFORE_COMPLETION, AFTER_COMPLETION, AFTER_FAILURE and AFTER_SUCCESS transactional observers are not implemented yet

5. Build Time Extension Points

5.1. Portable Extensions

Quarkus incorporates build-time optimizations in order to provide instant startup and low memory footprint.The downside of this approach is that CDI Portable Extensions cannot be supported.Nevertheless, most of the functionality can be achieved using Quarkus extensions.

5.2. Additional Bean Defining Annotations

As described in Bean Discovery bean classes that don’t have a bean defining annotation are not discovered.However, BeanDefiningAnnotationBuildItem can be used to extend the set of default bean defining annotations (@Dependent, @Singleton, @ApplicationScoped, @RequestScoped and @Stereotype annotations):

  1. @BuildStep
  2. BeanDefiningAnnotationBuildItem additionalBeanDefiningAnnotation() {
  3. return new BeanDefiningAnnotationBuildItem(DotName.createSimple("javax.ws.rs.Path")));
  4. }
Bean registrations that are result of a BeanDefiningAnnotationBuildItem are unremovable by default. See also Removing Unused Beans.

5.3. Resource Annotations

ResourceAnnotationBuildItem is used to specify resource annotations that make it possible to resolve non-CDI injection points, such as Java EE resources.

An integrator must also provide a corresponding io.quarkus.arc.ResourceReferenceProvider implementation.
  1. @BuildStep
  2. void setupResourceInjection(BuildProducer<ResourceAnnotationBuildItem> resourceAnnotations, BuildProducer<GeneratedResourceBuildItem> resources) {
  3. resources.produce(new GeneratedResourceBuildItem("META-INF/services/io.quarkus.arc.ResourceReferenceProvider",
  4. JPAResourceReferenceProvider.class.getName().getBytes()));
  5. resourceAnnotations.produce(new ResourceAnnotationBuildItem(DotName.createSimple(PersistenceContext.class.getName())));
  6. }

5.4. Additional Beans

AdditionalBeanBuildItem is used to specify additional bean classes to be analyzed during discovery.Additional bean classes are transparently added to the application index processed by the container.

  1. @BuildStep
  2. List<AdditionalBeanBuildItem> additionalBeans() {
  3. return Arrays.asList(
  4. new AdditionalBeanBuildItem(SmallRyeHealthReporter.class),
  5. new AdditionalBeanBuildItem(HealthServlet.class));
  6. }
A bean registration that is a result of an AdditionalBeanBuildItem is removable by default. See also Removing Unused Beans.

5.5. Synthetic Beans

Sometimes it is very useful to register a synthetic bean, i.e. a bean that doesn’t need to have a corresponding java class.In CDI this could be achieved using AfterBeanDiscovery.addBean() methods.In Quarkus we produce a BeanRegistrarBuildItem and leverage the io.quarkus.arc.processor.BeanConfigurator API to build a synthetic bean definition.

  1. @BuildStep
  2. BeanRegistrarBuildItem syntheticBean() {
  3. return new BeanRegistrarBuildItem(new BeanRegistrar() {
  4. @Override
  5. public void register(RegistrationContext registrationContext) {
  6. registrationContext.configure(String.class).types(String.class).qualifiers(new MyQualifierLiteral()).creator(mc -> mc.returnValue(mc.load("foo"))).done();
  7. }
  8. }));
  9. }
The output of a BeanConfigurator is recorded as bytecode. Therefore there are some limitations in how a synthetic bean instance is created. See also BeanConfigurator.creator() methods.

If an extension needs to produce other build items during the "bean registration" phase it should use the BeanRegistrationPhaseBuildItem instead.The reason is that injected objects are only valid during a @BuildStep method invocation.

  1. @BuildStep
  2. void syntheticBean(BeanRegistrationPhaseBuildItem beanRegistrationPhase,
  3. BuildProducer<MyBuildItem> myBuildItem,
  4. BuildProducer<BeanConfiguratorBuildItem> beanConfigurators) {
  5. beanConfigurators.produce(new BeanConfiguratorBuildItem(beanRegistrationPhase.getContext().configure(String.class).types(String.class).qualifiers(new MyQualifierLiteral()).creator(mc -> mc.returnValue(mc.load("foo")))));
  6. myBuildItem.produce(new MyBuildItem());
  7. }
See BeanRegistrationPhaseBuildItem javadoc for more information.

5.6. Annotation Transformations

A very common task is to override the annotations found on the bean classes.For example you might want to add an interceptor binding to a specific bean class.Here is how to do it - use the AnnotationsTransformerBuildItem:

  1. @BuildStep
  2. AnnotationsTransformerBuildItem transform() {
  3. return new AnnotationsTransformerBuildItem(new AnnotationsTransformer() {
  4. public boolean appliesTo(org.jboss.jandex.AnnotationTarget.Kind kind) {
  5. return kind == org.jboss.jandex.AnnotationTarget.Kind.CLASS;
  6. }
  7. public void transform(TransformationContext context) {
  8. if (contex.getTarget().asClass().name().toString().equals("com.foo.Bar")) {
  9. context.transform().add(MyInterceptorBinding.class).done();
  10. }
  11. }
  12. });
  13. }

5.7. Additional Interceptor Bindings

In rare cases it might be handy to programmatically register an existing annotation as interceptor binding.This is similar to what pure CDI achieves through BeforeBeanDiscovery#addInterceptorBinding().Though here we are going to use InterceptorBindingRegistrarBuildItem to get it done.Note that you can register multiple annotations in one go:

  1. @BuildStep
  2. InterceptorBindingRegistrarBuildItem addInterceptorBindings() {
  3. InterceptorBindingRegistrarBuildItem additionalBindingsRegistrar = new InterceptorBindingRegistrarBuildItem(new InterceptorBindingRegistrar() {
  4. @Override
  5. public Collection<DotName> registerAdditionalBindings() {
  6. Collection<DotName> result = new HashSet<>();
  7. result.add(DotName.createSimple(MyAnnotation.class.getName()));
  8. result.add(DotName.createSimple(MyOtherAnnotation.class.getName()));
  9. return result;
  10. }
  11. });
  12. return additionalBindingsRegistrar;
  13. }

5.8. Injection Point Transformation

Every now and then it is handy to be able to change qualifiers of an injection point programmatically.You can do just that with InjectionPointTransformerBuildItem.The following sample shows how to apply transformation to injection points with type Foo that contain qualifier MyQualifier:

  1. @BuildStep
  2. InjectionPointTransformerBuildItem transform() {
  3. return new InjectionPointTransformerBuildItem(new InjectionPointsTransformer() {
  4. public boolean appliesTo(Type requiredType) {
  5. return requiredType.equals(Type.create(DotName.createSimple(Foo.class.getName()), Type.Kind.CLASS));
  6. }
  7. public void transform(TransformationContext transformationContext) {
  8. if (transformationContext.getQualifiers().stream()
  9. .anyMatch(a -> a.name().equals(DotName.createSimple(MyQualifier.class.getName())))) {
  10. transformationContext.transform().removeAll()
  11. .add(DotName.createSimple(MyOtherQualifier.class.getName()))
  12. .done();
  13. }
  14. }
  15. });
  16. }

5.9. Bean Deployment Validation

Once the bean deployment is ready an extension can perform additional validations and inspect the found beans, observers and injection points.Register a BeanDeploymentValidatorBuildItem:

  1. @BuildStep
  2. BeanDeploymentValidatorBuildItem beanDeploymentValidator() {
  3. return new BeanDeploymentValidatorBuildItem(new BeanDeploymentValidator() {
  4. public void validate(ValidationContext validationContext) {
  5. for (InjectionPointInfo injectionPoint : validationContext.get(Key.INJECTION_POINTS)) {
  6. System.out.println("Injection point: " + injectionPoint);
  7. }
  8. }
  9. });
  10. }
See also io.quarkus.arc.processor.BuildExtension.Key to discover the available metadata.

If an extension needs to produce other build items during the "validation" phase it should use the ValidationPhaseBuildItem instead.The reason is that injected objects are only valid during a @BuildStep method invocation.

  1. @BuildStep
  2. void validate(ValidationPhaseBuildItem validationPhase,
  3. BuildProducer<MyBuildItem> myBuildItem,
  4. BuildProducer<ValidationErrorBuildItem> errors) {
  5. if (someCondition) {
  6. errors.produce(new ValidationErrorBuildItem(new IllegalStateException()));
  7. myBuildItem.produce(new MyBuildItem());
  8. }
  9. }
See ValidationPhaseBuildItem javadoc for more information.

5.10. Custom Contexts

An extension can register a custom InjectableContext implementation by means of a ContextRegistrarBuildItem:

  1. @BuildStep
  2. ContextRegistrarBuildItem customContext() {
  3. return new ContextRegistrarBuildItem(new ContextRegistrar() {
  4. public void register(RegistrationContext registrationContext) {
  5. registrationContext.configure(CustomScoped.class).normal().contextClass(MyCustomContext.class).done();
  6. }
  7. });
  8. }

If an extension needs to produce other build items during the "context registration" phase it should use the ContextRegistrationPhaseBuildItem instead.The reason is that injected objects are only valid during a @BuildStep method invocation.

  1. @BuildStep
  2. void addContext(ContextRegistrationPhaseBuildItem contextRegistrationPhase,
  3. BuildProducer<MyBuildItem> myBuildItem,
  4. BuildProducer<ContextConfiguratorBuildItem> contexts) {
  5. contexts.produce(new ContextConfiguratorBuildItem(contextRegistrationPhase.getContext().configure(CustomScoped.class).normal().contextClass(MyCustomContext.class)));
  6. myBuildItem.produce(new MyBuildItem());
  7. }
See ContextRegistrationPhaseBuildItem javadoc for more information.

5.11. Available Build Time Metadata

Any of the above extensions that operates with BuildExtension.BuildContext can leverage certain build time metadata that are generated during build.The built-in keys located in io.quarkus.arc.processor.BuildExtension.Key are:

  • ANNOTATION_STORE
  • Contains an AnnotationStore that keeps information about all AnnotationTarget annotations after application of annotation transformers
  • INJECTION_POINTS
  • List<InjectionPointInfo> containing all injection points
  • BEANS
  • List<BeanInfo> containing all beans
  • OBSERVERS
  • List<ObserverInfo> containing all observers
  • SCOPES
  • List<ScopeInfo> containing all scopes, including custom ones
  • QUALIFIERS
  • Map<DotName, ClassInfo> containing all qualifiers
  • INTERCEPTOR_BINDINGS
  • Map<DotName, ClassInfo> containing all interceptor bindings
  • STEREOTYPES
  • Map<DotName, ClassInfo> containing all stereotypes

To get hold of these, simply query the extension context object for given key.Note that these metadata are made available as build proceeds which means that extensions can only leverage metadata that were build before they are invoked.If your extension attempts to retrieve metadata that wasn’t yet produced, null will be returned.Here is a summary of which extensions can access which metadata:

  • AnnotationsTransformer
  • Shouldn’t rely on any metadata as this is one of the first CDI extensions invoked
  • ContextRegistrar
  • Has access to ANNOTATION_STORE
  • InjectionPointsTransformer
  • Has access to ANNOTATION_STORE, QUALIFIERS, INTERCEPTOR_BINDINGS, STEREOTYPES
  • BeanRegistrar
  • Has access to all build metadata
  • BeanDeploymentValidator
  • Has access to all build metadata

6. Removing Unused Beans

The container attempts to remove all unused beans during build by default.This optimization can be disabled by setting quarkus.arc.remove-unused-beans to none or false.

An unused bean:

  • is not a built-in bean or an interceptor,

  • is not eligible for injection to any injection point,

  • is not excluded by any extension,

  • does not have a name,

  • does not declare an observer,

  • does not declare any producer which is eligible for injection to any injection point,

  • is not directly eligible for injection into any javax.enterprise.inject.Instance or javax.inject.Provider injection point

This optimization applies to all forms of bean declarations: bean class, producer method, producer field.

Users can instruct the container to not remove any of their specific beans (even if they satisfy all the rules specified above) by annotating them with io.quarkus.arc.Unremovable.This annotation can be placed on the types, producer methods, and producer fields.

Furthermore, extensions can eliminate possible false positives by producing UnremovableBeanBuildItem.

Finally, Quarkus provides a middle ground for the bean removal optimization where application beans are never removed whether or not they are unused,while the optimization proceeds normally for non application classes. To use this mode, set quarkus.arc.remove-unused-beans to fwk or framework.

When using the dev mode (running mvn clean compile quarkus:dev), you can see more information about which beans are being removedby enabling additional logging via the following line in your application.properties.

  1. quarkus.log.category."io.quarkus.arc.processor".level=DEBUG

7. Default Beans

Quarkus adds a capability that CDI currently does not support which is to conditionally declare a bean if no such bean has been declared in the typical ways Quarkus supports.This is done using the @io.quarkus.arc.DefaultBean annotation and is best explained with an example.

Say there is a Quarkus extension that among other things declares a few CDI beans like the following code does:

  1. @Dependent
  2. public class TracerConfiguration {
  3. @Produces
  4. public Tracer tracer(Reporter reporter, Configuration configuration) {
  5. return new Tracer(reporter, configuration);
  6. }
  7. @Produces
  8. @DefaultBean
  9. public Configuration configuration() {
  10. // create a Configuration
  11. }
  12. @Produces
  13. @DefaultBean
  14. public Reporter reporter(){
  15. // create a Reporter
  16. }
  17. }

The idea is that the extension auto-configures things for user, eliminating a lot of boilerplate - we can just @Inject a Tracer wherever it is needed.Now imagine that in our application we would like to utilize the configured Tracer, but we need to customize it a little, for example by providing a custom Reporter.The only thing that would be needed in our application would be something like the following:

  1. @Dependent
  2. public class CustomTracerConfiguration {
  3. @Produces
  4. public Reporter reporter(){
  5. // create a custom Reporter
  6. }
  7. }

@DefaultBean allows extensions (or any other code for that matter) to provide defaults while backing off if beans of that type are supplied in anyway Quarkus supports.