如何在春季从 application.properties 重新加载@Value属性?

2022-09-04 04:21:41

我有一个应用程序。在 run 文件夹下,有一个附加的配置文件:spring-boot

dir/config/application.properties

当应用程序启动时,它使用文件中的值并将其注入到:

@Value("${my.property}")
private String prop;

问:如何触发这些属性的重新加载?我希望能够在运行时更改配置,并更新字段(可能通过在应用程序内调用servlet来触发该更新)。@Valueapplication.properties@Value/reload

但是如何做到呢?


答案 1

使用以下 Bean 每 1 秒重新加载一次 config.properties。

@Component
public class PropertyLoader {

    @Autowired
    private StandardEnvironment environment;

    @Scheduled(fixedRate=1000)
    public void reload() throws IOException {
        MutablePropertySources propertySources = environment.getPropertySources();
        PropertySource<?> resourcePropertySource = propertySources.get("class path resource [config.properties]");
        Properties properties = new Properties();
        InputStream inputStream = getClass().getResourceAsStream("/config.properties");
        properties.load(inputStream);
        inputStream.close();
        propertySources.replace("class path resource [config.properties]", new PropertiesPropertySource("class path resource [config.properties]", properties));
    }
}

您的主配置将如下所示:

@EnableScheduling
@PropertySource("classpath:/config.properties")
public class HelloWorldConfig {
}

而不是使用@Value,每次您想要使用最新的属性时

environment.get("my.property");

注意

尽管示例中的 config.properties 取自类路径,但它仍然可以是已添加到类路径中的外部文件。


答案 2

推荐