标签:
在java编程中会遇到很多关闭资源的问题,但是,往往我们的关闭不能百分百正确,所以java7中出现了新的资源管理器方法try-with-resource,这是一项重要的改进,因为没人能再手动关闭资源时做到100%正确,有人在想Coin项目提交这一提案时,提交者宣称jdk中有三分之二的close()用法都有bug,汗颜。
java6资源管理器的做法,简写
InputStream in = null; try{ is = url.openStream(); OutputStream out = new FileOutputStream(file); ....out. }catch(IOException ioe){ // TODO: handle exception }finally{ try{ if(is != null){ is.close(); } }catch (IOException ioe2) { // TODO: handle exception } }
但是在java7中我们可以这样写
URL url = new URL("www.baidu.com"); try (OutputStream output = new FileOutputStream(new File("D://stest.txt"));InputStream in=url.openStream();) { int len; byte[] buffer = new byte[1024*1024*5]; while((len = in.read(buffer)) >= 0){ output.write(buffer,0,len); } }
是的非常简便,就是把资源放在try的圆括号里就可,这段代码会在资源处理完毕时,自动关闭。
注意:
try(ObjectInputStream obj = new ObjectInputStream(new FileInputStream("somefile.bin"))){ ... }
这里的问题是,如果从(somefile.bin)创建ObjectInputStream时出错,那么FileInputStream就不会被关闭
最好的写法是为每个资源单独声明
try(InputStream in = new FileInputStream("somefile.bin"); ObjectInputStream obj = new ObjectInputStream(in)){ ... }
标签:
原文地址:http://www.cnblogs.com/duwenlei/p/4318874.html