Read environment variable in SpringBoot

前端 未结 4 2151
遇见更好的自我
遇见更好的自我 2020-12-15 16:15

What is the best way to read environment variables in SpringBoot?
In Java I did it using:

String foo = System.getenv(\"         


        
相关标签:
4条回答
  • 2020-12-15 16:52

    You can do it with the @Value annotation:

    @Value("${bar}")
    private String myVariable;
    

    You can also use colon to give a default value if not found:

    @Value("${bar:default_value}")
    private String myVariable;
    
    0 讨论(0)
  • 2020-12-15 16:59

    Quoting the documentation:

    Spring Boot allows you to externalize your configuration so you can work with the same application code in different environments. You can use properties files, YAML files, environment variables and command-line arguments to externalize configuration. Property values can be injected directly into your beans using the @Value annotation, accessed via Spring’s Environment abstraction or bound to structured objects via @ConfigurationProperties.

    So, since Spring boot allows you to use environment variables for configuration, and since Spring boot also allows you to use @Value to read a property from the configuration, the answer is yes.


    This can be tested easily, the following will give the same result:

    @Component
    public class TestRunner implements CommandLineRunner {
        @Value("${bar}")
        private String bar;
        private final Logger logger = LoggerFactory.getLogger(getClass());
        @Override
        public void run(String... strings) throws Exception {
            logger.info("Foo from @Value: {}", bar);
            logger.info("Foo from System.getenv(): {}", System.getenv("bar")); // Same output as line above
        }
    }
    
    0 讨论(0)
  • 2020-12-15 17:12

    Alternatively, you can use the org.springframework.core.env.Environment interface to access environment variables:

    @Autowired
    private Environment env;
    
    ...
    
    System.out.println(env.getProperty("bar"));
    

    Read more...

    0 讨论(0)
  • 2020-12-15 17:13

    Here are three "placeholder" syntaxes that work for accessing a system environment variable named MY_SECRET:

    @Value("${MY_SECRET:aDefaultValue}")
    private String s1;
    
    @Value("#{environment.MY_SECRET}")
    private String s2;
    
    @Value("${myApp.mySecretIndirect:aDefaultValue}") // via application property
    private String s3;
    

    In the third case, the placeholder references an application property that has been initialized from the system environment in a properties file:

    myApp.mySecretIndirect=${MY_SECRET:aDefaultValue}
    

    For @Value to work, it must be used inside a live @Component (or similar). There are extra gochas if you want this to work during unit testing -- see my answer to Why is my Spring @Autowired field null?

    0 讨论(0)
提交回复
热议问题