关流优化:try-with-resources 语法。
程序员文章站
2022-04-08 22:10:15
...
try-with-resources 是 JDK 7 中一个新的异常处理机制,它能够很容易地关闭在 try-catch 语句块中使用的资源。–菜鸟教程。
原来关闭流:
try(xxx){逻辑处理}catch(xxx){捕获异常}finally{
xxx.close();
}
使用了try-with-resources
try(xxx){
逻辑处理
}catch(xxx){捕获异常}
jdk1.7例子。
public class Tester {
public static void main(String[] args) throws IOException {
System.out.println(readData("test"));
}
static String readData(String message) throws IOException {
Reader inputString = new StringReader(message);
BufferedReader br = new BufferedReader(inputString);
try (BufferedReader br1 = br) {
return br1.readLine();
}
}
}
输出结果为:
test
以上实例中我们需要在 try 语句块中声明资源 br1,然后才能使用它。
在 Java 9 中,我们不需要声明资源 br1 就可以使用它,并得到相同的结果。
jdk1.9改进版:
public class Tester {
public static void main(String[] args) throws IOException {
System.out.println(readData("test"));
}
static String readData(String message) throws IOException {
Reader inputString = new StringReader(message);
BufferedReader br = new BufferedReader(inputString);
try (br) {
return br.readLine();
}
}
}
输出结果为:
test
学习来自菜鸟教程。
上一篇: Java网络教程:URL + URLConnection
下一篇: File类定义使递归: