java深入探究08-连接池,分页


1.连接池

  1)自定义连接池

    思路:定义一个类Pool->添加4个属性(最大连接数,初始化连接数,当前连接数,用来存放连接对象的LinkList集合对象)->定义一个createConnection()方法创造连接对象定义一个getConnection()方法,定义一个realeaseConnection()释放资源的方法

        其中的CreateConnection()需要解释下:我们想在对我们创建出来的conn对象只处理接口一部分功能(监听conn.close()使用接口方法时触发将conn对象添加到连接池中)

               此时需要用到“代理对象”:如果想对接口指定方法扩展,不想实现所有方法,可以创建代理对象

                      创建方法:Proxy.newProxyInstance(

                            ClassLoader loader,  当前使用的类加载器

                            Class<?>[] interface,  目标对象实现的接口

                            InvocationHandler h    事件处理器:当执行上面接口中的方法的时候,就会自动触发事件处理器代码,把当前执行的方法(method)作为参数传入。

                           )

    例子:

import java.lang.reflect.InvocationHandler;
import java.lang.reflect.Method;
import java.lang.reflect.Proxy;
import java.sql.Connection;
import java.sql.DriverManager;
import java.sql.SQLException;
import java.util.LinkedList;

/**
 * 自定义连接池, 管理连接
 * 代码实现:
    1.  MyPool.java  连接池类,   
    2.  指定全局参数:  初始化数目、最大连接数、当前连接、   连接池集合
    3.  构造函数:循环创建3个连接
    4.  写一个创建连接的方法
    5.  获取连接
    ------>  判断: 池中有连接, 直接拿
     ------>                池中没有连接,
    ------>                 判断,是否达到最大连接数; 达到,抛出异常;没有达到最大连接数,
            创建新的连接
    6. 释放连接
     ------->  连接放回集合中(..)
 *
 */
public class MyPool {

    private int init_count = 3;        // 初始化连接数目
    private int max_count = 6;        // 最大连接数
    private int current_count = 0;  // 记录当前使用连接数
    // 连接池 (存放所有的初始化连接)
    private LinkedList pool = new LinkedList();
    
    
    //1.  构造函数中,初始化连接放入连接池
    public MyPool() {
        // 初始化连接
        for (int i=0; i){
            // 记录当前连接数目
            current_count++;
            // 创建原始的连接对象
            Connection con = createConnection();
            // 把连接加入连接池
            pool.addLast(con);
        }
    }
    
    //2. 创建一个新的连接的方法
    private Connection createConnection(){
        try {
            Class.forName("com.mysql.jdbc.Driver");
            // 原始的目标对象
            final Connection con = DriverManager.getConnection("jdbc:mysql:///test", "root", "mysql");
            
            /**********对con对象代理**************/
            
            // 对con创建其代理对象
            Connection proxy = (Connection) Proxy.newProxyInstance(
                    
                    con.getClass().getClassLoader(),    // 类加载器
                    //con.getClass().getInterfaces(),   // 当目标对象是一个具体的类的时候 
                    new Class[]{Connection.class},      // 目标对象实现的接口
                    
                    new InvocationHandler() {            // 当调用con对象方法的时候, 自动触发事务处理器
                        public Object invoke(Object proxy, Method method, Object[] args)
                                throws Throwable {
                            // 方法返回值
                            Object result = null;
                            // 当前执行的方法的方法名
                            String methodName = method.getName();
                            
                            // 判断当执行了close方法的时候,把连接放入连接池
                            if ("close".equals(methodName)) {
                                System.out.println("begin:当前执行close方法开始!");
                                // 连接放入连接池 (判断..)
                                pool.addLast(con);
                                System.out.println("end: 当前连接已经放入连接池了!");
                            } else {
                                // 调用目标对象方法
                                result = method.invoke(con, args);
                            }
                            return result;
                        }
                    }
            );
            return proxy;
        } catch (Exception e) {
            throw new RuntimeException(e);
        }
    }
    
