Quarkus - Tips for writing native applications

This guide contains various tips and tricks for getting around problems that might arise when attempting to run Java applications as native executables.

Note that we differentiate two contexts where the solution applied might be different:

  • in the context of an application, you will rely on configuring the native-image configuration by tweaking your pom.xml;

  • in the context of an extension, Quarkus offers a lot of infrastructure to simplify all of this.

Please refer to the appropriate section depending on your context.

Supporting native in your application

GraalVM imposes a number of constraints and making your application a native executable might require a few tweaks.

Including resources

By default, when building a native executable, GraalVM will not include any of the resources that are on the classpath into the native executable it creates. Resources that are meant to be part of the native executable need to be configured explicitly.

Quarkus automatically includes the resources present in META-INF/resources (the web resources) but, outside of this directory, you are on your own.

To include more resources in the native executable, create a resources-config.json (the most common location is within src/main/resources) JSON file defining which resources should be included:

  1. {
  2. "resources": [
  3. {
  4. "pattern": ".*\\.xml$"
  5. },
  6. {
  7. "pattern": ".*\\.json$"
  8. }
  9. ]
  10. }

The patterns are valid Java regexps. Here we include all the XML files and JSON files into the native executable.

You can find more information about this topic in the GraalVM documentation.

The final order of business is to make the configuration file known to the native-image executable by adding the proper configuration to application.properties:

  1. quarkus.native.additional-build-args =-H:ResourceConfigurationFiles=resources-config.json

In the previous snippet we were able to simply use resources-config.json instead of specifying the entire path of the file simply because it was added to src/main/resources. If the file had been added to another directory, the proper file path would have had to be specified manually.

Multiple options may be separated by a comma. For example, one could use:

  1. quarkus.native.additional-build-args =\
  2. -H:ResourceConfigurationFiles=resources-config.json,\
  3. -H:ReflectionConfigurationFiles=reflection-config.json

in order to ensure that various resources are included and additional reflection is registered.

If for some reason adding the aforementioned configuration to application.properties is not desirable, it is possible to configure the build tool to effectively perform the same operation.

When using Maven, we could use the following configuration:

  1. <profiles>
  2. <profile>
  3. <id>native</id>
  4. <properties>
  5. <quarkus.package.type>native</quarkus.package.type>
  6. <quarkus.native.additional-build-args>-H:ResourceConfigurationFiles=resources-config.json</quarkus.native.additional-build-args>
  7. </properties>
  8. </profile>
  9. </profiles>

Registering for reflection

When building a native executable, GraalVM operates with a closed world assumption. It analyzes the call tree and removes all the classes/methods/fields that are not used directly.

The elements used via reflection are not part of the call tree so they are dead code eliminated (if not called directly in other cases). To include these elements in your native executable, you need to register them for reflection explicitly.

This is a very common case as JSON libraries typically use reflection to serialize the objects to JSON:

  1. public class Person {
  2. private String first;
  3. private String last;
  4. public String getFirst() {
  5. return first;
  6. }
  7. public void setFirst(String first) {
  8. this.first = first;
  9. }
  10. public String getLast() {
  11. return last;
  12. }
  13. public void setValue(String last) {
  14. this.last = last;
  15. }
  16. }
  17. @Path("/person")
  18. @Produces(MediaType.APPLICATION_JSON)
  19. @Consumes(MediaType.APPLICATION_JSON)
  20. public class PersonResource {
  21. private final Jsonb jsonb;
  22. public PersonResource() {
  23. jsonb = JsonbBuilder.create(new JsonbConfig());
  24. }
  25. @GET
  26. public Response list() {
  27. return Response.ok(jsonb.fromJson("{\"first\": \"foo\", \"last\": \"bar\"}", Person.class)).build();
  28. }
  29. }

If we were to use the code above, we would get an exception like the following when using the native executable:

  1. Exception handling request to /person: org.jboss.resteasy.spi.UnhandledException: javax.json.bind.JsonbException: Can't create instance of a class: class org.acme.jsonb.Person, No default constructor found

