阿昌教你如何自动关闭 自定义资源类
Posted 阿昌喜欢吃黄桃
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了阿昌教你如何自动关闭 自定义资源类相关的知识,希望对你有一定的参考价值。
前言
早上的时候,在看Mybatis的源码,发现SqlSession
继承了Closeable
我在想,这个干什么用的???就点进去看看,发现他继承了AutoCloseable
public interface Closeable extends AutoCloseable
发现AutoCloseable
是jdk1.7
之后加的新特性,一个可以自动关闭资源的接口
,于是就学习记录一下内容。
正文
这此之前,我们都需要对资源类
使用完,就需要在finally
里面进行关闭资源如数据库连接资源
:↓
- 原始流程
public class Test
public static void main(String[] args)
Connection conn = null;
Statement st = null;
ResultSet rs = null;
try
//1.加载驱动程序
Class.forName("com.mysql.jdbc.Driver");
//2.获得数据库链接
conn = DriverManager.getConnection("jdbc:mysql://127.0.0.1:3306/common", "root", "123456");
//3.通过数据库的连接操作数据库,实现增删改查
st = conn.createStatement();
rs = st.executeQuery("select * from test_table");
//4.处理数据库的返回结果
while (rs.next())
System.out.println(rs.getString("id") + " " + rs.getString("name"));
catch (Exception e)
e.printStackTrace();
finally
//5.关闭资源
if (null != rs)
try
rs.close();
catch (SQLException e)
e.printStackTrace();
if (null != st)
try
st.close();
catch (SQLException e)
e.printStackTrace();
if (null != conn)
try
conn.close();
catch (SQLException e)
e.printStackTrace();
上面,你会发现在finally代码块
中,有大量的重复性代码,还需要关闭3个资源,但关闭资源是没啥逻辑的代码,需要精简代码,减少代码重复性,就可以优雅的编程!
- 使用AutoCloseable接口
从Java7以后,就可使用 AutoCloseable接口 (Closeable接口也可以)来优雅的关闭资源了 看看修改例子:
这里使用了语法糖try-with-resources
try (
//资源内容
)
//业务逻辑
catch (Exception e)
//异常逻辑
finally
//finally逻辑
修改例子:↓
public class Test
public static void main(String[] args) throws ClassNotFoundException
//1.加载驱动程序
Class.forName("com.mysql.jdbc.Driver");
try (//2.获得数据库链接
Connection conn = DriverManager.getConnection("jdbc:mysql://127.0.0.1:3306/common", "root", "123456");
//3.通过数据库的连接操作数据库,实现增删改查
Statement st = conn.createStatement();
ResultSet rs = st.executeQuery("select * from new_table")
)
//4.处理数据库的返回结果
while (rs.next())
System.out.println(rs.getString("id") + " " + rs.getString("name"));
catch (Exception e)
e.printStackTrace();
以上就可以不需要在finally中对资源进行判空,再进行关闭
- 实际应用
//使用try-with-resources自动关闭资源测试
public class Test
public static void main(String[] args)
try (AchangResource resources = new AchangResource ())
resources.useResource();
catch (Exception e)
e.getMessage();
finally
System.out.println("Finally!");
//自定义资源类, 实现AutoCloseable接口
class AchangResource implements AutoCloseable
public void useResource()
System.out.println("useResource: 正在使用资源!");
@Override
public void close()
System.out.println("close: 自动关闭资源!");
结果输出:
useResource: 正在使用资源!
close: 自动关闭资源!
Finally!
如果去掉了 implements AutoCloseable
,编译就会报错!!!
这样子就可以看出他是一种语法糖
的写法
以上就是这次记录的全部内容,感谢你能看到这里!!
以上是关于阿昌教你如何自动关闭 自定义资源类的主要内容,如果未能解决你的问题,请参考以下文章
阿昌教你自定义拦截器&自定义参数解析器&自定义包装HttpServletRequest