J'ai un tiers Java qui contient un objet avec une interface comme celle-ci:
public interface Handler<C> {
void call(C context) throws Exception;
}
Comment puis-je l’appliquer de manière concise dans Kotlin, de la même manière que Java anonyme comme ceci:
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"
En supposant que l'interface ne comporte qu'une seule méthode, vous pouvez utiliser SAM
val handler = Handler<String> { println("Hello: $it")}
Si vous avez une méthode qui accepte un gestionnaire, vous pouvez même omettre les arguments de type:
fun acceptHandler(handler:Handler<String>){}
acceptHandler(Handler { println("Hello: $it")})
acceptHandler({ println("Hello: $it")})
acceptHandler { println("Hello: $it")}
Si l'interface a plus d'une méthode, la syntaxe est un peu plus détaillée:
val handler = object: Handler2<String> {
override fun call(context: String?) { println("Call: $context") }
override fun run(context: String?) { println("Run: $context") }
}
J'ai eu un cas où je ne voulais pas créer un var pour elle mais le faire en ligne. La façon dont je l'ai réalisé est
funA(object: InterfaceListener {
override fun OnMethod1() {}
override fun OnMethod2() {}
override fun OnPermissionsDeniedForever() {}
})
La réponse la plus simple est probablement le lambda de Kotlin:
val handler = Handler<MyContext> {
println("Hello world")
}
handler.call(myContext) // Prints "Hello world"
val obj = object : MyInterface {
override fun function1(arg:Int) { ... }
override fun function12(arg:Int,arg:Int) { ... }
}