web-dev-qa-db-ja.com

ポイントカット内の注釈付きパラメーターを取得する

@LookAtThisMethod@LookAtThisParameterの2つのアノテーションがありますが、@LookAtThisMethodのメソッドの周りにポイントカットがある場合、@LookAtThisParameterのアノテーションが付いたメソッドのパラメーターを抽出するにはどうすればよいですか?

例えば:

@Aspect
public class LookAdvisor {

    @Pointcut("@annotation(lookAtThisMethod)")
    public void lookAtThisMethodPointcut(LookAtThisMethod lookAtThisMethod){}

    @Around("lookAtThisMethodPointcut(lookAtThisMethod)")
    public void lookAtThisMethod(ProceedingJoinPoint joinPoint, LookAtThisMethod lookAtThisMethod) throws Throwable {
        for(Object argument : joinPoint.getArgs()) {
            //I can get the parameter values here
        }

        //I can get the method signature with:
        joinPoint.getSignature.toString();


        //How do I get which parameters  are annotated with @LookAtThisParameter?
    }

}
25
soldier.moth

私はこれを中心にソリューションをモデル化しました 他の回答 別の似たような質問に。

_MethodSignature signature = (MethodSignature) joinPoint.getSignature();
String methodName = signature.getMethod().getName();
Class<?>[] parameterTypes = signature.getMethod().getParameterTypes();
Annotation[][] annotations = joinPoint.getTarget().getClass().getMethod(methodName,parameterTypes).getParameterAnnotations();
_

ターゲットクラスを通過しなければならなかった理由は、注釈が付けられたクラスがインターフェイスの実装であり、したがってsignature.getMethod().getParameterAnnotations()がnullを返したためです。

47
soldier.moth
final String methodName = joinPoint.getSignature().getName();
    final MethodSignature methodSignature = (MethodSignature) joinPoint
            .getSignature();
    Method method = methodSignature.getMethod();
    GuiAudit annotation = null;
    if (method.getDeclaringClass().isInterface()) {
        method = joinPoint.getTarget().getClass()
                .getDeclaredMethod(methodName, method.getParameterTypes());
        annotation = method.getAnnotation(GuiAudit.class);
    }

このコードは、メソッドがインターフェースに属する場合をカバーしています

4
kirenpillay