Spring中的@Profile批注可以用于任何自动检测候选的Spring组件(例如, @Service Component, @Service @Component , @Service @Configuration等)。 @Profile批注接受单个配置文件或一组必须是活动的配置文件,以使带注释的组件有资格进行自动检测。 对于给定的@Profile({"p1", "!p2"}) ,如果配置文件p1处于活动状态或配置文件p2不处于活动状态,则会进行注册。 或至关重要。
但是如何使用@Profile来实现这一点:如果配置文件p1处于活动状态,并且配置文件p2 和 p3均处于非活动状态,我们想激活给定的组件吗?
让我们假设以下情况:我们有一个NotificationSender接口,该接口由以下方式实现:
-
SendGridNotificationSender–仅在sendgrid配置文件处于活动状态时才处于活动状态, -
EmailNotificationSender–仅在email配置文件处于活动状态时才处于活动状态。 -
NoOpNotificationSender–仅在development配置文件处于活动状态且sendgrid和email没有处于活动状态时才处于活动状态。
另外:一次只能注册一个NotificationSender ,并且development配置文件可以与sendgrid和email配置文件结合使用。
在上述情况下,使用@Profile批注似乎还不够。 也许我使事情变得有些复杂,但是实际上我真的很想实现上述目标而无需介绍其他配置文件。 我是怎么做到的?
我使用了Spring的4 @Conditional批注。 当所有指定Condition匹配时, @Conditional允许注册组件:
@Component
@Conditional(value = NoOpNotificationSender.ProfilesCondition.class)
class NoOpNotificationSender extends NotificationSenderAdapter {} ProfilesCondition实现org.springframework.context.annotation.Condition接口:
public static class ProfilesCondition implements Condition {@Overridepublic boolean matches(ConditionContext c, AnnotatedTypeMetadata m) {}
}问题的整体解决方案:
@Component
@Conditional(value = NoOpNotificationSender.ProfilesCondition.class)
class NoOpNotificationSender extends NotificationSenderAdapter {static class ProfilesCondition implements Condition {@Overridepublic boolean matches(ConditionContext c, AnnotatedTypeMetadata m) {return accepts(c, Profiles.DEVELOPMENT)&& !accepts(c, Profiles.MAIL)&& !accepts(c, Profiles.SEND_GRID);}private boolean accepts(ConditionContext c, String profile) {return c.getEnvironment().acceptsProfiles(profile);}}
}当适当的配置文件处于活动状态时,其他组件将被激活:
@Component
@Profile(value = Profiles.SEND_GRID)
public class SendGridNotificationSender extends NotificationSenderAdapter {}@Component
@Profile(value = Profiles.MAIL)
class EmailNotificationSender extends NotificationSenderAdapter {}用法示例:
| 活动资料 | 豆 |
|---|---|
| 发展 | NoOpNotificationSender |
| 开发,sendgrid | SendGridNotificationSender |
| 开发,邮件 | EmailNotificationSender |
| sendgrid | SendGridNotificationSender |
| 邮件 | EmailNotificationSender |
你怎么看? 您将如何解决这个问题?
翻译自: https://www.javacodegeeks.com/2015/11/register-components-using-conditional-condition-spring.html