Interface Config

All Superinterfaces:
Config

public interface Config extends Config

Configuration

Immutable tree-structured configuration.

Loading Configuration

Load the default configuration using the create() method.

 Config config = Config.create();
 
Use Config.Builder to construct a new Config instance from one or more specific ConfigSources using the builder().

The application can affect the way the system loads configuration by implementing interfaces defined in the SPI, by explicitly constructing the Config.Builder which assembles the Config, and by using other classes provided by the config system that influence loading.

Some Config SPI Interfaces
Class.Method Application-implemented Interface Purpose
ConfigSources.create(io.helidon.config.Config) ConfigSource Loads configuration from a different type of origin. Each ConfigSource implementation handles a type of location. Different instances of a given ConfigSource implementation represent separate sources of that location type.
Config.Builder.addParser(io.helidon.config.spi.ConfigParser) ConfigParser Converts one format of config representation into the corresponding Config tree.
Config.Builder.addFilter(io.helidon.config.spi.ConfigFilter) ConfigFilter Changes the String representation of each config value from one String to another as the Config tree is built from its sources.
OverrideSources Replaces config String values during loading based on their keys. Programs provide overrides in Java property file format on the classpath, at a URL, or in a file, or by invoking OverrideSources.create(java.util.Map<java.lang.String, java.lang.String>) and passing the name-matching expressions and the corresponding replacement value as a Map.
Config.Builder.addMapper(Class, Function) Implements conversion from a Config node (typically with children) to an application-specific Java type.
Each loaded configuration is a tree of Config objects. The application can access an arbitrary node in the tree by passing its fully-qualified name to get(java.lang.String):

 Config greeting = config.get("greeting");
 
Method key() always returns fully-qualified Config.Key of a config node.

 assert greeting.key().toString().equals("greeting")
 
These are equivalent ways of obtaining the same Config instance, and the two assertions will succeed:

 Config name1 = config.get("app.services.svc1.name");
 Config name2 = config.get("app").get("services.svc1.name");
 Config name3 = config.get("app.services").get("svc1").get("name");
 Config name4 = config.get("app").get("services").get("svc1").get("name");

 assert name4.key().equals(Key.create("app.services.svc1.name"))
 assert name1 == name2 == name3 == name4
 
The get(java.lang.String) method always returns a Config object, even if no configuration is present using the corresponding key. The application can invoke the type() method to find out the type of the node, represented by one of the Config.Type enum values. The exists() method tells whether or not the Config node represents existing configuration.

 if (!config.get("very.rare.prop42").exists()) {
     // node 'very.rare.prop42' does NOT exist
 }
 
The traverse() method visits all nodes in a subtree. This example gathers all nodes with keys matching logging.**.level -- that is, all nodes within the "logging" subtree that have a key ending in "level" and also has a single value:

 Map<String,String> loggingLevels = config.get("logging")  // find "logging" subtree
     .traverse()                                           // traverse through logging' nodes
     .filter(node -> node.isLeaf())                        // filter leaf values
     .filter(node -> node.name().equals("level"))          // filter key suffix '.level'
     .collect(Collectors.toMap(Config::key, Config::asString));
 

To retrieve children of a config node use asNodeList()

  • on an object node to get all object members,
  • on a list node to get all list elements.

To get node value, use as(Class) to access this config node as a ConfigValue

Converting Configuration Values to Types

Explicit Conversion by the Application

