代码之家  ›  专栏  ›  技术社区  ›  Hector

如何使用AspectJ访问私有字段?

  •  3
  • Hector  · 技术社区  · 7 年前

    AspectJ mixins .

    AspectJ .aj @AspectJ

    我正在努力实现以下目标:-

    我有一个我无法修改的类,它有一个私有类变量,我需要在特定类方法完成执行后查询它。此类没有与此私有类变量关联的getter或setter方法。

    public final class CannotAmend {
    
        private Uri privateUri;
    
        public final void methodOne(){}
    
        public final void methodTwo(){}
    
        public final void methodThree(){
    
            privateUri = "something";   
    
        }
    }
    

    我需要一个可以捕获 @After methodThree() privateUri .

    这有可能实现吗?

    具有 @AspectJ

    2 回复  |  直到 7 年前
        1
  •  3
  •   Luciano van der Veekens    7 年前

    在一个方面中,您可以使用反射API访问私有字段。

    • 用于定义方面匹配的方法的切入点。
    • 和一个注释为 @After

    @Aspect
    public class MyAspect {
    
        @Pointcut("execution(* CannotAmend.methodThree(..))")
        public void methodThreePointcut(){
        }
    
        @After("methodThreePointcut()")
        public void afterMethod(JoinPoint joinPoint) throws NoSuchFieldException, IllegalAccessException {
            Object instance = joinPoint.getThis();
    
            Field privateUriField = instance.getClass().getDeclaredField("privateUri");
            privateUriField.setAccessible(true);
    
            String privateUri = (String) privateUriField.get(instance);
            System.out.println(privateUri); // prints "something"
        }
    }
    

    另一方面,使用字符串常量访问私有字段并不是一个干净的解决方案。如果将来某个时候变量的名称发生更改或被删除,则方面将中断。

        2
  •  1
  •   Vlad Bochenin Rom4in    7 年前

    不使用mixin,但您可以使用 @Around 获得建议 JoinPoint 通过反射获得场。 例如:

    @Around("execution(* *.methodThree())")
    public Object getValue(ProceedingJoinPoint pjp) throws Throwable {
        try {
            return pjp.proceed();
        } finally {
            System.out.println(pjp.getThis().getClass().getDeclaredField("privateUri").get(pjp.getThis()));
        }
    }