반응형
Kotlin에서 익명 인터페이스 인스턴스를 작성하려면 어떻게 해야 합니까?
서드파티제의 Java 라이브러리는 다음과 같은 인터페이스를 가진 오브젝트가 있습니다.
public interface Handler<C> {
void call(C context) throws Exception;
}
자바 어나니머스 클래스와 유사한 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"
인터페이스에 1개의 메서드가 있는 경우 SAM을 사용할 수 있습니다.
val handler = Handler<String> { println("Hello: $it") }
버전 1.4 Kotlin은 Kotlin에서 정의된 인터페이스에 대해 SAM을 지원합니다.그러기 위해서는 prefix가 필요합니다.interface
키워드fun
fun interface Handler<C> {
fun call(context: C);
}
핸들러를 받아들이는 메서드가 있는 경우 type 인수를 생략할 수도 있습니다.
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") }
}
var를 만들고 싶지 않고 인라인으로 하고 싶은 경우가 있었습니다.제가 그걸 달성한 방법은
funA(object: InterfaceListener {
override fun OnMethod1() {}
override fun OnMethod2() {}
})
val obj = object : MyInterface {
override fun function1(arg:Int) { ... }
override fun function12(arg:Int,arg:Int) { ... }
}
Kotlin 1.4 에서는, 기능하는 인터페이스를 선언할 수 있습니다.
fun interface Handler<C> {
fun call(context: C);
}
그런 다음 간결하게 작성할 수 있습니다.
val handler = Handler<String> {
println("Handling $it")
}
가장 간단한 대답은 아마도 코틀린의 람다일 것이다.
val handler = Handler<MyContext> {
println("Hello world")
}
handler.call(myContext) // Prints "Hello world"
언급URL : https://stackoverflow.com/questions/37672023/how-to-create-an-instance-of-anonymous-interface-in-kotlin
반응형
'sourcecode' 카테고리의 다른 글
어레이 반복에 "for...in"을 사용하는 것이 좋지 않은 이유는 무엇입니까? (0) | 2022.11.07 |
---|---|
커스텀 마리아 DB 도커 이미지 작성 방법 (0) | 2022.11.07 |
JSONObject를 사용하여 Java에서 올바른 JSONArray를 작성하는 방법 (0) | 2022.11.07 |
javax.validation 입니다.확인예외:HV000183:'javax.el'을 로드할 수 없습니다.Expression Factory ' (0) | 2022.11.07 |
"wait_timeout"이 감소했음에도 불구하고 MariaDB 프로세스 목록에서 sleep 상태의 쿼리 수가 다수 감소함 (0) | 2022.11.07 |