数据库连接池(重要)
注意数据库连接池只是简化获得数据库连接对象和关流的部门
1.数据库连接池:
1.概念:
其实就是一个容器(在Java中就是集合),存在数据库连接的容器,当系统初始化好后,容器被创建,容器中会申请一些连接对象,当用户来访问数据库时,从容器中获取连接对象,用户访问完之后,会将连接对象归还给容器。
2.好处:
3.数据库连接池的实现
-
标准接口:DataSource javax.sql包下 方法
- 获取连接:getConnection()
- 归还连接:connection.closa()。如果连接对象conntection是从连接池中获取的,则conntenction.closa()方法,则不会关闭连接,而是归还连接
-
一般我们不用支实现DataSource,由数据库厂商来实现
- C3P0:数据库连接池
- Druid:数据库连接池(重点)
2.C3P0:数据库连接池技术
1.C3P0的使用步骤
- 导入C3P0的Jar包(两个)c3p0-0.9.5.2.jar和mchange-commons-java-0.2.12.jar 的数据库驱动jar包mysql-connector-java-5.1.37-bin.jar
- 定义配置文件:
- 名称:c3p0.properties或c3p0-config.xml文件
- 路径:要放在类的Path路径下,直接放在Src目录下即可
- 创建核心对象:数据库连接池对象:ComboPooledDataSource()//注意可以传入参数,就是可以指定使用那个连接配置
- 获取连接:getConnection
c3p0-config.xml文件
<c3p0-config>
<default-config>
<property name="driverClass">com.mysql.jdbc.Driver</property>
<property name="jdbcUrl">jdbc:mysql://localhost:3306/user4</property>
<property name="user">root</property>
<property name="password">root</property>
初始化的参数
<property name="initialPoolSize">5</property>
最大使用参数
<property name="maxPoolSize">10</property>
超时的参数,就是等到3秒过就报错
<property name="checkoutTimeout">3000</property>
</default-config>
<named-config name="otherc3p0">
<property name="driverClass">com.mysql.jdbc.Driver</property>
<property name="jdbcUrl">jdbc:mysql://localhost:3306/day25</property>
<property name="user">root</property>
<property name="password">root</property>
<property name="initialPoolSize">5</property>
<property name="maxPoolSize">8</property>
<property name="checkoutTimeout">1000</property>
</named-config>
</c3p0-config>
package com.haikang.c3p0;
import com.mchange.v2.c3p0.ComboPooledDataSource;
import javax.sql.DataSource;
import java.sql.Connection;
import java.sql.SQLException;
public class C3P0DataSource {
public static void main(String[] args) throws SQLException {
DataSource dataSource = new ComboPooledDataSource();
Connection connection = null;
try {
connection = dataSource.getConnection();
} catch (SQLException throwables) {
throwables.printStackTrace();
}
System.out.println(connection);
}
}
|