java 异常处理(一)

一、finally的作用:利用finally回收资源或保证特定代码被执行

      程序中try里打开了一些物理资源(如数据库连接、网络连接、文件连接等),这些物理资源必须进行显示回收。因为java的垃圾回收机制不会回收任何物理资源,只能回收堆内存中对象所占用的内存。
例子:
1、没有finally的情况:
Connection conn = null;
Statement stmt = null;
try {
  Connection conn = DriverManager.getConnection(DBurl, userName, password);
  Statement stmt = conn.createStatement();
  //operation
  stmt.close();
  conn.close();
} catch(Exception e) {
} 
          问题:如果conn.createStatement() 出现问题后,其后的代码将都不会被执行,此时刚创建的数据库连接将得不到释放,如果有大量的数据库连接得不到释放,可能会造成系统难过崩溃.

改进……

2、添加finally
Connection conn = null;
Statement stmt = null;
try {
      Connection conn = DriverManager.getConnection(DBurl, userName, password);
      Statement stmt = conn.createStatement();
     //operation
} catch(Exception e) {
}finally {
      try{
           if(stmt!=null)
                  stmt.close();
           if(conn!=null)
                  conn.close();  
      }catch(Exception e1){
      } 
}
      上面的代码较上一个代码有很大的改进,能在一定程度上解决资源回收问题,但是否彻底解决资源释放问题那?考虑如果在stmt.close()时发生异常,即便conn不为null,后面的conn.close()会被执行吗?
      爱尔兰事件就是因为类似与上面的代码,造成重大事故,其代码如下:
public class FlightSearch implements SessionBean {
       private MonitoredDataSource connectionPool;
       
       public List lookupByCity(. . .) throws SQLException, RemoteException {
       Connection conn = null;
       Statement stmt = null;
       try {
       conn = connectionPool.getConnection();
       stmt = conn.createStatement();
        // Do the lookup logic
       // return a list of results
       } finally {
           if (stmt != null) {
               stmt.close();
           }
           if (conn != null) {
               conn.close();
           }
      }
       }
}

继续改进中……

3、优化finally中程序
Connection conn = null;
Statement stmt = null;
try {
  Connection conn = DriverManager.getConnection(DBurl, userName, password);
  Statement stmt = conn.createStatement();
  //operation
} catch(Exception e) {
}finally {
  try{
 stmt.close();
  }catch(Exception e1){
  } 
  try{
 conn.close();  
  }catch(Exception e2){
  }
}
       上面的改进可以很好的解决关闭数据库连接的问题微笑,略有不足的是,利用Statement处理数据库操作,可能出现SQL注入的安全问题,可以采用PreparedStatement。

二、参考文献
1、异常(try...catch...finally、throws、throw)
2、try catch finally

你可能感兴趣的:(java 异常处理(一))