3

例如,我有处理输入/输出流的方法:

    public void doSomethingWithStreams () throws FileNotFoundException, IOException
            {
             OutputStream out1, out2;            
             InputStream in1, in2;
try{                     
            //do something with Streams: read, write, process, etc.
            }
finally{
        //There I try to close connections
        out1.close();
        out2.close();
        in1.close();
        in2.close();
        }    
            }

方法可以抛出 IOException 并且它是有效的行为。但是如果我在这一行有异常:

 out1.close();

其他三个 Stream 将不会关闭。您可以推荐什么解决方案?如何?到底有多近?

我只有一个:

    public void doSomethingWithStreams () throws FileNotFoundException, IOException
            {
             OutputStream out1, out2;            
             InputStream in1, in2;
         try{            
            //do something with Streams: read, write, process, etc.
            }
finally{
        //There I try to close connections

try{out1.close();}
  finally{
     try{out2.close();}
         finally{
            try{in1.close();}
                finally{
        in2.close();}
}}

}

            }

如您所见 - 我的方法是使用多个 try-finally 块。

你认为这是个好主意吗?

4

3 回答 3

6

如果三个流不相互依赖,则每个流的 try/catch 可能看起来更干净。

就像是:

try{
 out1.close();
}catch(Exception e)
{
....
}finally

{.... }

try{
        out2.close();
}catch(Exception e)
{
.....
}finally

{.... }

编辑:正如 iccthedral 所建议的,如果您使用 Java7,您可以使用try-with-resource块。

于 2012-09-11T15:14:56.967 回答
2

可能最好的方法是:

try (
     OutputStream out1 = ...;
     OutputStream out2 = ...;
     InputStream in1 = ...;
     InputStream in2 = ...;
) {
     ...
}
于 2012-09-11T15:17:12.380 回答
2

也许清理它的最好方法是制作这样的方法:

public static void close(Closeable c) {
   if (c == null) return; 
   try {
       c.close();
   } catch (IOException e) {
       // Do anything or nothing
   }
}

这可以替换您的 .close() 调用,并且如果它们失败也不会抛出异常。

于 2012-09-11T15:19:02.017 回答