or if you are using Jackson:

  1. com.fasterxml.jackson.databind.exc.InvalidDefinitionException: No serializer found for class org.acme.jsonb.Person and no properties discovered to create BeanSerializer (to avoid exception, disable SerializationFeature.FAIL_ON_EMPTY_BEANS)

An even nastier possible outcome could be for no exception to be thrown, but instead the JSON result would be completely empty.

There are two different ways to fix this type of issues.

Using the @RegisterForReflection annotation

The easiest way to register a class for reflection is to use the @RegisterForReflection annotation:

  1. @RegisterForReflection
  2. public class MyClass {
  3. }

Using a configuration file

Obviously, adding @RegisterForReflection is not possible if the class is in a third-party jar.

In this case, you can use a configuration file to register classes for reflection.

As an example, in order to register all methods of class com.acme.MyClass for reflection, we create reflection-config.json (the most common location is within src/main/resources)

  1. [
  2. {
  3. "name" : "com.acme.MyClass",
  4. "allDeclaredConstructors" : true,
  5. "allPublicConstructors" : true,
  6. "allDeclaredMethods" : true,
  7. "allPublicMethods" : true,
  8. "allDeclaredFields" : true,
  9. "allPublicFields" : true
  10. }
  11. ]

For more details on the format of this file, please refer to the GraalVM documentation.

The final order of business is to make the configuration file known to the native-image executable by adding the proper configuration to application.properties:

  1. quarkus.native.additional-build-args =-H:ReflectionConfigurationFiles=reflection-config.json

In the previous snippet we were able to simply use reflection-config.json instead of specifying the entire path of the file simply because it was added to src/main/resources. If the file had been added to another directory, the proper file path would have had to be specified manually.

Multiple options may be separated by a comma. For example, one could use:

  1. quarkus.native.additional-build-args =\
  2. -H:ResourceConfigurationFiles=resources-config.json,\
  3. -H:ReflectionConfigurationFiles=reflection-config.json

in order to ensure that various resources are included and additional reflection is registered.

If for some reason adding the aforementioned configuration to application.properties is not desirable, it is possible to configure the build tool to effectively perform the same operation.

When using Maven, we could use the following configuration:

  1. <profiles>
  2. <profile>
  3. <id>native</id>
  4. <properties>
  5. <quarkus.package.type>native</quarkus.package.type>
  6. <quarkus.native.additional-build-args>-H:ReflectionConfigurationFiles=reflection-config.json</quarkus.native.additional-build-args>
  7. </properties>
  8. </profile>
  9. </profiles>

Delaying class initialization

By default, Quarkus initializes all classes at build time.

There are cases where the initialization of certain classes is done in a static block needs to be postponed to runtime. Typically omitting such configuration would result in a runtime exception like the following:

  1. Error: No instances are allowed in the image heap for a class that is initialized or reinitialized at image runtime: sun.security.provider.NativePRNG
  2. Trace: object java.security.SecureRandom
  3. method com.amazonaws.services.s3.model.CryptoConfiguration.<init>(CryptoMode)
  4. Call path from entry point to com.amazonaws.services.s3.model.CryptoConfiguration.<init>(CryptoMode):

If you need to delay the initialization of a class, you can use the --initialize-at-run-time=<package or class> configuration knob.

It should be added to the native-image configuration using an <additionalBuildArg> as shown in the examples above.

You can find more information about all this in the GraalVM documentation.

When multiple classes or packages need to be specified via the quarkus.native.additional-build-args configuration property, the , symbol needs to be escaped. An example of this is the following:

  1. quarkus.native.additional-build-args=—initialize-at-run-time=com.example.SomeClass\,org.acme.SomeOtherClass

Managing Proxy Classes

While writing native application you’ll need to define proxy classes at image build time by specifying the list of interfaces that they implement.

