63

如果我有一个 Kotlin 函数

fun f(cb: (Int) -> Unit)

我想f从Java调用,我必须这样做:

f(i -> {
     dosomething();
     return Unit.INSTANCE;
});

这看起来很丑陋。为什么我不能像 一样写f(i -> dosomething());,因为Unit在 Kotlin 中相当于void在 Java 中?

4

2 回答 2

66

Unit在 Kotlin 中几乎等同于void在 Java 中,但是只有在 JVM 规则允许的情况下。

Kotlin 中的函数类型由如下接口表示:

public interface Function1<in P1, out R> : Function<R> {
    /** Invokes the function with the specified argument. */
    public operator fun invoke(p1: P1): R
}

当您声明(Int) -> Unit时,从 Java 的角度来看,这等效于Function<Integer, Unit>. 这就是为什么你必须返回一个值。为了解决这个问题,在 Java 中有两个单独的接口Consumer<T>Function<T, R>当你没有/没有返回值时。

Kotlin 设计者决定放弃功能接口的重复,转而依赖编译器的“魔法”。如果您在 Kotlin 中声明 lambda,则不必返回值,因为编译器会为您插入一个值。

为了让您的生活更轻松,您可以编写一个将 a 包装Consumer<T>在 a 中的辅助方法Function1<T, Unit>

public class FunctionalUtils {
    public static <T> Function1<T, Unit> fromConsumer(Consumer<T> callable) {
        return t -> {
            callable.accept(t);
            return Unit.INSTANCE;
        };
    }
}

用法:

f(fromConsumer(integer -> doSomething()));

有趣的事实:UnitKotlin 编译器的特殊处理是您可以编写如下代码的原因:

fun foo() {
    return Unit
}

或者

fun bar() = println("Hello World")

这两种方法在生成的字节码中都有返回类型void,但编译器足够聪明,可以弄清楚这一点,并允许您使用返回语句/表达式。

于 2016-06-15T12:05:25.307 回答
1

我将这种方法用于 Kotlin 和 Java。您将在 Java 中看到 MyKotlinClass 的方法,在 Kotlin 中您将看到这两种方法(类方法 + 扩展函数)。

MyKotlinClass {

  //Method to use in Java, but not restricted to use in Kotlin.
    fun f(cb: Consumer<Int>) { //Java8 Consumer, or any custom with the same interface
      int i = getYourInt()
      cb.accept(i)
    }
}

//Extension for Kotlin. It will be used in Kotlin.
fun MyKotlinClass.f(cb: (Int) -> Unit) {
    f(Consumer { cb(it) })
}
于 2018-10-23T12:40:32.187 回答