我有一个Iface接口(interface),它有两个用Java编写的方法。该接口(interface)是Zzz类的内部接口(interface)。
我已经在Scala中编写了调用处理程序。然后,我尝试在Scala中创建一个新的代理实例,如下所示。

 val handler = new ProxyInvocationHandler // this handler implements
                                          //InvocationHandler interface

 val impl = Proxy.newProxyInstance(
  Class.forName(classOf[Iface].getName).getClassLoader(),
  Class.forName(classOf[Iface].getName).getClasses,
  handler
).asInstanceOf[Iface]

但是在这里编译器说
$Proxy0 cannot be cast to xxx.yyy.Zzz$Iface

在短时间内,我如何使用代理进行此操作。

最佳答案

这是代码的固定版本。它还可以编译甚至执行某些操作!

import java.lang.reflect.{Method, InvocationHandler, Proxy}

object ProxyTesting {

  class ProxyInvocationHandler extends InvocationHandler {
    def invoke(proxy: scala.AnyRef, method: Method, args: Array[AnyRef]): AnyRef = {
      println("Hello Stackoverflow when invoking method with name \"%s\"".format(method.getName))
      proxy
    }
  }

  trait Iface {
    def doNothing()
  }

  def main(args: Array[String]) {
    val handler = new ProxyInvocationHandler

    val impl = Proxy.newProxyInstance(
      classOf[Iface].getClassLoader,
      Array(classOf[Iface]),
      handler
    ).asInstanceOf[Iface]

    impl.doNothing()
  }

}

10-04 12:51