无法使用@Value批注从Spring Boot中的属性文件中读取值

时间:2017-02-20 15:19:49

标签: java spring rest spring-mvc spring-boot

我无法通过Spring Boot从属性文件中读取属性。我有一个REST服务,它通过浏览器和Postman两个工作,并返回一个有效的200响应数据。

但是,我无法使用@Value注释通过此Spring Boot客户端读取属性并获得以下异常。

例外:

helloWorldUrl = null
Exception in thread "main" java.lang.IllegalArgumentException: URI must not be null
    at org.springframework.util.Assert.notNull(Assert.java:115)
    at org.springframework.web.util.UriComponentsBuilder.fromUriString(UriComponentsBuilder.java:189)
    at org.springframework.web.util.DefaultUriTemplateHandler.initUriComponentsBuilder(DefaultUriTemplateHandler.java:114)
    at org.springframework.web.util.DefaultUriTemplateHandler.expandInternal(DefaultUriTemplateHandler.java:103)
    at org.springframework.web.util.AbstractUriTemplateHandler.expand(AbstractUriTemplateHandler.java:106)
    at org.springframework.web.client.RestTemplate.execute(RestTemplate.java:612)
    at org.springframework.web.client.RestTemplate.getForObject(RestTemplate.java:287)
    at com.example.HelloWorldClient.main(HelloWorldClient.java:19)

HelloWorldClient.java

public class HelloWorldClient {

    @Value("${rest.uri}")
    private static String helloWorldUrl;

    public static void main(String[] args) {
        System.out.println("helloWorldUrl = " + helloWorldUrl);
        String message = new RestTemplate().getForObject(helloWorldUrl, String.class);
        System.out.println("message = " + message);
    }

}

application.properties

rest.uri=http://localhost:8080/hello

1 个答案:

答案 0 :(得分:4)

您的代码中存在多个问题。

  1. 从你发布的样本中,似乎Spring还没有开始。主类应该在main方法中运行上下文。

    @SpringBootApplication
    public class HelloWorldApp {
    
         public static void main(String[] args) {
              SpringApplication.run(HelloWorldApp.class, args);
         }
    
    }
    
  2. 无法将值注入静态字段。您应该首先将其更改为常规类字段。

  3. 该类必须由Spring容器管理才能使值注入可用。如果使用默认组件扫描,则可以使用@Component注释简单地注释新创建的客户端类。

    @Component
    public class HelloWorldClient {
        // ...
    }
    

    如果您不想注释该类,可以在其中一个配置类或主Spring Boot类中创建一个bean。

    @SpringBootApplication
    public class HelloWorldApp {
    
      // ...    
    
      @Bean
      public HelloWorldClient helloWorldClient() {
         return new HelloWorldClient();
      }
    
    }
    

    但是,如果您是该类的所有者,则首选该选项。无论您选择哪种方式,目标都是让Spring上下文了解类的存在,以便注入过程能够发生。

相关问题