    //3. 获取连接
    public Connection getConnection(){
        
        // 3.1 判断连接池中是否有连接, 如果有连接,就直接从连接池取出
        if (pool.size() > 0){
            return pool.removeFirst();
        }
        
        // 3.2 连接池中没有连接: 判断,如果没有达到最大连接数,创建;
        if (current_count < max_count) {
            // 记录当前使用的连接数
            current_count++;
            // 创建连接
            return createConnection();
        }
        
        // 3.3 如果当前已经达到最大连接数,抛出异常
        throw new RuntimeException("当前连接已经达到最大连接数目 !");
    }
    
    
    //4. 释放连接
    public void realeaseConnection(Connection con) {
        // 4.1 判断: 池的数目如果小于初始化连接,就放入池中
        if (pool.size() < init_count){
            pool.addLast(con);
        } else {
            try {
                // 4.2 关闭 
                current_count--;
                con.close();
            } catch (SQLException e) {
                throw new RuntimeException(e);
            }
        }
    }
    
    public static void main(String[] args) throws SQLException {
        MyPool pool = new MyPool();
        System.out.println("当前连接: " + pool.current_count);  // 3
        
        // 使用连接
        pool.getConnection();
        pool.getConnection();
        Connection con4 = pool.getConnection();
        Connection con3 = pool.getConnection();
        Connection con2 = pool.getConnection();
        Connection con1 = pool.getConnection();
        
        // 释放连接, 连接放回连接池
//        pool.realeaseConnection(con1);
        /*
         * 希望:当关闭连接的时候,要把连接放入连接池!【当调用Connection接口的close方法时候,希望触发pool.addLast(con);操作】
         *                                                                             把连接放入连接池
         * 解决1:实现Connection接口,重写close方法
         * 解决2:动态代理
         */
        con1.close();
        
        // 再获取
        pool.getConnection();
        
        System.out.println("连接池:" + pool.pool.size());      // 0
        System.out.println("当前连接: " + pool.current_count);  // 3
    }
    
}

  2)DBCP连接池

      导入:commons-dbcp-1.4.jar;commons-pool-1.5.6.jar

      核心API:BasicDataSource

      例子:

// DBCP连接池核心类
    1.硬编码实现连接池
BasicDataSource dataSouce = new BasicDataSource(); // 连接池参数配置:初始化连接数、最大连接数 / 连接字符串、驱动、用户、密码 dataSouce.setUrl("jdbc:mysql:///jdbc_demo"); //数据库连接字符串 dataSouce.setDriverClassName("com.mysql.jdbc.Driver"); //数据库驱动 dataSouce.setUsername("root"); //数据库连接用户 dataSouce.setPassword("root"); //数据库连接密码 dataSouce.setInitialSize(3); // 初始化连接 dataSouce.setMaxActive(6); // 最大连接 dataSouce.setMaxIdle(3000); // 最大空闲时间
    2.配置方式实现连接池
    前提有一个db.properties
url=jdbc:mysql:///jdbc_demo

driverClassName=com.mysql.jdbc.Driver

username=root

password=root

initialSize=3

maxActive=6

maxIdle=3000
    // 加载prop配置文件

      Properties prop = new Properties();

    // 获取文件流

      InputStream inStream = App_DBCP.class.getResourceAsStream("db.properties");

    // 加载属性配置文件

      prop.load(inStream);

    // 根据prop配置,直接创建数据源对象

      DataSource dataSouce = BasicDataSourceFactory.createDataSource(prop);

  3)C3P0连接池

连接池配置详解

