池化技术:
准备一些预先的资源,过来就连接预先准备好的
编写一个连接池,实现一个接口DataSource
开源数据实现:
DBCP
C3P0
Druid
使用了这些数据库连接池之后,就不需要编写连接数据库的代码了
DBCP
需要用到两个jar包
commons-pool2-2.11.1.jar
commons-dbcp2-2.9.0.jar
dbcp2之后的版本还需要一个包
commons-logging-1.2.jar
编写一个配置文件
#连接设置 这里的名字是dbcp数据源中定义好的 driverClassName=com.mysql.jdbc.Driver url=jdbc:mysql://localhost:3306/jdbcstudy?useUnicode=true&characterEncoding=utf8&useSSL=true username=root password=123456 #<!-- 初始化连接 --> initialSize=10 #最大连接数量 maxActive=50 #<!-- 最大空闲连接 --> maxIdle=20 #<!-- 最小空闲连接 --> minIdle=5 #<!-- 超时等待时间以毫秒为单位 6000毫秒/1000等于60秒 --> maxWait=60000 #JDBC驱动建立连接时附带的连接属性属性的格式必须为这样:【属性名=property;】 #注意:"user" 与 "password" 两个属性会被明确地传递,因此这里不需要包含他们。 connectionProperties=useUnicode=true;characterEncoding=UTF8 #指定由连接池所创建的连接的自动提交(auto-commit)状态。 defaultAutoCommit=true #driver default 指定由连接池所创建的连接的只读(read-only)状态。 #如果没有设置该值,则“setReadOnly”方法将不被调用。(某些驱动并不支持只读模式,如:Informix) defaultReadOnly= #driver default 指定由连接池所创建的连接的事务级别(TransactionIsolation)。 #可用值为下列之一:(详情可见javadoc。)NONE,READ_UNCOMMITTED, READ_COMMITTED, REPEATABLE_READ, SERIALIZABLE defaultTransactionIsolation=READ_UNCOMMITTED
提取工具类:
public class JdbcUtils_DBCP { private static DataSource dataSource; static { try{ InputStream in = JdbcUtils_DBCP.class.getClassLoader().getResourceAsStream("dbcpconfig.properties"); Properties properties = new Properties(); properties.load(in); //创建数据源,工厂模式-->创建对象 dataSource = BasicDataSourceFactory.createDataSource(properties); }catch (Exception e){ e.printStackTrace(); } } //获取连接 public static Connection getConnection() throws SQLException { return dataSource.getConnection(); //从数据源中获取连接 } //释放资源 public static void release(Connection conn, Statement st, ResultSet rs){ if (rs!=null){ try { rs.close(); } catch (SQLException throwables) { throwables.printStackTrace(); } } if (rs!=null){ try { st.close(); } catch (SQLException throwables) { throwables.printStackTrace(); } } if (conn!=null){ try { rs.close(); } catch (SQLException throwables) { throwables.printStackTrace(); } } } }
测试:
public class TestDBCP { public static void main(String[] args) { Connection conn = null; PreparedStatement pst = null; ResultSet rs = null; try { conn = JdbcUtils_DBCP.getConnection(); //开始有区别了,使用问号占位符代替参数 String sql = "insert into users(id,`NAME`,`PASSWORD`,`email`,birthday) values(?,?,?,?,?)"; pst = conn.prepareStatement(sql);//需要一个预编译SQL,不执行 //手动给参数赋值 pst.setInt(1,4);//id赋值 pst.setString(2,"wuwu");//NAME赋值 pst.setString(3,"33232");//password赋值 pst.setString(4,"[email protected]");//email赋值 pst.setDate(5,new java.sql.Date(new Date().getTime()));//birthday赋值 //最后执行 int i = pst.executeUpdate(); if (i>0){ System.out.println("插入成功!!!"); } } catch (SQLException e) { e.printStackTrace(); }finally { JdbcUtils_DBCP.release(conn,pst,rs); } } }
标签:rs,throwables,数据库,DBCP,连接池,连接,pst From: https://www.cnblogs.com/zhulei118/p/16995827.html