Kotlin发送功能列表

时间:2018-04-18 16:33:00

标签: kotlin

使用Kotlin如何声明和调用将函数列表作为参数的函数。我在单个函数的函数中使用了参数,但是如何为函数列表执行此操作?

此问题显示如何将单个函数发送到函数:Kotlin: how to pass a function as parameter to another?对于函数列表执行此操作的最佳方法是什么?

1 个答案:

答案 0 :(得分:4)

您可以使用vararg声明它。在这个例子中,我声明了可变数量的函数,它们接受并返回String

fun takesMultipleFunctions(input: String, vararg fns: (String) -> String): String =
    fns.fold(input){ carry, fn -> fn(carry) }

fun main(args: Array<String>) {
    println(
        takesMultipleFunctions(
            "this is a test", 
            { s -> s.toUpperCase() }, 
            { s -> s.replace(" ", "_") }
        )
    )
    // Prints: THIS_IS_A_TEST
}

或者同样的事情,作为List

fun takesMultipleFunctions(input: String, fns: List<(String) -> String>): String =
    fns.fold(input){ carry, fn -> fn(carry) }

fun main(args: Array<String>) {
    println(
        takesMultipleFunctions(
            "this is a test", 
            listOf(
                { s -> s.toUpperCase() }, 
                { s -> s.replace(" ", "_") }
            )
        )
        // Prints: THIS_IS_A_TEST
    )
}