In such a situation, the error you might encounter is:

  1. com.oracle.svm.core.jdk.UnsupportedFeatureError: Proxy class defined by interfaces [interface org.apache.http.conn.HttpClientConnectionManager, interface org.apache.http.pool.ConnPoolControl, interface com.amazonaws.http.conn.Wrapped] not found. Generating proxy classes at runtime is not supported. Proxy classes need to be defined at image build time by specifying the list of interfaces that they implement. To define proxy classes use -H:DynamicProxyConfigurationFiles=<comma-separated-config-files> and -H:DynamicProxyConfigurationResources=<comma-separated-config-resources> options.

Solving this issue requires adding the -H:DynamicProxyConfigurationResources=<comma-separated-config-resources> option and to provide a dynamic proxy configuration file. You can find all the information about the format of this file in the GraalVM documentation.

Supporting native in a Quarkus extension

Supporting native in a Quarkus extension is even easier as Quarkus provides a lot of tools to simplify all this.

Everything described here will only work in the context of Quarkus extensions, it won’t work in an application.

Register reflection

Quarkus makes registration of reflection in an extension a breeze by using ReflectiveClassBuildItem, thus eliminating the need for a JSON configuration file.

To register a class for reflection, one would need to create a Quarkus processor class and add a build step that registers reflection:

  1. public class SaxParserProcessor {
  2. @BuildStep
  3. ReflectiveClassBuildItem reflection() {
  4. // since we only need reflection to the constructor of the class, we can specify `false` for both the methods and the fields arguments.
  5. return new ReflectiveClassBuildItem(false, false, "com.sun.org.apache.xerces.internal.parsers.SAXParser");
  6. }
  7. }

More information about reflection in GraalVM can be found here.

Alternative with @RegisterForReflection

As for applications, you can also use the @RegisterForReflection annotation if the class is in your extension and not in a third-party jar.

Including resources

In the context of an extension, Quarkus eliminates the need for a JSON configuration file by allowing extension authors to specify a NativeImageResourceBuildItem:

  1. public class ResourcesProcessor {
  2. @BuildStep
  3. NativeImageResourceBuildItem nativeImageResourceBuildItem() {
  4. return new NativeImageResourceBuildItem("META-INF/extra.properties");
  5. }
  6. }

For more information about GraalVM resource handling in native executables please refer to the GraalVM documentation.

Delay class initialization

Quarkus simplifies things by allowing extensions authors to simply register a RuntimeInitializedClassBuildItem. A simple example of doing so could be:

  1. public class S3Processor {
  2. @BuildStep
  3. RuntimeInitializedClassBuildItem cryptoConfiguration() {
  4. return new RuntimeInitializedClassBuildItem(CryptoConfiguration.class.getCanonicalName());
  5. }
  6. }

Using such a construct means that a --initialize-at-run-time option will automatically be added to the native-image command line.

For more information about —initialize-at-run-time, please read the GraalVM documentation.

Managing Proxy Classes

Very similarly, Quarkus allows extensions authors to register a NativeImageProxyDefinitionBuildItem. An example of doing so is:

  1. public class S3Processor {
  2. @BuildStep
  3. NativeImageProxyDefinitionBuildItem httpProxies() {
  4. return new NativeImageProxyDefinitionBuildItem("org.apache.http.conn.HttpClientConnectionManager",
  5. "org.apache.http.pool.ConnPoolControl", "com.amazonaws.http.conn.Wrapped");
  6. }
  7. }

Using such a construct means that a -H:DynamicProxyConfigurationResources option will automatically be added to the native-image command line.

For more information about Proxy Classes you can read the GraalVM documentation.

Logging with Native Image

If you are using dependencies that require logging components such as Apache Commons Logging or Log4j and are experiencing a ClassNotFoundException when building the native executable, you can resolve this by excluding the logging library and adding the corresponding JBoss Logging adapter.

For more details please refer to the Logging guide.