try-with-resource
时间: 2023-03-28 19:01:09 浏览: 79
try-with-resource 是 Java 中的一个异常处理机制,它可以自动地关闭在 try 语句块中声明的资源。这个机制可以帮助程序员避免忘记手动关闭资源,从而避免资源泄漏的问题。
使用 try-with-resource 的基本语法如下:
```
try (resource1; resource2; ...) {
// 使用资源的代码
} catch (Exception e) {
// 异常处理代码
}
```
其中,resource1、resource2 等是实现了 AutoCloseable 接口的资源对象,在 try 语句块结束后会自动调用这些资源的 close() 方法进行关闭。
举个例子,假设我们要读取一个文件中的内容,可以使用 try-with-resource 语句来简化代码:
```
try (BufferedReader reader = new BufferedReader(new FileReader("file.txt"))) {
String line;
while ((line = reader.readLine()) != null) {
System.out.println(line);
}
} catch (IOException e) {
e.printStackTrace();
}
```
在这段代码中,reader 对象是一个 BufferedReader,它实现了 AutoCloseable 接口,所以在 try 语句块结束后会自动调用 reader.close() 方法。这样就可以省去手动关闭 reader 的步骤,更加方便。
阅读全文