The interpretation of a configuration node, including what datatype to use, is up to the application. To interpret a node's value as a type other than String the application can invoke one of these convenience methods:
  • as<typename> such as asBoolean, asDouble, asInt, etc. which return ConfigValue representing Java primitive data values (boolean, double, int, etc.)

    The ConfigValue can be used to access the value or use optional style methods.

    The config value provides access to the value in multiple ways. See ConfigValue for reference.

    Basic usages:

    
     // throws a MissingValueException in case the config node does not exist
     long l1 = config.asLong().get();
     // returns 42 in case the config node does not exist
     long l2 = config.asLong().orElse(42L);
     // invokes the method "timeout(long)" if the value exists
     config.asLong().ifPresent(this::timeout);
     
  • as(Class) to convert the config node to an instance of the specified class, if there is a configured mapper present that supports the class.
    
       // throws a MissingValueException in case the config node does not exist
       // throws a ConfigMappingException in case the config node cannot be converted to Long
       long l1 = config.as(Long.class).get();
       // returns 42 in case the config node does not exist
       // throws a ConfigMappingException in case the config node cannot be converted to Long
       long l2 = config.as(Long.class).orElse(42L);
       // invokes the method "timeout(long)" if the value exists
       // throws a ConfigMappingException in case the config node cannot be converted to Long
       config.as(Long.class).ifPresent(this::timeout);
       
  • as(Function) to convert the config node using the function provided. Let's assume there is a method public static Foo create(Config) on a class Foo:
    
      // throws a MissingValueException in case the config node does not exist
      // throws a ConfigMappingException in case the config node cannot be converted to Foo
      Foo f1 = config.as(Foo::create).get();
      // throws a ConfigMappingException in case the config node cannot be converted to Foo
      Foo f2 = config.as(Foo::create).orElse(Foo.DEFAULT);
      // invokes the method "foo(Foo)" if the value exists
      // throws a ConfigMappingException in case the config node cannot be converted to Foo
      config.as(Foo::create).ifPresent(this::foo);
     
  • as(GenericType) to convert the config node to an instance of the specified generic type, if there is a configured mapper present that supports the generic type.
    
      // throws a MissingValueException in case the config node does not exist
      // throws a ConfigMappingException in case the config node cannot be converted to Map<String, Integer>
      Map<String, Integer> m1 = config.as(new GenericType<Map<String, Integer>() {}).get();
      // throws a ConfigMappingException in case the config node cannot be converted to Map<String, Integer>
      Map<String, Integer> m1 = config.as(new GenericType<Map<String, Integer>() {}).orElseGet(Collections::emptyMap);
      // invokes the method "units(Map)" if the value exists
      // throws a ConfigMappingException in case the config node cannot be converted to Map<String, Integer>
      config.as(new GenericType<Map<String, Integer>() {}).ifPresent(this::units);
     
To deal with application-specific types, the application can provide its own mapping logic by:

If there is no explicitly registered mapping function in a Config.Builder for converting a given type then the config system throws ConfigMappingException, unless you use the config beans support, that can handle classes that fulfill some requirements (see documentation), such as a public constructor, static "create(Config)" method etc.

Handling Multiple Configuration Sources

