理解java.lang.reflect.InvocationHandler的invoke方法的"proxy"参数

bal*_*teo 5 java dynamic-proxy

我想了解方法proxy论证的目的.invokejava.lang.reflect.InvocationHandler

  • 应该如何以及何时使用?
  • 它的运行时类型是什么?
  • 为什么this不用呢?

Pet*_*ser 7

实际上,您对实际代理几乎无能为力。然而,它是调用上下文的一部分,您可以使用它来使用反射获取有关代理的信息,或者在后续调用中使用它(当使用该代理调用另一个方法时,或者作为结果。

示例:account 类,允许存入资金,其deposit()方法再次返回实例以允许方法链接:

private interface Account {
    public Account deposit (double value);
    public double getBalance ();
}
Run Code Online (Sandbox Code Playgroud)

处理程序:

private class ExampleInvocationHandler implements InvocationHandler {

    private double balance;

    @Override
    public Object invoke (Object proxy, Method method, Object[] args) throws Throwable {

        // simplified method checks, would need to check the parameter count and types too
        if ("deposit".equals(method.getName())) {
            Double value = (Double) args[0];
            System.out.println("deposit: " + value);
            balance += value;
            return proxy; // here we use the proxy to return 'this'
        }
        if ("getBalance".equals(method.getName())) {
            return balance;
        }
        return null;
    }
}
Run Code Online (Sandbox Code Playgroud)

以及它的用法示例:

Account account = (Account) Proxy.newProxyInstance(getClass().getClassLoader(), new Class[] {Account.class, Serializable.class},
    new ExampleInvocationHandler());

// method chaining for the win!
account.deposit(5000).deposit(4000).deposit(-2500);
System.out.println("Balance: " + account.getBalance());
Run Code Online (Sandbox Code Playgroud)

至于您的第二个问题:可以使用反射评估运行时类型:

for (Class<?> interfaceType : account.getClass().getInterfaces()) {
    System.out.println("- " + interfaceType);
}
Run Code Online (Sandbox Code Playgroud)

而您的第三个问题:“ this”将指代调用处理程序本身,而不是代理。