解决方案1:
你也可以这样做:
enum EventType {
MESSAGE {
@Override
public void handleMessage(Service service, Message message) {
service.onMessage(message);
}
},
STAR_ADDED {
@Override
public void handleMessage(Service service, Message message) {
service.onStarAdded(message);
}
public abstract void handleMessage(Service service, Message message);
}
}
在您的其他课程中,您知道什么是“活动”事件:
yourEvent.handleMessage(service, message);
解决方案2:
我不知道春天是否有任何确切的用途,否则你也可以使用反射。这是一个使用反射的示例(我更喜欢上面的解决方案 => 没有反射的枚举):
for(Method method: Service.class.getDeclaredMethods()){
Controller annotation = m.getAnnotation(Controller.class);
for(EventType event: annotation.events()){
if(event.equals(yourActiveEventType)){
method.invoke(service, message);
}
return ...
}
}
提示(不是解决方案)3:
我真的不认为以下内容适用于您的场景,但我想我会提到它...... Spring AOP 允许您在调用带注释的方法时触发一些代码(这与您的场景相反),检查这个答案,但它可能值得你一读:aspectj-pointcut-for-all-methods-of-a-class-with-specific-annotation
@Around("execution(@Controller * com.exemple.YourService.*(..))")
public Object aroundServiceMethodAdvice(final ProceedingJoinPoint pjp)
throws Throwable {
// perform actions before
return pjp.proceed();
// perform actions after
}
解决方案4:(在评论后添加)
使用 org.reflections
<dependency>
<groupId>org.reflections</groupId>
<artifactId>reflections</artifactId>
<version>0.9.10</version>
</dependency>
例子:
Service service = ...;
Message message = ...;
Set<Method> methods =
ReflectionUtils.getMethods(Service.class, ReflectionUtils.withAnnotation(Controller.class),ReflectionUtils.withParametersAssignableTo(Message.class));
for(Method m: methods){
Controller controller = m.getAnnotation(Controller.class);
for(EventType eventType: controller.value()){
if(EventType.MESSAGE.equals(eventType)){
m.invoke(service, message);
}
}
}
这假定您已经持有对 Service 对象(您的方法所在的位置)的引用。
由于您使用的是 Spring,如果您的“服务”是 spring 管理的,您可能会从 spring 的上下文中获取实例,您必须自己尝试一下,因为这在一定程度上与您的设计有关:
@Autowired
private ApplicationContext appContext;
Reflections r = new Reflections(new MethodAnnotationsScanner(), "com.your.package");
Set<Method> methods = r.getMethodsAnnotatedWith(Controller.class);
for(Method m: methods){
Controller controller = m.getAnnotation(Controller.class);
for(EventType eventType: controller.value()){
if(EventType.MESSAGE.equals(eventType)){
String className = m.getDeclaringClass().getSimpleName();
className = className.replaceFirst(className.substring(0,1), className.substring(0,1).toLowerCase());
Object service = appContext.getBean(className);
m.invoke(service, message);
}
}
}
如果您的 Class 是 spring 管理的并且使用其默认的驼峰名称添加到上下文中,则此方法有效。
您可以简化逻辑,但我相信主要元素就在那里。