写点什么

《Effective Java》第 9 条:try-with-resources 优先于 try-finally

作者:okokabcd
  • 2022 年 8 月 12 日
    山东
  • 本文字数:1489 字

    阅读完需:约 5 分钟

《Effective Java》第9条:try-with-resources优先于try-finally

220812_《Effective Java》第 9 条:try-with-resources 优先于 try-finally

一、问题

Java 类库中包含许多需要通过调用 close 来关闭的资源,例如:InputStream、Output Stream 和 java.sql.Connection。在编程过程中如果没有关闭会产生性能问题。

二、范例,使用 try-finally

使用 try-finally 来关闭资源,如下所示:


public class FirstLineOfFile_Version1 {    static String firstLineOfFile(String path) throws IOException {        BufferedReader br = new BufferedReader(new FileReader(path));        try {            return br.readLine();        } finally {            br.close();        }    }}
复制代码


如果有两个资源,我们会这样来写,但是不推荐这样做。


public class Copy_Version1 {    final static int BUFFER_SIZE = 1024;
static void copy(String src, String dst) throws IOException { InputStream in = new FileInputStream(src); try { OutputStream out = new FileOutputStream(dst); try { byte[] buf = new byte[BUFFER_SIZE]; int n; while ((n = in.read(buf)) > 0) { out.write(buf, 0, n); } } finally { out.close(); } } finally { in.close(); } }}
复制代码


这样写都能正确关闭资源,但是不推荐这样写,为什么呢?


因为在 try 块和 finally 块中都会抛出异常。在这种情况下第二个异常会完全抹除第一个异常。在异常堆栈轨迹中就看不到第一个异常的记录。在现实系统中调试会变得异常复杂。

三、范例,使用 try-with-resources

Java 7 引入了 try-with-resources 语句,解决了上述问题。要使用这个构造的资源,就必须实现 AutoClosable 接口。如果编写了一个类,如果它代表了是必须被关闭的资源,那么这个类也应该实现 AutoClosable 接口。下面来重写 firstLineFoFile 以及 copy 方法:


public class FirstLineOfFile_Version2 {    static String firstLineOfFile(String path) throws IOException {        try (BufferedReader br = new BufferedReader(new FileReader(path))) {            return br.readLine();        }    }}
复制代码


如果调用 readLine 和 close 方法抛异常,会抛出第一个异常,第二个异常会被禁止。这些禁止的异常不是被抛弃了也会打印在异常堆栈中。


public class Copy_Version2 {    final static int BUFFER_SIZE = 1024;
static void copy(String src, String dst) throws IOException { try (InputStream in = new FileInputStream(src); OutputStream out = new FileOutputStream(dst) ) { byte[] buf = new byte[BUFFER_SIZE]; int n; while ((n = in.read(buf)) > 0) { out.write(buf, 0, n); }
} }}
复制代码


try-with-resources 还可以使用 catch 子句,这样即可以处理异常,又不需要再套用一层代码。


public class FirstLineOfFile_Version3 {    static String firstLineOfFile(String path, String defaultVal) {        try (BufferedReader br = new BufferedReader(new FileReader(path))) {            return br.readLine();        } catch (IOException e) {            return defaultVal;        }    }}
复制代码

四、总结

在处理必须关闭的资源时,优先考虑 try-with-resources。这样写的代码简洁、清晰,产生的异常也更有参考价值。

发布于: 刚刚阅读数: 3
用户头像

okokabcd

关注

还未添加个人签名 2019.11.15 加入

一年当十年用的Java程序员

评论

发布
暂无评论
《Effective Java》第9条:try-with-resources优先于try-finally_Java_okokabcd_InfoQ写作社区