我需要使用Source.getLines()创建一个迭代器,并快速查看 Scala源代码,在运行一些测试之后,似乎迭代器没有关闭 即使在迭代器耗尽之后(即,在hasNext()开始为假之后)。
我想知道Scala推荐的关闭/释放用于创建迭代器的资源的技术是什么。我发现 一个有趣的图书馆似乎可以解决这个问题:
https://github.com/jsuereth/scala-arm
但是,我更喜欢使用核心scala库而不是 尽可能吸引第三方的东西。如果你感兴趣 在我如何测试这个(在Linux上使用'lsof'列出打开的文件),我的 代码如下:
object Test extends App {
import sys.process._
import scala.io.Source._
"echo hello world" #> new java.io.File("/tmp/testing") !
val src = fromFile("/tmp/testing")
val iter: Iterator[String] = src.getLines()
while (iter.hasNext) {
println("line=" + iter.next())
}
println("iterator exhausted.. sleeping while we check if file is still open using lsof")
Thread.sleep(200000)
}
运行程序后它仍处于休眠状态,请运行以下命令:
lsof | grep /tmp/testing
你可能会看到这样的输出:
java 15813 ...253,0.... 12 .. lots-of-othernumbers..0462 /tmp/testing
然后当程序终止时,grep会变空(如你所想)。
提前感谢您提供的任何提示!
答案 0 :(得分:9)
这是我倾向于使用的模式:
def using[R <: Closeable, T](stream: R)(f: R => T): T =
try {
f(stream)
} finally {
stream.close()
}
您可以这样使用:
def readSomeLines(is: InputStream) = {
using(new BufferedReader(new InputStreamReader(is))) { stream =>
Iterator.continually(stream.readLine().takeWhile(_ != null)).foreach(println)
}
}
readSomeLines(new FileInputStream("/tmp/foo"))
答案 1 :(得分:2)
在前面的回答的基础上,我建议包括声称资源(例如打开文件)和将工作放入Scala Try构造:
def using[R <: Closeable, T](uri: String)(claimResource: String => R)(work: R => Try[T]): Try[T] = {
Try(claimResource(uri)) match {
case Success(resource) => try { work(resource) } finally { resource.close }
case Failure(f) => Failure(f)
}
}
def countLines(s: Source): Try[Int] =
Try(s.getLines().size)
def main(args: Array[String]): Unit = {
val fileName = """/path/to/file"""
using(fileName)(Source.fromFile(_))(countLines) match {
case Success(lc) => println(s"File '$fileName' has $lc lines")
case Failure(f) => println(s"Failure: $f")
}
}