如何在Kotlin中创建匿名接口实例?


94

我有一个第三方Java库,该对象的接口如下:

public interface Handler<C> {
  void call(C context) throws Exception;
}

我如何像Java匿名类一样在Kotlin中简洁地实现它:

Handler<MyContext> handler = new Handler<MyContext> {
   @Override
   public void call(MyContext context) throws Exception {
      System.out.println("Hello world");
   }
}

handler.call(myContext) // Prints "Hello world"

Answers:


143

假设接口只有一种方法,则可以使用SAM

val handler = Handler<String> { println("Hello: $it") }

如果您有一个接受处理程序的方法,那么您甚至可以忽略类型参数:

fun acceptHandler(handler:Handler<String>){}

acceptHandler(Handler { println("Hello: $it") })

acceptHandler({ println("Hello: $it") })

acceptHandler { println("Hello: $it") }

如果接口具有多个方法,则语法会更加冗长:

val handler = object: Handler2<String> {
    override fun call(context: String?) { println("Call: $context") }
    override fun run(context: String?) { println("Run: $context")  }
}

2
acceptHandler { println("Hello: $it")}在大多数情况下也可以使用
voddan

5
对于任何挣扎的人。我认为该接口必须在Java中声明。我认为SAM转换不适用于Kotlin接口。如果它是一个kotlin接口,则必须使用object:Handler {}方式。每个此处: youtrack.jetbrains.com/issue/KT-7770
j2emanue

2
您可以从1.4版开始使用Kotlin接口执行此操作-您只需将其声明为即可fun interface
尼克

18

我有一种情况,我不想为其创建var,而是内联。我实现它的方式是

funA(object: InterfaceListener {
                        override fun OnMethod1() {}

                        override fun OnMethod2() {}
})

14
     val obj = object : MyInterface {
         override fun function1(arg:Int) { ... }

         override fun function12(arg:Int,arg:Int) { ... }
     }

2

最简单的答案可能是Kotlin的lambda:

val handler = Handler<MyContext> {
  println("Hello world")
}

handler.call(myContext) // Prints "Hello world"
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.