Kotlin有非常好的迭代函数,如forEach或repeat,但我不能使中断和继续操作符与它们一起工作(本地和非本地):
repeat(5) {
break
}
(1..5).forEach {
continue@forEach
}
我们的目标是用函数式语法尽可能地模拟通常的循环。在一些旧版本的Kotlin中,这是绝对可能的,但是我很难重现语法。
问题可能是标签的错误(M12),但我认为第一个示例应该工作。
我好像在什么地方读到过一个特殊的技巧/注释,但我找不到任何关于这个主题的参考资料。可能看起来像下面这样:
public inline fun repeat(times: Int, @loop body: (Int) -> Unit) {
for (index in 0..times - 1) {
body(index)
}
}
正如Kotlin文档所说,使用return是正确的方法。Kotlin的好处是,如果你有嵌套函数,你可以使用标签显式地写你的返回值来自哪里:
函数范围
fun foo() {
listOf(1, 2, 3, 4, 5).forEach {
/** Non-local return directly to the caller of foo(). */
if (it == 3) return
print(it)
}
println("this point is unreachable")
}
当地的回报
它不会在forEach循环中停止(它就像for循环中的continue)。
fun foo() {
listOf(1, 2, 3, 4, 5).forEach lit@{
/** Local return to the caller of the lambda, i.e. the forEach loop. */
if (it == 3) return@lit
print(it)
}
print(" done with explicit label")
}
看看文档,它真的很好:)
forEach():
listOf("a", "b", "c").forEach find@{ i ->
listOf("b", "d").forEach { j ->
if (i == j) return@find
println("i = $i, j = $j")
}
}
结果:
i = a, j = b
i = a, j = d
i = c, j = b
i = c, j = d
带有匿名函数的Continue语句:
listOf(1, 2, 3, 4, 5).forEach(fun(value: Int) {
if (value == 3) return
print("$value ")
})
结果:
1 2 4 5