<c3p0-config>
  <default-config>
 
 <property name="acquireIncrement">3property>
 
 
 <property name="acquireRetryAttempts">30property>
 
 
 <property name="acquireRetryDelay">1000property>
 
 
 <property name="autoCommitOnClose">falseproperty>
 
 
 <property name="automaticTestTable">Testproperty>
 
 
 <property name="breakAfterAcquireFailure">falseproperty>
 
  
 <property name="checkoutTimeout">100property>
 
 
 <property name="connectionTesterClassName">property>
 
 
 <property name="factoryClassLocation">nullproperty>
 
  
 <property name="forceIgnoreUnresolvedTransactions">falseproperty>
 
  
 <property name="idleConnectionTestPeriod">60property>
 
  
 <property name="initialPoolSize">3property>
 
 
 <property name="maxIdleTime">60property>
 
 
 <property name="maxPoolSize">15property>
 
 
 <property name="maxStatements">100property>
 
 
 <property name="maxStatementsPerConnection">property>
 
  
 <property name="numHelperThreads">3property>
 
  
 <property name="overrideDefaultUser">rootproperty>
 
 
 <property name="overrideDefaultPassword">passwordproperty>
 
  
 <property name="password">property>
 
 
 <property name="preferredTestQuery">select id from test where id=1property>
 
  
 <property name="propertyCycle">300property>
 
 
 <property name="testConnectionOnCheckout">falseproperty>
 
 
 <property name="testConnectionOnCheckin">trueproperty>
 
 
 <property name="user">rootproperty>
 
 
 <property name="usesTraditionalReflectiveProxies">falseproperty>

    <property name="automaticTestTable">con_testproperty>
    <property name="checkoutTimeout">30000property>
    <property name="idleConnectionTestPeriod">30property>
    <property name="initialPoolSize">10property>
    <property name="maxIdleTime">30property>
    <property name="maxPoolSize">25property>
    <property name="minPoolSize">10property>
    <property name="maxStatements">0property>
    <user-overrides user="swaldman">
    user-overrides>
  default-config>
  <named-config name="dumbTestConfig">
    <property name="maxStatements">200property>
    <user-overrides user="poop">
      <property name="maxStatements">300property>
    user-overrides>
   named-config>
c3p0-config>

    引入:c3p0-0.9.1.2.jar

    核心api:CombopooledDataSource 

    与DBCP区别:一个需要自己配置properice,c3p0有自己的c3p0-config.xml会自己加载

    例子:

c3p0-config:


    <default-config>
        "jdbcUrl">jdbc:mysql://localhost:3306/jdbc_demo
        
        "driverClass">com.mysql.jdbc.Driver
        "user">root
        "password">root
        "initialPoolSize">3
        "maxPoolSize">6
        "maxIdleTime">1000
    default-config>


    "oracle_config">
        "jdbcUrl">jdbc:mysql://localhost:3306/jdbc_demo
        "driverClass">com.mysql.jdbc.Driver
        "user">root
        "password">root
        "initialPoolSize">3
        "maxPoolSize">6
        "maxIdleTime">1000
    

主程序】

两种实现方式:硬编码,自动加载c3p0-config

@Test
    //1. 硬编码方式,使用C3P0连接池管理连接
    public void testCode() throws Exception {
        // 创建连接池核心工具类
        ComboPooledDataSource dataSource = new ComboPooledDataSource();
        // 设置连接参数:url、驱动、用户密码、初始连接数、最大连接数
        dataSource.setJdbcUrl("jdbc:mysql://localhost:3306/jdbc_demo");
        dataSource.setDriverClass("com.mysql.jdbc.Driver");
        dataSource.setUser("root");
        dataSource.setPassword("root");
        dataSource.setInitialPoolSize(3);
        dataSource.setMaxPoolSize(6);
        dataSource.setMaxIdleTime(1000);
        
        // ---> 从连接池对象中,获取连接对象
        Connection con = dataSource.getConnection();
        // 执行更新
        con.prepareStatement("delete from admin where id=7").executeUpdate();
        // 关闭
        con.close();
    }
    
    @Test
    //2. XML配置方式,使用C3P0连接池管理连接
    public void testXML() throws Exception {
        // 创建c3p0连接池核心工具类
        // 自动加载src下c3p0的配置文件【c3p0-config.xml】
        ComboPooledDataSource dataSource = new ComboPooledDataSource([配置中的name]);// 使用默认的配置
        PreparedStatement pstmt = null;
        
        // 获取连接
        Connection con = dataSource.getConnection();
        for (int i=1; i<11;i++){
            String sql = "insert into employee(empName,dept_id) values(?,?)";
            // 执行更新
            pstmt = con.prepareStatement(sql);
            pstmt.setString(1, "Rose" + i);
            pstmt.setInt(2, 1);
            pstmt.executeUpdate();
        }
        pstmt.close();
        // 关闭
        con.close();
        
    }

2.分页项目