9

给定一些具有不可解析占位符的应用程序配置,如下所示application.yml

my:
  thing: ${missing-placeholder}/whatever

当我使用@Value注释时,配置文件中的占位符会被验证,所以在这种情况下:

package com.test;

import org.springframework.beans.factory.annotation.Value;
import org.springframework.stereotype.Component;

@Component
public class PropValues {
    @Value("${my.thing}") String thing;
    public String getThing() { return thing; }
}

我得到一个IllegalArgumentException: Could not resolve placeholder 'missing-placeholder' in value "${missing-placeholder}/whatever". 这是因为该值是由直接设置的,AbstractBeanFactory.resolveEmbeddedValue并且没有任何东西可以捕获抛出的异常PropertyPlaceholderHelper.parseStringValue

但是,为了转向@ConfigurationProperties样式,我注意到缺少此验证,例如在这种情况下:

package com.test;

import org.springframework.boot.context.properties.ConfigurationProperties;
import org.springframework.validation.annotation.Validated;

@ConfigurationProperties(prefix = "my")
public class Props {
    private String thing;
    public String getThing() { return thing; }    
    public void setThing(String thing) { this.thing = thing; }
}

也不例外。我可以看到PropertySourcesPropertyValues.getEnumerableProperty通过注释捕获异常// Probably could not resolve placeholders, ignore it here并将无效值收集到其内部映射中。后续数据绑定不会检查未解析的占位符。

我检查了简单地将@Validatedand@Valid注释应用于类和字段并没有帮助。

ConfigurationProperties有什么方法可以保留在具有绑定的未解析占位符上引发异常的行为?

4

3 回答 3

0

显然没有更好的解决方案。至少这比 afterPropertiesSet() 更好。

@Data
@Validated // enables javax.validation JSR-303
@ConfigurationProperties("my.config")
public static class ConfigProperties {
    // with @ConfigurationProperties (differently than @Value) there is no exception if a placeholder is NOT RESOLVED. So manual validation is required!
    @Pattern(regexp = ".*\$\{.*", message = "unresolved placeholder")
    private String uri;
    // ...
}

更新:我第一次弄错了正则表达式。它匹配整个输入(不仅仅是java.util.regex.Matcher#find())。

于 2019-05-14T14:58:36.213 回答
0

传递@Pattern注释的正确正则表达式是^(?!\\$\\{).+

@Validated
@ConfigurationProperties("my.config")
public class ConfigProperties {
    
    @Pattern(regexp = "^(?!\\$\\{).+", message = "unresolved placeholder")
    private String uri;
    // ...
}
于 2021-05-11T07:02:53.120 回答
-1

我在 10 分钟前遇到了同样的问题!尝试在您的配置中添加此 bean:

    @Bean
    public static PropertySourcesPlaceholderConfigurer propertySourcesPlaceholderConfigurer() {
        PropertySourcesPlaceholderConfigurer propertySourcesPlaceholderConfigurer = new PropertySourcesPlaceholderConfigurer();
        propertySourcesPlaceholderConfigurer.setIgnoreUnresolvablePlaceholders(true);
        return propertySourcesPlaceholderConfigurer;
    }
于 2017-04-19T11:07:31.180 回答