如何调试Kotlin序列/集合

Wil*_*ill 6 intellij-idea kotlin

采用以下单行,可以表示为对集合或序列的一系列操作:

val nums = (10 downTo 1)
        // .asSequence() if we want this to be a sequence
        .filter { it % 2 == 0 }
        .map { it * it }
        .sorted()
        // .asList() if declaring it a sequence

println(nums)   // [4, 16, 36, 64, 100]
Run Code Online (Sandbox Code Playgroud)

假设我想在每一步看到元素,它们将是(来自演绎):

[10, 9, 8, 7, 6, 5, 4, 3, 2, 1]
[10, 8, 6, 4, 2]
[100, 64, 36, 16, 4]
[4, 16, 36, 64, 100]
Run Code Online (Sandbox Code Playgroud)

不幸的是,没有好的方法可以使用调试器对其进行调试,也可以记录这些值以供以后检查.使用良好的函数式编程结构,整个方法可以重写为这样的单个语句,但似乎没有好的方法来检查中间状态,甚至计数(10, 5, 5, 5这里).

调试这些的最佳方法是什么?

vod*_*dan 9

您可以使用记录中间值(列表)

fun <T> T.log(): T { println(this); this }

//USAGE:
val nums = (10 downTo 1)
    .filter { it % 2 == 0 }.log()
    .map { it * it }.log()
    .sorted().log()
Run Code Online (Sandbox Code Playgroud)

这将按照需要工作,因为在您的示例中,您使用集合而不是序列.对于懒惰Sequence你需要:

// coming in 1.1
public fun <T> Sequence<T>.onEach(action: (T) -> Unit): Sequence<T> {
    return map {
        action(it)
        it
    }
}

fun <T> Sequence<T>.log() = onEach {print(it)}

//USAGE:
val nums = (10 downTo 1).asSequance()
    .filter { it % 2 == 0 }
    .map { it * it }.log()
    .sorted()
    .toList()
Run Code Online (Sandbox Code Playgroud)


Jan*_*son 7

在最新的Intellij Idea中添加断点时,您可以选择将其设置为不检查整个表达式,而只检查Lambda体.

在此输入图像描述

然后在调试本身中,您可以看到Lambda内部发生了什么.

在此输入图像描述

但这不是唯一的方法.您也可以使用Run to cursor(Alt + F9).


Tim*_*ing 3

我认为当前正确的答案是您需要Kotlin 序列调试器插件,它可以让您将 IntelliJ 可爱的 Java 流调试器与 Kotlin 序列一起使用。

请注意(除非我做错了什么)它似乎不适用于集合,因此您必须将集合转换为序列才能对其进行调试。使用 Iterable.asSequence 非常简单,并且付出的代价很小——一旦完成调试,您就可以随时恢复该更改。