Obviously you can use whatever configuration code you like to configure your Verticles and/or Vert.x applications, you might use standard configuration files or a Redis store or whatever.
Vert.x has a single library which allows us to abstract such things and offers different storage formats and code to access different storage mechanisms.
Add the following dependency to your pom.xml
<dependency> <groupId>io.vertx</groupId> <artifactId>vertx-config</artifactId> <version>${vertx.version}</version> </dependency>
vertx.version in my version is 3.5.0
We can actually define multiple storage mechanisms for our configuration data and chain them. For example imagine we have some we have configuration on the localhost and other configuration on a remote HTTP server. We can set things up to get properties that are a combination of both locations.
Note: If location A has property port set to 8080 but location B (which appears after location A in the chain) has port set to 80 then the last property located in the chain is the one we’ll see when querying the configuration code for this property. For other properties the result is a combination of those from A and those from B.
We can also mark configuration sources as optional so, if they do not exist or are down, the chaining will not fail or exception.
Let’s start with a simple config.properties file stored in /src/main/resources. Here’s the file (nothing exciting here)
port=8080
We’ll now create the ConfigStoreOptions for a “properties” file, then add it to the store (we’ll just use a single store for this example) and finally we’ll retrieve the port property from the configuration retriever…
// create the options for a properties file store ConfigStoreOptions propertyFile = new ConfigStoreOptions() .setType("file") .setFormat("properties") .setConfig(new JsonObject().put("path", "config.properties")); // add the options to the chain ConfigRetrieverOptions options = new ConfigRetrieverOptions() .addStore(propertyFile); // .addStore for other stores here ConfigRetriever retriever = ConfigRetriever.create(vertx, options); retriever.getConfig(ar -> { if(ar.succeeded()) { JsonObject o = ar.result(); int port = o.getInteger("port"); // use port config } });
Note: Don’t forget to set the configuration store options “path” to the location and name of your file.