给出以下 Kotlin 类:
class Foo {
public fun bar(i: Int = 0): Int = 2 * i
}
我应该如何在没有来自 java/groovy 代码的任何参数的情况下调用“bar”函数?
def f = new Foo()
f.bar() //throws: java.lang.IllegalArgumentException: Parameter specified as non-null contains null
给出以下 Kotlin 类:
class Foo {
public fun bar(i: Int = 0): Int = 2 * i
}
我应该如何在没有来自 java/groovy 代码的任何参数的情况下调用“bar”函数?
def f = new Foo()
f.bar() //throws: java.lang.IllegalArgumentException: Parameter specified as non-null contains null
您现在可以在 Kotlin 中执行此操作。对于您的类方法,请使用@JvmOverloads
注解。
class Foo {
@JvmOverloads public fun bar(name: String = "World"): String = "Hello $name!"
}
现在只需从 Java 中调用它:
Foo foo = new Foo();
System.out.println(foo.bar());
System.out.println(foo.bar("Frank"));
输出以下内容:
你好世界!
你好弗兰克!
我将很快发布真正的答案,但如果有人想通过反射来做到这一点,代码如下所示。关于如何将 Kotlin 反射用于KCallable
.
这是要调用的类:
class Foo {
public fun bar(name: String = "World"): String = "Hello $name!"
}
然后,我们需要 Kotin 中的一个实用程序类,它可以接收类的实例、来自 java 反射的方法以及按名称的参数。这仅适用于非基元:
class KReflectHelper {
companion object {
@Suppress("UNCHECKED_CAST")
@JvmStatic fun <T> callKotlinMethodWithNamedParms(instance: Any, method: Method, parmMap: Map<String, Any>): T {
val callable: KFunction<T> = method.kotlinFunction as? KFunction<T> ?: throw IllegalStateException("Method is not a Kotlin method")
val unusedParms = HashSet(parmMap.keys)
val callableParms = hashMapOf<KParameter, Any?>()
callable.parameters.map { parm ->
if (parm.kind == KParameter.Kind.INSTANCE) {
callableParms.put(parm, instance)
} else if (parm.kind == KParameter.Kind.VALUE && parmMap.contains(parm.name)) {
unusedParms.remove(parm.name)
callableParms.put(parm, parmMap.get(parm.name))
} else if (parm.kind == KParameter.Kind.VALUE) {
if (parm.isOptional) {
// default value will be used!
} else {
throw IllegalStateException("Missing required parameter ${parm.name}")
}
} else {
throw IllegalStateException("Cannot call methods that are not direct instance methods")
}
}
if (unusedParms.isNotEmpty()) {
throw IllegalStateException("Unrecognized parameters passed to function: $unusedParms")
}
return method.kotlinFunction?.callBy(callableParms) as T
}
}
}
现在可以从 Java 调用该静态方法,但它并没有那么有趣。确实需要代码生成器。从 Kotlin 调用它要容易得多,并且一些框架(例如 Klutter 和 Kovert)已经在这些方面使用了一些东西。
Foo foo = new Foo();
System.out.println(foo.bar("Frank"));
Method barMethod = Foo.class.getMethod("bar", String.class);
Map<String, Object> parms = new HashMap<String, Object>();
parms.put("name", "David");
System.out.println(KReflectHelper.callKotlinMethodWithNamedParms(foo, barMethod, parms));
// now call using the default
parms.clear();
System.out.println(KReflectHelper.callKotlinMethodWithNamedParms(foo, barMethod, parms));
输出:
你好弗兰克!
你好大卫!
你好世界!