我有一个名为"@ProgressCheck"的注释,我们可以将其放在控制器上以检查应用程序的进度。如果应用程序已经提交或晚了,那么它会将用户抛出到适合该情况的页面。
注释接口为:
@Retention(RetentionPolicy.RUNTIME)
public @interface ProgressCheck {
}
该注释的"实现"类似于:
@Around("execution(* *(..)) && args(session,..) && @annotation(com.foo.aspects.progress.ProgressCheck)")
public Object progressCheck(ProceedingJoinPoint pjp, HttpSession session) throws Throwable {
Applicant applicant = this.applicationSessionUtils.getApplicant(session);
Application application = this.applicationSessionUtils.getApplication(session);
switch (this.applicantService.getProgress(applicant)) {
case SUBMITTED:
return this.modelAndViewFactory.gotoStatusPage(applicant, application);
case LATE:
return this.modelAndViewFactory.gotoDeadlineMissed(applicant, application);
default:
case IN_PROGRESS:
return pjp.proceed();
}
}
根据会话和数据库中的值,注释的"实现"允许用户继续进入控制器,或者根据需要将它们重定向到另一个ModelAndView。
我想为注释提供参数,然后,在这个"实现"逻辑中,使用这些参数进一步调优决策。在不知道注释应用于何处的情况下,如何从这个逻辑访问这些参数?或者我应该用别的方法吗?
技巧是查询方面的JoinPoint对象以获得关于被注释的方法(或类或其他)的注释信息。这就是我弄不明白的胶水。
这里有一个例子。首先,方面的接口。此注释将只应用于方法。
@Target(ElementType.METHOD)
@Retention(RetentionPolicy.RUNTIME)
public @interface DayOfWeek {
public String[] names();
}
现在实现方面:
@Aspect
public class DayOfWeekAspect {
public DayOfWeekAspect() {
}
@Around("execution(* *(..)) && args(session,..) && @annotation(edu.berkeley.jazztwo.aspect.ams.roles.DayOfWeek)")
public Object dayOfWeek(ProceedingJoinPoint joinPoint, HttpSession session) throws Throwable {
String[] names = this.getNames(this.getAnnotatedMethod(joinPoint));
for (String name : names) {
System.out.println("DayOfWeek: " + name);
}
// Do whatever you want with the aspect parameters
if (checkSomething(names)) {
// in some cases, go to a different view/controller
return new ModelAndView(...);
}
// Just proceed into the annotated method
return joinPoint.proceed();
}
private Method getAnnotatedMethod(JoinPoint joinPoint) {
MethodSignature methodSignature = (MethodSignature) joinPoint.getSignature();
return methodSignature.getMethod();
}
private String[] getNames(Method method) {
DayOfWeek aspect = method.getAnnotation(DayOfWeek.class);
if (aspect != null) {
return aspect.names();
}
return new String[0]; // no annotation, return an empty array
}
}
然后将aspect应用于某个方法
@DayOfWeek(names = {"Monday", "Wednesday", "Friday"})
@RequestMapping(value = "foo", method = RequestMethod.GET)
public ModelAndView foo(...) {
...
}
然后,如果你像我一样,你会挠头,想知道为什么它不起作用。最后记住(如果使用的是XML配置)必须在配置的某个地方实例化bean:
<bean id="dayOfWeekAspect" class="com.foo.bar.DayOfWeekAspect" />
那么你可以调用foo,它应该打印出星期一,星期三和星期五。