3

当我管理 IO 时,我发现了一个问题。我曾经像这样关闭它:

try {
        // my code
    } catch (Exception e) {
        // my code
    } finally{
        if (is != null) {
            is.close();
        }
    }

但是 close 方法也会抛出异常。如果我有多个 IO,我必须关闭所有 IO。所以代码可能是这样的:

try {
    // my code
} catch (Exception e) {
    // my code
} finally{
    if (is1 != null) {
        is1.close();
    }
    if(is2 != null{
        is2.close();
    }
    // many IOs
}

如果 is1.close() 抛出异常,is2, is3 不会自行关闭。所以我必须输入许多 try-catch-finally 来控制它们。还有其他方法可以解决问题吗?

4

2 回答 2

3

closeQuietly(...)您可以使用Apache IOUtils中的方法,而不是重新发明轮子。这些方法会压制任何IOException来自 的close(),并且还会处理参数所在的情况null

您应该注意的唯一一件事是不要在具有未刷新数据的输出流上调用它。如果您这样做并且冲洗失败,您将不会听到它。如果您正在写入的数据很重要,那么不知道刷新失败将是一件坏事。

于 2012-11-05T05:04:16.683 回答
1

我使用这个小的静态实用程序类,其原则是如果你真的必须做一些(任何事情)冗长的错误处理或最终阻塞,那么至少撕掉它并实现一次该死的东西,而不是乱扔你的应用程序代码分心手头的任务:

package krc.utilz.io;

import java.io.Closeable;
import krc.utilz.reflectionz.Invoker;

public abstract class Clozer
{
  /**
   * close these "streams"
   * @param Closeable... "streams" to close.
   */
  public static void close(Closeable... streams) {
    Exception x = null;
    for(Closeable stream : streams) {
      if(stream==null) continue;
      try {
        stream.close();
      } catch (Exception e) {
        if(x!=null)x.printStackTrace();
        x = e;
      }
    }
    if(x!=null) throw new RuntimeIOException(x.getMessage(), x);
  }

  /**
   * Close all the given objects, regardless of any errors.
   * <ul>
   * <li>If a given object exposes a close method then it will be called. 
   * <li>If a given object does NOT expose a close method then a warning is 
   *   printed to stderr, and that object is otherwise ignored.
   * <li>If any invocation of object.close() throws an IOException then
   *     <ul>
   *     <li>we immediately printStackTrace
   *     <li>we continue to close all given objects
   *     <li>then at the end we throw an unchecked RuntimeIOException
   *     </ul>
   * </ul>
   * @param Object... objects to close.
   */
  public static void close(Object... objects) {
    Exception x = null;
    for(Object object : objects) {
      if(object==null) continue;
      try {
        Invoker.invoke(object, "close", new Object[]{} );
      } catch (NoSuchMethodException eaten) {
        // do nothing
      } catch (Exception e) {
        e.printStackTrace();
        x = e;
      }
    }
    if(x!=null) throw new RuntimeIOException(x.getMessage(), x);
  }

}

try{stream1.close();}catch{} try{stream2.close();}catch{}请注意,与常见的cop-out不同,最后一个关闭异常(如果有)仍然被抛出。

干杯。基思。

于 2012-11-05T04:56:59.180 回答