A Config instance, including the default Config returned by create(), might be associated with multiple ConfigSources. The config system merges these together so that values from config sources with higher weight have priority over values from config sources with lower weight.
  • Field Details

    • GENERIC_TYPE

      static final GenericType<Config> GENERIC_TYPE
      Generic type of configuration.
  • Method Details

    • empty

      static Config empty()
      Returns empty instance of Config.
      Returns:
      empty instance of Config.
    • create

      static Config create()
      Returns a new default Config loaded using one of the configuration files available on the classpath and/or using the runtime environment.

      The config system loads the default configuration using a default Config.Builder which loads configuration data as described below. In contrast, the application can control how and from where configuration is loaded by explicitly creating and fine-tuning one or more Builder instances itself.

      1. Meta-configuration

        Meta-configuration specifies at least one ConfigSource or Config.Builder from which the system can load configuration. The config system searches for at most one of the following meta-configuration locations on the classpath, in this order:

        1. meta-config.yaml - meta configuration file in YAML format
        2. meta-config.conf - meta configuration file in HOCON format
        3. meta-config.json - meta configuration file in JSON format
        4. meta-config.properties - meta configuration file in Java Properties format
      2. Configuration

        In the absence of meta-configuration the config system loads the default configuration from all of the following sources:

        1. environment variables;
        2. system properties
        3. at most one of following locations on the classpath, in this order:
          1. application.yaml - configuration file in YAML format
          2. application.conf - configuration file in HOCON format
          3. application.json - configuration file in JSON format
          4. application.properties - configuration file in Java Properties format
        The config system uses only the first application.* location it finds for which it can locate a ConfigParser that supports the corresponding media type.

        When creating the default configuration the config system detects parsers that were loaded using the ServiceLoader mechanism or, if it finds none loaded, a built-in parser provided by the config system.

      Every invocation of this method creates a new Config instance which has neither a polling strategy nor a retry policy. To set up these and other behaviors the application should create explicitly a Config.Builder, tailor it accordingly, and then use its build method to create the Config instance as desired.
      Returns:
      new instance of Config
    • create

      @SafeVarargs static Config create(Supplier<? extends ConfigSource>... configSources)
      Creates a new Config loaded from environment variables, system properties, and the specified ConfigSources.

      The resulting configuration uses the following sources, in order:

      1. environment variables config source
        Can disabled by Config.Builder.disableEnvironmentVariablesSource()
      2. system properties config source Can disabled by Config.Builder.disableSystemPropertiesSource()
      3. Source(s) specified by user in the method.
      See multiple sources for more information.
      Parameters:
      configSources - ordered list of configuration sources
      Returns:
      new instance of Config
      See Also:
    • builder

      @SafeVarargs static Config.Builder builder(Supplier<? extends ConfigSource>... configSources)
      Provides a Config.Builder for creating a Config based on the specified ConfigSource instances.

      The resulting configuration uses the following sources, in order:

      1. environment variables
        Can be disabled by invoking Config.Builder.disableEnvironmentVariablesSource()
      2. system properties config source
        Can be disabled by invoking Config.Builder.disableSystemPropertiesSource()
      3. source(s) passed in the method invocation
      See multiple sources for more information.
      Parameters:
      configSources - ordered list of configuration sources
      Returns:
      new initialized Builder instance
      See Also:
    • builder

      static Config.Builder builder()
      Provides a Config.Builder for creating a Config instance.
      Returns:
      new Builder instance
    • just

      @SafeVarargs static Config just(Supplier<? extends ConfigSource>... configSources)
      Creates a new Config loaded from the specified ConfigSources. No other sources will be included.
      Parameters:
      configSources - ordered list of configuration sources
      Returns:
      new instance of Config
      See Also:
    • global

      static Config global()
      Either return the registered global config, or create a new config using create() and register it as global. The instance returned may differ from GlobalConfig.config() in case the global config registered in not an instance of this type.
      Returns:
      global config instance, creates one if not yet registered
    • global

      static void global(Config config)
      Configure the provided configuration as the global configuration. This method registers also GlobalConfig instance.
      Parameters:
      config - to configure as global
    • context

      default Config.Context context()
      Returns the Context instance associated with the current Config node that allows the application to access the last loaded instance of the node or to request that the entire configuration be reloaded.
      Returns:
      Context instance associated with specific Config node
    • timestamp

      Instant timestamp()
      Returns when the configuration tree was created.

      Each config node of single Config tree returns same timestamp.

      Returns:
      timestamp of created instance of whole configuration tree.
      See Also:
    • key

      Config.Key key()
      Returns the fully-qualified key of the Config node.

      The fully-qualified key is a sequence of tokens derived from the name of each node along the path from the config root to the current node. Tokens are separated by . (the dot character). See name() for more information on the format of each token.

      Specified by:
      key in interface Config
      Returns:
      current config node key
      See Also:
    • name

      default String name()
      Returns the last token of the fully-qualified key for the Config node.

      The name of a node is the last token in its fully-qualified key.

      The exact format of the name depends on the Type of the containing node:

      • from a Config.Type.OBJECT node the token for a child is the name of the object member;
      • from a Config.Type.LIST node the token for a child is a zero-based index of the element, an unsigned base-10 integer value with no leading zeros.

      The ABNF syntax of config key is:

      
       config-key = *1( key-token *( "." key-token ) )
        key-token = *( unescaped / escaped )
        unescaped = %x00-2D / %x2F-7D / %x7F-10FFFF
                  ; %x2E ('.') and %x7E ('~') are excluded from 'unescaped'
          escaped = "~" ( "0" / "1" )
                  ; representing '~' and '.', respectively
       
      Specified by:
      name in interface Config
      Returns:
      current config node key
      See Also:
    • get

      default Config get(String key)
      Returns the single sub-node for the specified sub-key.

      The format of the key is described on key() method.

      Specified by:
      get in interface Config
      Parameters:
      key - sub-key of requested sub-node
      Returns:
      config node for specified sub-key, never returns null.
      See Also:
    • root

      Config root()
      Description copied from interface: Config
      Get the root of the configuration tree. In case this node is part of detached tree, this method returns the node that was detached.
      Specified by:
      root in interface Config
      Returns:
      root of this configuration tree
    • get

      Config get(Config.Key key)
      Returns the single sub-node for the specified sub-key.
      Parameters:
      key - sub-key of requested sub-node
      Returns:
      config node for specified sub-key, never returns null.
      See Also:
    • detach

      Config detach()
      Returns a copy of the Config node with no parent.

      The returned node acts as a root node for the subtree below it. Its key is the empty string; "". The original config node is unchanged, and the original and the copy point to the same children.

      Consider the following configuration:

       app:
            name: Example 1
            page-size: 20
       logging:
            app.level = INFO
            level = WARNING
       
      The Config instances name1 and name2 represents same data and in fact refer to the same object:
       Config name1 = config
                        .get("app")
                        .get("name");
       Config name2 = config
                        .get("app")
                        .detach()               //DETACHED node
                        .get("name");
      
       assert name1.asString() == "Example 1";
       assert name2.asString() == "Example 1";  //DETACHED node
       
      The only difference is the key each node returns:
       assert name1.key() == "app.name";
       assert name2.key() == "name";            //DETACHED node
       

      See asMap() for example of config detaching.

      Specified by:
      detach in interface Config
      Returns:
      returns detached Config instance of same config node
    • type

      Config.Type type()
      Provides the Config.Type of the Config node.
      Returns:
      the Type of the configuration node
    • exists

      default boolean exists()
      Returns true if the node exists, whether an object, a list, or a value node.
      Specified by:
      exists in interface Config
      Returns:
      true if the node exists
    • isLeaf

      default boolean isLeaf()
      Returns true if this node exists and is a leaf node (has no children).

      A leaf node has no nested configuration subtree and has a single value.

      Specified by:
      isLeaf in interface Config
      Returns:
      true if the node is existing leaf node, false otherwise.
    • isObject

      default boolean isObject()
      Returns true if this node exists and is Type#Object.
      Specified by:
      isObject in interface Config
      Returns:
      true if the node exists and is Type#Object, false otherwise.
    • isList

      default boolean isList()
      Returns true if this node exists and is Type#List.
      Specified by:
      isList in interface Config
      Returns:
      true if the node exists and is Type#List, false otherwise.
    • hasValue

      boolean hasValue()
      Returns true if this configuration node has a direct value.

      This may be a value node (e.g. a leaf) or object node or a list node (e.g. a branch with value). The application can invoke methods such as as(Class) on nodes that have value.

      Specified by:
      hasValue in interface Config
      Returns:
      true if the node has direct value, false otherwise.
    • ifExists

      default void ifExists(Consumer<Config> action)
      Performs the given action with the config node if node exists, otherwise does nothing.
      Parameters:
      action - the action to be performed if the node exists
      See Also:
    • traverse

      default Stream<Config> traverse()
      Iterative deepening depth-first traversal of the node and its subtree as a Stream<Config>.

      If the config node does not exist or is a leaf the returned stream is empty.

      Depending on the structure of the configuration the returned stream can deliver a mix of object, list, and leaf value nodes. The stream will include and traverse through object members and list elements.

      Returns:
      stream of deepening depth-first sub-nodes
    • traverse

      Stream<Config> traverse(Predicate<Config> predicate)
      Iterative deepening depth-first traversal of the node and its subtree as a Stream<Config>, qualified by the specified predicate.

      If the config node does not exist or is a leaf the returned stream is empty.

      Depending on the structure of the configuration the returned stream can deliver a mix of object, list, and leaf value nodes. The stream will include and traverse through object members and list elements.

      The traversal continues as long as the specified predicate evaluates to true. When the predicate evaluates to false the node being traversed and its subtree will be excluded from the returned Stream<Config>.

      Parameters:
      predicate - predicate evaluated on each visited Config node to continue or stop visiting the node
      Returns:
      stream of deepening depth-first sub nodes
    • convert

      <T> T convert(Class<T> type, String value) throws ConfigMappingException
      Convert a String to a specific type. This is a helper method to allow for processing of default values that cannot be typed (e.g. in annotations).
      Type Parameters:
      T - type
      Parameters:
      type - type of the property
      value - String value
      Returns:
      instance of the correct type
      Throws:
      ConfigMappingException - in case the String provided cannot be converted to the type expected
      See Also:
    • mapper

      ConfigMapper mapper()
      The mapper used by this config instance.
      Returns:
      configuration mapper
    • as

      <T> ConfigValue<T> as(GenericType<T> genericType)
      Typed value as a ConfigValue for a generic type. If appropriate mapper exists, returns a properly typed generic instance.

      Example:

       
       ConfigValue<Map<String, Integer>> myMapValue = config.as(new GenericType<Map<String, Integer>>(){});
       myMapValue.ifPresent(map -> {
            Integer port = map.get("service.port");
        }
       
       
      Type Parameters:
      T - type of the returned value
      Parameters:
      genericType - a (usually anonymous) instance of generic type to prevent type erasure
      Returns:
      properly typed config value
    • as

      <T> ConfigValue<T> as(Class<T> type)
      Typed value as a ConfigValue.
      Specified by:
      as in interface Config
      Type Parameters:
      T - type
      Parameters:
      type - type class
      Returns:
      typed value
      See Also:
    • as

      <T> ConfigValue<T> as(Function<Config,T> mapper)
      Typed value as a ConfigValue created from factory method. To convert from String, you can use config.asString().as(Function).
      Type Parameters:
      T - type
      Parameters:
      mapper - method to create an instance from config
      Returns:
      typed value
    • map

      default <T> ConfigValue<T> map(Function<Config,T> mapper)
      Description copied from interface: Config
      Typed value as a ConfigValue created from factory method. To convert from String, you can use config.asString().as(Function).
      Specified by:
      map in interface Config
      Type Parameters:
      T - type
      Parameters:
      mapper - method to create an instance from config
      Returns:
      typed value
    • asBoolean

      default ConfigValue<Boolean> asBoolean()
      Boolean typed value.
      Specified by:
      asBoolean in interface Config
      Returns:
      typed value
    • asString

      default ConfigValue<String> asString()
      String typed value.
      Specified by:
      asString in interface Config
      Returns:
      typed value
    • asInt

      default ConfigValue<Integer> asInt()
      Integer typed value.
      Specified by:
      asInt in interface Config
      Returns:
      typed value
    • asLong

      default ConfigValue<Long> asLong()
      Long typed value.
      Specified by:
      asLong in interface Config
      Returns:
      typed value
    • asDouble

      default ConfigValue<Double> asDouble()
      Double typed value.
      Specified by:
      asDouble in interface Config
      Returns:
      typed value
    • asList

      <T> ConfigValue<List<T>> asList(Class<T> type) throws ConfigMappingException
      Returns list of specified type.
      Specified by:
      asList in interface Config
      Type Parameters:
      T - type of list elements
      Parameters:
      type - type class
      Returns:
      a typed list with values
      Throws:
      ConfigMappingException - in case of problem to map property value.
    • asList

      <T> ConfigValue<List<T>> asList(Function<Config,T> mapper) throws ConfigMappingException
      Returns this node as a list converting each list value using the provided mapper.
      Type Parameters:
      T - type of list elements
      Parameters:
      mapper - mapper to convert each list node into a typed value
      Returns:
      a typed list with values
      Throws:
      ConfigMappingException - in case the mapper fails to map the values
    • mapList

      default <T> ConfigValue<List<T>> mapList(Function<Config,T> mapper) throws ConfigException
      Description copied from interface: Config
      Returns this node as a list mapping each list value using the provided mapper.
      Specified by:
      mapList in interface Config
      Type Parameters:
      T - type of list elements
      Parameters:
      mapper - mapper to convert each list node into a typed value
      Returns:
      a typed list with values
      Throws:
      ConfigException - in case the mapper fails to map the values
    • asNode

      default ConfigValue<Config> asNode()
      Returns existing current config node as ConfigValue.
      Specified by:
      asNode in interface Config
      Returns:
      current config node as ConfigValue
    • asNodeList

      Description copied from interface: Config
      Returns a list of child Config nodes if the node is Type#OBJECT. Returns a list of element nodes if the node is Type#LIST. Throws MissingValueException if the node is Type#MISSING. Otherwise, if node is Type#VALUE, it throws ConfigMappingException.
      Specified by:
      asNodeList in interface Config
      Returns:
      a list of Type#OBJECT members or a list of Type#LIST members
      Throws:
      ConfigMappingException
    • asMap

      Transform all leaf nodes (values) into Map instance.

      Fully qualified key of config node is used as a key in returned Map. Detach config node before transforming to Map in case you want to cut current Config node key prefix.

      Let's say we work with following configuration:

       app:
            name: Example 1
            page-size: 20
       logging:
            app.level = INFO
            level = WARNING
       
      Map app1 contains two keys: app.name, app.page-size.
      
       Map<String, String> app1 = config.get("app").asMap();
       
      Detaching app config node returns new Config instance with "reset" local root.
      
       Map<String, String> app2 = config.get("app").detach().asMap();
       
      Map app2 contains two keys without app prefix: name, page-size.
      Specified by:
      asMap in interface Config
      Returns:
      new Map instance that contains all config leaf node values
      Throws:
      MissingValueException - in case the node is Config.Type.MISSING.
      See Also:
    • onChange

      default void onChange(Consumer<Config> onChangeConsumer)
      Register a Consumer that is invoked each time a change occurs on whole Config or on a particular Config node.

      A user can subscribe on root Config node and then will be notified on any change of Configuration. You can also subscribe on any sub-node, i.e. you will receive notification events just about sub-configuration. No matter how much the sub-configuration has changed you will receive just one notification event that is associated with a node you are subscribed on. If a user subscribes on older instance of Config and ones has already been published the last one is automatically submitted to new-subscriber.

      Note: It does not matter what instance version of Config (related to single Config.Builder initialization) a user subscribes on. It is enough to subscribe just on single (e.g. on the first) Config instance. There is no added value to subscribe again on new Config instance.

      Parameters:
      onChangeConsumer - consumer invoked on change