我正在尝试使我的函数返回IO尾递归,但它不能编译,因为我在flatMap中使用它。我知道有为此目的而构建的东西,例如tailRec,但我正在寻找关于如何使用它们的一些指导。这是示例代码。
import cats.effect.IO
import scala.annotation.tailrec
def process(since: Option[String]): IO[Seq[String]] = {
@tailrec
def go(startIndex: Int): IO[(Int, Seq[String])] = {
val program = since match {
case Some(s) =>
for {
r <- fetchResponse(s, startIndex)
size = r.size
ss = r.data
_ <- writeResponse(ss)
} yield (size, r)
case None => IO((0, Seq.empty[String]))
}
program.flatMap { case (size, _) =>
if (startIndex <= size) go( startIndex + size)
else IO((0, Seq.empty))
}
}
go(0).map(o => o._2)
}
case class Response(size: Int, data: Seq[String])
def fetchResponse(s: String, i: Int): IO[Response] = ???
def writeResponse(r: Seq[String]): IO[Int] = ???
答案 0 :(得分:3)
简短的回答是:不要担心。
猫构建和执行IO
实例的方式,尤其是使用flatMap
的方式非常安全,as described here。
执行x.flatMap(f)
时,f
不会立即在同一堆栈中执行。稍后由猫以一种基本上在内部实现尾递归的方式执行它。作为简化示例,您可以尝试运行:
def calculate(start: Int, end: Int): IO[Int] = {
IO(start).flatMap { x =>
if (x == end) IO(x) else calculate(start + 1, end)
}
}
calculate(0, 10000000).flatMap(x => IO(println(x))).unsafeRunSync()
这与您正在进行的操作基本相同,并打印出10000000
就好了。