我需要根据不同的当前环境配置文件编写不同的逻辑。
如何从 Spring 获取当前活动和默认配置文件?
您可以自动装配 Environment
@Autowired
Environment env;
Environment
优惠:
字符串[] getActiveProfiles(),
String[] getDefaultProfiles() 和
布尔接受配置文件(字符串...配置文件)
扩展 User1648825 的简单答案:
@Value("${spring.profiles.active}")
private String activeProfile;
如果没有设置配置文件(我得到一个空值),这可能会引发 IllegalArgumentException。如果您需要设置它,这可能是一件好事;如果不使用 @Value 的“默认”语法,即:
@Value("${spring.profiles.active:Unknown}")
private String activeProfile;
...如果 spring.profiles.active 无法解析,activeProfile 现在包含“未知”
这是一个更完整的例子。
自动连线环境
首先,您需要自动装配环境 bean。
@Autowired
private Environment environment;
检查配置文件是否存在于活动配置文件中
然后您可以使用 getActiveProfiles()
查明配置文件是否存在于活动配置文件列表中。这是一个示例,它从 getActiveProfiles()
获取 String[]
,从该数组中获取一个流,然后使用匹配器检查多个配置文件(不区分大小写),如果它们存在则返回一个布尔值。
//Check if Active profiles contains "local" or "test"
if(Arrays.stream(environment.getActiveProfiles()).anyMatch(
env -> (env.equalsIgnoreCase("test")
|| env.equalsIgnoreCase("local")) ))
{
doSomethingForLocalOrTest();
}
//Check if Active profiles contains "prod"
else if(Arrays.stream(environment.getActiveProfiles()).anyMatch(
env -> (env.equalsIgnoreCase("prod")) ))
{
doSomethingForProd();
}
您还可以使用注释 @Profile("local")
实现类似的功能配置文件允许基于传入或环境参数进行选择性配置。以下是有关此技术的更多信息:Spring Profiles
@Value("${spring.profiles.active}")
private String activeProfile;
它可以工作,您不需要实施 EnvironmentAware。但我不知道这种方法的缺点。
Caused by: java.lang.IllegalArgumentException: Could not resolve placeholder 'spring.profiles.active' in value "${spring.profiles.active}"
@Profile
时可能考虑的所有配置文件。应用程序还可以使用 spring.profiles.include
属性,并且可以在初始化期间使用 ConfigurableEnvironment
以编程方式设置配置文件。 Environment.getActiveProfiles()
将获得使用任何这些机制设置的配置文件的完整列表。
如果您不使用自动装配,只需实现 EnvironmentAware
如前所述。您可以自动装配环境:
@Autowired
private Environment environment;
只有您可以更轻松地检查所需的环境:
if (environment.acceptsProfiles(Profiles.of("test"))) {
doStuffForTestEnv();
} else {
doStuffForOtherProfiles();
}
似乎有一些需求能够静态访问它。
我怎样才能在非弹簧管理类的静态方法中得到这样的东西? – 埃瑟鲁斯
这是一个 hack,但您可以编写自己的类来公开它。您必须小心确保在创建所有 bean 之前不会调用 SpringContext.getEnvironment()
,因为无法保证何时实例化此组件。
@Component
public class SpringContext
{
private static Environment environment;
public SpringContext(Environment environment) {
SpringContext.environment = environment;
}
public static Environment getEnvironment() {
if (environment == null) {
throw new RuntimeException("Environment has not been set yet");
}
return environment;
}
}
如果你既不想使用 @Autowire 也不想注入 @Value 你可以简单地做(包括后备):
System.getProperty("spring.profiles.active", "unknown");
这将返回任何活动配置文件(或回退到“未知”)。
不定期副业成功案例分享
acceptsProfiles(String... profiles)
并将其替换为acceptsProfiles(Profiles profiles)
。