try-with-resource是JDK7引入的语法糖,可以简化Autocloseable资源类的关闭过程,比如JDK7以前下面的代码:
File file = new File("d:/tmp/1.txt");
FileInputStream fis = null;
try {
fis = new FileInputStream(file);
xxxxx
xxxxx
} catch (IOException e) {
e.printStackTrace();
}finally{
if(fis != null){
try {
fis.close();
} catch (IOException e) {
e.printStackTrace();
}
}
}
上面是一段读取文件内容的示意代码,为了防止在try代码块中出现异常后导致的资源泄露问题,在finally代码块中一般处理资源的关闭事项,JDK之后上面的代码就可以简化成下面的写法:
File file = new File("d:/tmp/1.txt");
try(FileInputStream fis = new FileInputStream(file);) {
fis.read();
} catch (IOException e) {
e.printStackTrace();
}finally{
}
可以看出是简化了不少,之所以称之为语法糖,是因为编译成class文件后实际的代码就不是这样的了,编译过程中会自动添加资源的关闭处理,上面的代码编译出的class文件使用javap进行反编译后是下面这样的
File file = new File("d:/tmp/1.txt");
try {
Throwable var2 = null;
Object var3 = null;
try {
FileInputStream fis = new FileInputStream(file);
xxx
xxxx
} catch (Throwable var12) {
if (var2 == null) {
var2 = var12;
} else if (var2 != var12) {
var2.addSuppressed(var12);
}
throw var2;
}
} catch (IOException var13) {
var13.printStackTrace();
}
好了,上面已经引入今天的主题,try-with-resource,但是仍然有需要注意的地方,比如下面的代码:
private static class MyResource implements AutoCloseable{
private MyResource1 res;
public MyResource(MyResource1 res){
this.res = res;
}
@Override
public void close() throws Exception {
System.out.println("MyResource自动关闭");
Integer a = null;
a.toString();
this.res.close();
}
}
private static class MyResource1 implements AutoCloseable{
@Override
public void close() throws Exception {
System.out.println("MyResource1自动关闭");
}
}
@Test
public void test() throws Exception{
try(
MyResource r = new MyResource(new MyResource1())){
Integer a = null ;
a.toString();
}
}
执行上面的代码,由于MyResource的close方法中出现了异常,此时创建的MyResource1就不会被关闭,从而出现资源泄露情况,为了规避这个问题,为了规避这个问题,我们需要创建的实现AutoCloseable接口的对象单独创建,如下面所示:
try(
MyResource1 res= new MyResource1();
MyResource r = new MyResource(res)){
Integer a = null ;
a.toString();
}