Using a variable in finally block

前端 未结 4 1094
忘掉有多难
忘掉有多难 2021-01-22 10:29

Here is code in Scala:

def write() = {
    try {
      val out = new PrintWriter(new BufferedWriter(new FileWriter(fileName, true)))
      out.println(\"123\")
          


        
4条回答
  •  挽巷
    挽巷 (楼主)
    2021-01-22 11:23

    A variable defined in a block is local to that block. So if you insist on using try/finally manually you will have to move the val out of the block.

    However, what you are trying to achieve is to create a resource, use it in a block, and call a close method on it when leaving the block, no matter whether you leave the block normally or abnormally via an exception. This is an extremely common problem, so there is already a library for it, called Scala ARM. ARM stands for automatic resource management.

    Here is the basic usage:

    import resource._
    for(input <- managed(new FileInputStream("test.txt")) {
      // Code that uses the input as a FileInputStream
    }
    

    There was some talk of moving this construct to the scala standard library, so in the future you probably won't even need an external dependency.

    I would recommend using a library for something like this. It is just one more line in your build.sbt. But for educational purposes, here is how you would roll your own:

    def managed[T <: AutoCloseable](resource:T) = new Traversable[T] {
      def foreach[U](f:T=>U) {
        try {
          f(resource)
        } finally {
          resource.close()
        }
      }
    }
    

    And here is how to use it

    scala> for(reader<-managed(new java.io.FileReader("/etc/passwd"))) { println(reader.read()) }
    114
    
    scala> for(reader<-managed(new java.io.FileReader("/etc/shadow"))) { println(reader.read()) }
    java.io.FileNotFoundException: /etc/shadow (Permission denied)
    ...
    

    You will still get the exception, but close will be called. Of course if close throws an exception as well you this will hide the original exception. Little details like this are probably handled better in scala ARM.

提交回复
热议问题