数据库(3)

JDBC和连接池

JDBC

  • JDBC为访问不同的数据库提供了统一的接口,为使用者屏蔽了细节问题
  • java程序员使用JDBC,可以连接任何提供了JDBC驱动程序的数据库系统,从而完成对数据库的各种操作
  • JDBC的基本原理
    • JDBC是java提供一套用于数据库操作的接口API,Java程序员只需要面向这套接口编程即可。不同的数据库厂商,需要针对这套接口,提供不同实现。
    • JDBC API是一系列的接口,它统一和规范了应用程序与数据库的连接、执行SQL语句,并得到返回结果等各类操作,相关类和接口在java.sql与javax.sql包中
  • JDBC程序编写步骤
    • 注册驱动 加载Diver类
    • 获取连接 得到Connection
    • 执行增删改查 发送SQL给mysql执行
    • 释放资源 关闭相关连接

在这里插入图片描述

package com.hspedu.jdbc.myjdbc;

import com.mysql.jdbc.Driver;

import java.sql.Connection;
import java.sql.SQLException;
import java.sql.Statement;
import java.util.Properties;

public class Jdbc01 {
    public static void main(String[] args) throws SQLException {
        //前置工作,在项目下创建一个文件夹比如libs
        //将mysql.jar 拷贝到该目录下,点击add to project,加入到项目中
        //1.注册驱动
        Driver driver = new Driver();//创建driver对象
        //2.得到连接
        //(1)jdbc:mysql:// 规定好表示协议,通过jdbc的方式连接mysql
        //(2)localhost 主机,可以是ip地址
        //(3)3306 表示mysql监听的端口
        //(4)hsp_db03 表示要连接的数据库
        //(5)mysql的连接本质就是前面学过的socket连接
        String url = "jdbc:mysql://localhost:3306/hsp_db03";
        //将用户名和密码放入到Properties对象
        //user 和 password 是规定好的,后面的值根据实际情况写
        Properties properties = new Properties();
        properties.setProperty("user","root");//用户
        properties.setProperty("password","hsp");//密码
        Connection connect = driver.connect(url, properties);
        //3.增删查改
        String sql = "insert into actor values(null,'刘德华','男','1970-11-11','110')";
        //statement 用于执行静态SQL语句并返回其生成的结果的对象
        Statement statement = connect.createStatement();
        int i = statement.executeUpdate(sql);//i表示受影响的行数
        System.out.println(i > 0? "成功" : "失败");
        //4.释放资源
        statement.close();
        connect.close();
    }
}

获取数据库连接 5 种方式

方式 1

 //获取Driver实现类对象,属于静态加载,灵活性差,依赖性强
Driver driver = new com.mysql.jdbc.Driver();
String url = "jdbc:mysql://localhost:3306/hsp_db03";
Properties properties = new Properties();
properties.setProperty("user","root");//用户
properties.setProperty("password","hsp");//密码
Connection connect = driver.connect(url, properties);
System.out.println(connect);

方式 2

Class clazz = Class.forName("com.mysql.jdbc.Driver");
Driver driver = (Driver) clazz.newInstance();
String url = "jdbc:mysql://localhost:3306/hsp_db03";
Properties properties = new Properties();
properties.setProperty("user","root");//用户
properties.setProperty("password","hsp");//密码
Connection connect = driver.connect(url, properties);
System.out.println(connect);

方式 3

//使用DriverManager替换Driver
Class clazz = Class.forName("com.mysql.jdbc.Driver");
Driver driver = (Driver) clazz.newInstance();
//更加灵活
String url = "jdbc:mysql://localhost:3306/hsp_db03";
String user = "root";
String password = "hsp";
//registerDriver(driver) 注册与给定的驱动程序 registerDriver
DriverManager.registerDriver(driver);
Connection connect = DriverManager.getConnection(url, user, password);
System.out.println(connect);

方式 4

//使用Class.forName自动完成注册驱动
//在加载Driver类时,完成注册
/*
            源码:1.静态代码块,在类加载时,会执行一次
            2.DriverManager.registerDriver(new Driver())
            3.因此注册driver的工作已经完成
            static {
                try {
                    DriverManager.registerDriver(new Driver());
                }catch(SQLException var1){
                    throw new RuntimeException("Can't register driver!");
                }
            }
        * */
Class.forName("com.mysql.jdbc.Driver");//可写可不写,建议写上
String url = "jdbc:mysql://localhost:3306/hsp_db03";
String user = "root";
String password = "hsp";
Connection connect = DriverManager.getConnection(url, user, password);
System.out.println(connect);
//Mysql驱动5.1.6可以无需Class.forName("com.mysql.jdbc.Driver");
//从jdk1.5以后使用了jdbc4,不再需要显示调用Class.forName()注册驱动而是自动调用驱动jar包下META-INF\services\java.sql.Driver文本中的类名称去注册。

方式 5

//通过Properties对象获取配置文件的信息
//使用配置文件,连接数据库更灵活
Properties properties = new Properties();
properties.load(new FileInputStream("src\\mysql.properties"));
String user = properties.getProperty("user");
String password = properties.getProperty("password");
String driver = properties.getProperty("driver");
String url = properties.getProperty("url");
Class.forName(driver);
Connection connection = DriverManager.getConnection(url, user, password);
System.out.println(connection);
user = root
password = hsp
url = jdbc:mysql://localhost:3306/hsp_db03
driver = com.mysql.jdbc.Driver

练习

Properties properties = new Properties();
properties.load(new FileInputStream("src\\mysql.properties"));
String user = properties.getProperty("user");
String password = properties.getProperty("password");
String driver = properties.getProperty("driver");
String url = properties.getProperty("url");
Class.forName(driver);
Connection connection = DriverManager.getConnection(url, user, password);
//使用jdbc添加5条数据
//String sql = "insert into actor values(null,'tom','男','1956-03-05','010-398586'), " +
//                "(null,'join','男','1974-05-09','010-466786'), " +
//                "(null,'marry','女','1984-07-30','010-835889'), " +
//                "(null,'jack','男','1995-05-11','010-135784'), " +
//                "(null,'jane','女','1969-11-26','010-730625')";
//修改id=1的记录将名字改为自己名字
//String sql = "update actor set name = 'cys' where id = 1";
//删除id=3的记录
String sql = "delete from actor where id = 3";
Statement statement = connection.createStatement();
int i = statement.executeUpdate(sql);
System.out.println(i);
System.out.println(i > 0? "成功" : "失败");
//4.释放资源
statement.close();
connection.close();

ResultSet[结果集]

基本介绍

  • 表示数据库结果集的数据表,通常通过执行查询数据库的语句生成
  • ResultSet对象保持一个光标指向其当前的数据行。最初,光标位于第一行之前
  • next方法将光标移动到下一行,并且由于在ResultSet对象中没有更多行时返回false,因此可以在while循环中使用循环来遍历结果集。
Properties properties = new Properties();
properties.load(new FileInputStream("src\\mysql.properties"));
String user = properties.getProperty("user");
String password = properties.getProperty("password");
String driver = properties.getProperty("driver");
String url = properties.getProperty("url");
Class.forName(driver);
Connection connection = DriverManager.getConnection(url, user, password);
String sql = "select * from actor";
Statement statement = connection.createStatement();
/*
        ResultSet是个接口,真正是JDBC42ResultSet@888,它实现了ResultSet接口
         */
ResultSet resultSet = statement.executeQuery(sql);
//使用while语句取出数据
while(resultSet.next()){ //让光标向后移动,如果没有更多行,则返回false
    int id = resultSet.getInt(1);
    String name = resultSet.getString(2);
    String sex = resultSet.getString(3);
    Date date = resultSet.getDate(4);
    String phone = resultSet.getString(5);
    System.out.println(id + "\t" + name + "\t" + sex + "\t" + date + "\t" + phone);
}
//关闭连接,释放资源
resultSet.close();
statement.close();
connection.close();

Statement

基本介绍

  • Statement对象 用于执行静态SQL语句并返回其生成的结果的对象
  • 在连接建立后,需要对数据库进行访问,执行命名或是SQL语句,可以通过
    • Statement 【存在SQL注入风险】
    • PreparedStatement 【预处理】
    • CallableStatement 【存储过程】
  • Statement对象执行SQL语句,存在SQL注入风险
  • SQL注入是利用某些系统没有对用户输入的数据进行充分的检查,而在用户输入数据中注入非法的SQL语句段或命令,恶意攻击数据库。
  • 要防范SQL注入,只要用PreparedStatement(从Statement扩展而来)取代Statement就可以了
-- 演示sql 注入
-- 创建一张表
CREATE TABLE  admin ( -- 管理员表
NAME VARCHAR(32) NOT NULL UNIQUE,
pwd VARCHAR(32) NOT NULL DEFAULT '') CHARACTER SET utf8;

-- 添加数据
INSERT INTO admin VALUES('tom', '123');

-- 查找某个管理是否存在

SELECT * 
	FROM admin
	WHERE NAME = 'tom' AND pwd = '123'
	
-- SQL 
-- 输入用户名 为  1' or 
-- 输入万能密码 为 or '1'= '1 
SELECT * 
	FROM admin
	WHERE NAME = '1' OR' AND pwd = 'OR '1'= '1'
SELECT * FROM admin
Scanner scanner = new Scanner(System.in);

//让用户输入管理员名和密码
System.out.print("请输入管理员的名字: ");  //next(): 当接收到 空格或者 '就是表示结束
String admin_name = scanner.nextLine(); // 老师说明,如果希望看到SQL注入,这里需要用nextLine
System.out.print("请输入管理员的密码: ");
String admin_pwd = scanner.nextLine();

//通过Properties对象获取配置文件的信息


Properties properties = new Properties();
properties.load(new FileInputStream("src\\mysql.properties"));
//获取相关的值
String user = properties.getProperty("user");
String password = properties.getProperty("password");
String driver = properties.getProperty("driver");
String url = properties.getProperty("url");

//1. 注册驱动
Class.forName(driver);//建议写上

//2. 得到连接
Connection connection = DriverManager.getConnection(url, user, password);

//3. 得到Statement
Statement statement = connection.createStatement();
//4. 组织SqL
String sql = "select name , pwd  from admin where name ='"
    + admin_name + "' and pwd = '" + admin_pwd + "'";
ResultSet resultSet = statement.executeQuery(sql);
if (resultSet.next()) { //如果查询到一条记录,则说明该管理存在
    System.out.println("恭喜, 登录成功");
} else {
    System.out.println("对不起,登录失败");
}

//关闭连接
resultSet.close();
statement.close();
connection.close();

PreparedStatement

  • String sql = “select count(*) from admin where username = ? and password = ?”
  • PreparedStatement 执行的 SQL语句中的参数用问号(?)来表示,调用PreparedStatement对象的 setXxx() 方法来设置这些参数。setXxx() 方法有两个参数,第一个参数是要设置的SQL语句中的参数的索引(从1开始),第二个是设置的SQL语句中的参数的值
  • 调用 executeQuery(),返回ResultSet对象
  • 调用 executeUpdate():执行更新,包括增、删、修改。

预处理的好处

  • 不再使用 + 拼接sql语句,减少语法错误
  • 有效的解决了sql注入问题
  • 大大减少了编译次数,效率较高
//看 PreparedStatement类图

Scanner scanner = new Scanner(System.in);

//让用户输入管理员名和密码
System.out.print("请输入管理员的名字: ");  //next(): 当接收到 空格或者 '就是表示结束
String admin_name = scanner.nextLine(); // 老师说明,如果希望看到SQL注入,这里需要用nextLine
System.out.print("请输入管理员的密码: ");
String admin_pwd = scanner.nextLine();

//通过Properties对象获取配置文件的信息

Properties properties = new Properties();
properties.load(new FileInputStream("src\\mysql.properties"));
//获取相关的值
String user = properties.getProperty("user");
String password = properties.getProperty("password");
String driver = properties.getProperty("driver");
String url = properties.getProperty("url");

//1. 注册驱动
Class.forName(driver);//建议写上

//2. 得到连接
Connection connection = DriverManager.getConnection(url, user, password);

//3. 得到PreparedStatement
//3.1 组织SqL , Sql 语句的 ? 就相当于占位符
String sql = "select name , pwd  from admin where name =? and pwd = ?";
//3.2 preparedStatement 对象实现了 PreparedStatement 接口的实现类的对象
PreparedStatement preparedStatement = connection.prepareStatement(sql);
//3.3 给 ? 赋值
preparedStatement.setString(1, admin_name);
preparedStatement.setString(2, admin_pwd);

//4. 执行 select 语句使用  executeQuery
//   如果执行的是 dml(update, insert ,delete) executeUpdate()
//   这里执行 executeQuery ,不要在写 sql

ResultSet resultSet = preparedStatement.executeQuery();
if (resultSet.next()) { //如果查询到一条记录,则说明该管理存在
    System.out.println("恭喜, 登录成功");
} else {
    System.out.println("对不起,登录失败");
}

//关闭连接
resultSet.close();
preparedStatement.close();
connection.close();
//看 PreparedStatement类图

Scanner scanner = new Scanner(System.in);

//让用户输入管理员名和密码
System.out.print("请输删除管理员的名字: ");  //next(): 当接收到 空格或者 '就是表示结束
String admin_name = scanner.nextLine(); // 老师说明,如果希望看到SQL注入,这里需要用nextLine
//        System.out.print("请输入管理员的新密码: ");
//        String admin_pwd = scanner.nextLine();

//通过Properties对象获取配置文件的信息

Properties properties = new Properties();
properties.load(new FileInputStream("src\\mysql.properties"));
//获取相关的值
String user = properties.getProperty("user");
String password = properties.getProperty("password");
String driver = properties.getProperty("driver");
String url = properties.getProperty("url");

//1. 注册驱动
Class.forName(driver);//建议写上

//2. 得到连接
Connection connection = DriverManager.getConnection(url, user, password);

//3. 得到PreparedStatement
//3.1 组织SqL , Sql 语句的 ? 就相当于占位符
//添加记录
//String sql = "insert into admin values(?, ?)";
//String sql = "update admin set pwd = ? where name = ?";
String sql = "delete from  admin where name = ?";
//3.2 preparedStatement 对象实现了 PreparedStatement 接口的实现类的对象
PreparedStatement preparedStatement = connection.prepareStatement(sql);
//3.3 给 ? 赋值
preparedStatement.setString(1, admin_name);

//preparedStatement.setString(2, admin_name);

//4. 执行 dml 语句使用  executeUpdate
int rows = preparedStatement.executeUpdate();
System.out.println(rows > 0 ? "执行成功" : "执行失败");
//关闭连接
preparedStatement.close();
connection.close();

练习

  • 创建admin表
  • 使用preparedStatement添加5条数据
  • 修改tom的记录,将username改成king
  • 删除一条的记录
  • 查询全部记录,并显示在控制台
CREATE TABLE admin(
	username VARCHAR(32),
	apassword VARCHAR(32))
package com.hspedu.jdbc;

import java.io.FileInputStream;
import java.io.FileNotFoundException;
import java.io.IOException;
import java.sql.*;
import java.util.Properties;
import java.util.Scanner;

public class Execise02 {
    public static void main(String[] args) throws IOException, ClassNotFoundException, SQLException {
        Scanner scanner = new Scanner(System.in);
        Properties properties = new Properties();
        properties.load(new FileInputStream("src\\mysql.properties"));
        String user = properties.getProperty("user");
        String password = properties.getProperty("password");
        String url = properties.getProperty("url");
        String driver = properties.getProperty("driver");
        Class.forName(driver);
        Connection connection = DriverManager.getConnection(url, user, password);
        //插入数据
//        String sql = "insert into admin values(?,?)";
//        String username = "";
//        String apassword = "";
//        PreparedStatement preparedStatement = connection.prepareStatement(sql);
//        for (int i = 0; i < 5; i++) {
//            System.out.println("请输入您插入的管理员的名字:");
//            username = scanner.nextLine();
//            System.out.println("请输入您插入的管理员的密码:");
//            apassword = scanner.nextLine();
//            preparedStatement.setString(1,username);
//            preparedStatement.setString(2,apassword);
//            int i1 = preparedStatement.executeUpdate();
//            System.out.println(i1 > 0?"插入成功":"插入失败");
//        }

        //修改数据
//        String sql = "update admin set username = ? where username = ?";
//        String new_name = "";
//        String old_name = "";
//        System.out.println("请输入您修改后的管理员的名字:");
//        new_name = scanner.nextLine();
//        System.out.println("请输入您修改的管理员的密码:");
//        old_name = scanner.nextLine();
//        PreparedStatement preparedStatement = connection.prepareStatement(sql);
//        preparedStatement.setString(1,new_name);
//        preparedStatement.setString(2,old_name);
//        int i = preparedStatement.executeUpdate();
//        System.out.println(i > 0?"修改成功":"修改失败");

        //删除数据
//        String sql = "delete from admin where username = ?";
//        String name = "";
//        System.out.println("请输入您删除的管理员的名字:");
//        name = scanner.nextLine();
//        PreparedStatement preparedStatement = connection.prepareStatement(sql);
//        preparedStatement.setString(1,name);
//        int i = preparedStatement.executeUpdate();
//        System.out.println(i > 0?"删除成功":"删除失败");

        //查询全部记录并显示在控制台
        String sql = "select * from admin";
        PreparedStatement preparedStatement = connection.prepareStatement(sql);
        ResultSet resultSet = preparedStatement.executeQuery();
        while(resultSet.next()){
            String username = resultSet.getString("username");
            String apassword = resultSet.getString("apassword");
            System.out.println(username + "\t" + apassword);
        }
        resultSet.close();
        preparedStatement.close();;
        connection.close();
    }
}

封装JDBCUtils

  • 在jdbc操作中,获取连接和释放资源时经常使用到,可以将其封装JDBC连接的工具类JDBCUtils
public class JDBCUtils {
    //定义相关的属性(4个), 因为只需要一份,因此,我们做出static
    private static String user; //用户名
    private static String password; //密码
    private static String url; //url
    private static String driver; //驱动名

    //在static代码块去初始化
    static {

        try {
            Properties properties = new Properties();
            properties.load(new FileInputStream("src\\mysql.properties"));
            //读取相关的属性值
            user = properties.getProperty("user");
            password = properties.getProperty("password");
            url = properties.getProperty("url");
            driver = properties.getProperty("driver");
        } catch (IOException e) {
            //在实际开发中,我们可以这样处理
            //1. 将编译异常转成 运行异常
            //2. 调用者,可以选择捕获该异常,也可以选择默认处理该异常,比较方便.
            throw new RuntimeException(e);

        }
    }

    //连接数据库, 返回Connection
    public static Connection getConnection() {

        try {
            return DriverManager.getConnection(url, user, password);
        } catch (SQLException e) {
            //1. 将编译异常转成 运行异常
            //2. 调用者,可以选择捕获该异常,也可以选择默认处理该异常,比较方便.
            throw new RuntimeException(e);
        }
    }

    //关闭相关资源
    /*
        1. ResultSet 结果集
        2. Statement 或者 PreparedStatement
        3. Connection
        4. 如果需要关闭资源,就传入对象,否则传入 null
     */
    public static void close(ResultSet set, Statement statement, Connection connection) {

        //判断是否为null
        try {
            if (set != null) {
                set.close();
            }
            if (statement != null) {
                statement.close();
            }
            if (connection != null) {
                connection.close();
            }
        } catch (SQLException e) {
            //将编译异常转成运行异常抛出
            throw new RuntimeException(e);
        }

    }

}
package com.hspedu.jdbc;

import org.junit.Test;

import java.sql.Connection;
import java.sql.PreparedStatement;
import java.sql.ResultSet;
import java.sql.SQLException;
import java.text.ParseException;
import java.text.SimpleDateFormat;
import java.util.Date;

public class JdbcUtils_use {
    public static void main(String[] args) {

    }
    @Test
    public void update(){
        Connection connection = null;
        String sql = "update actor set name = ? where id = ?";
        PreparedStatement preparedStatement = null;
        try {
            connection = JdbcUtils.connection();
            System.out.println(connection.getClass()); //com.mysql.jdbc.JDBC4Connection
            //connection是个接口,不同的公司来实现该接口,所以connection的close方法不一样
            preparedStatement = connection.prepareStatement(sql);
            preparedStatement.setString(1,"James");
            preparedStatement.setInt(2,1);
            preparedStatement.executeUpdate();
        } catch (SQLException e) {
            e.printStackTrace();
        } finally {
            JdbcUtils.close(null,preparedStatement,connection);
        }
    }

    @Test
    public void delete(){
        Connection connection = null;
        String sql = "delete from actor where id = ?";
        PreparedStatement preparedStatement = null;
        try {
            connection = JdbcUtils.connection();
            preparedStatement = connection.prepareStatement(sql);
            preparedStatement.setInt(1,5);
            preparedStatement.executeUpdate();
        } catch (SQLException e) {
            e.printStackTrace();
        } finally {
            JdbcUtils.close(null,preparedStatement,connection);
        }
    }

    @Test
    public void insert(){
        Connection connection = null;
        String sql = "insert into actor values(null,?,?,?,?)";
        PreparedStatement preparedStatement = null;
        try {
            connection = JdbcUtils.connection();
            preparedStatement = connection.prepareStatement(sql);
            preparedStatement.setString(1,"刘德华");
            preparedStatement.setString(2,"男");
            SimpleDateFormat sdf = new SimpleDateFormat("yyyy-MM-dd");
            Date date = sdf.parse("1965-03-09");
            long time = date.getTime();
            preparedStatement.setDate(3, new java.sql.Date(time));
            preparedStatement.setString(4,"010-888888");
            preparedStatement.executeUpdate();
        } catch (SQLException | ParseException e) {
            e.printStackTrace();
        } finally {
            JdbcUtils.close(null,preparedStatement,connection);
        }
    }

    @Test
    public void select(){
        Connection connection = null;
        String sql = "select * from actor where id = ?";
        PreparedStatement preparedStatement = null;
        ResultSet resultSet = null;
        try {
            connection = JdbcUtils.connection();
            preparedStatement = connection.prepareStatement(sql);
            preparedStatement.setInt(1,6);
            resultSet = preparedStatement.executeQuery();
            while(resultSet.next()){
                int id = resultSet.getInt("id");
                String name = resultSet.getString("name");
                String sex = resultSet.getString("sex");
                java.sql.Date borndate = resultSet.getDate("borndate");
                String phone = resultSet.getString("phone");
                System.out.println(id + "\t" + name + "\t" + sex + "\t" + borndate + "\t" + phone);
            }
        } catch (SQLException e) {
            e.printStackTrace();
        } finally {
            JdbcUtils.close(resultSet,preparedStatement,connection);
        }
    }
}

事务

  • JDBC程序中当一个Connection对象创建时,默认情况下是自动提交事务,每次执行一个SQL语句时,如果执行成功,就会向数据库自动提交,而不能回滚;
  • JDBC程序中为了让多个SQL语句作为一个整体执行,需要使用事务
  • 调用Connection的setAutoCommit(false) 可以取消自动提交事务
  • 在所有的SQL语句都成功执行后,调用commit()方法提交事务
  • 在其中某个操作失败或出现异常时,调用rollback()方法回滚事务
public class Transaction_ {

    //没有使用事务.
    @Test
    public void noTransaction() {

        //操作转账的业务
        //1. 得到连接
        Connection connection = null;
        //2. 组织一个sql
        String sql = "update account set balance = balance - 100 where id = 1";
        String sql2 = "update account set balance = balance + 100 where id = 2";
        PreparedStatement preparedStatement = null;
        //3. 创建PreparedStatement 对象
        try {
            connection = JDBCUtils.getConnection(); // 在默认情况下,connection是默认自动提交
            preparedStatement = connection.prepareStatement(sql);
            preparedStatement.executeUpdate(); // 执行第1条sql

            int i = 1 / 0; //抛出异常
            preparedStatement = connection.prepareStatement(sql2);
            preparedStatement.executeUpdate(); // 执行第3条sql


        } catch (SQLException e) {
            e.printStackTrace();
        } finally {
            //关闭资源
            JDBCUtils.close(null, preparedStatement, connection);
        }
    }

    //事务来解决
    @Test
    public void useTransaction() {

        //操作转账的业务
        //1. 得到连接
        Connection connection = null;
        //2. 组织一个sql
        String sql = "update account set balance = balance - 100 where id = 1";
        String sql2 = "update account set balance = balance + 100 where id = 2";
        PreparedStatement preparedStatement = null;
        //3. 创建PreparedStatement 对象
        try {
            connection = JDBCUtils.getConnection(); // 在默认情况下,connection是默认自动提交
            //将 connection 设置为不自动提交
            connection.setAutoCommit(false); //开启了事务
            preparedStatement = connection.prepareStatement(sql);
            preparedStatement.executeUpdate(); // 执行第1条sql

            int i = 1 / 0; //抛出异常
            preparedStatement = connection.prepareStatement(sql2);
            preparedStatement.executeUpdate(); // 执行第3条sql

            //这里提交事务
            connection.commit();

        } catch (SQLException e) {
            //这里我们可以进行回滚,即撤销执行的SQL
            //默认回滚到事务开始的状态.
            System.out.println("执行发生了异常,撤销执行的sql");
            try {
                connection.rollback();
            } catch (SQLException throwables) {
                throwables.printStackTrace();
            }
            e.printStackTrace();
        } finally {
            //关闭资源
            JDBCUtils.close(null, preparedStatement, connection);
        }
    }
}

批处理

  • 当需要成批插入或者更新记录时,可以采用java的批量更新机制,这一机制允许多条语句一次性提交给数据库批量处理。通常情况下比单独提交处理更有效率。
  • JDBC的批量处理语句包括下面方法:
    • addBatch() :添加需要批量处理的SQL语句或参数
    • executeBatch(): 执行批量处理语句
    • clearBatch: 清空批处理包的语句
  • JDBC连接MySql时,如果要使用批处理功能,请在url中加参数 ? r e w r i t e B a t c h e d S t a t e m e n t s = t r u e \textcolor{blue}{?rewriteBatchedStatements = true} ?rewriteBatchedStatements=true,注意等号两边不能有空格
  • 批处理往往和PreparedStatement一起搭配使用,可以既减少编译次数,又减少运行次数,效率大大提高。
user = root
password = hsp
url = jdbc:mysql://localhost:3306/hsp_db03?rewriteBatchedStatements=true
driver = com.mysql.jdbc.Driver
CREATE TABLE admin2(
	id INT UNIQUE AUTO_INCREMENT,
	`name` VARCHAR(32),
	`password` VARCHAR(32));
SELECT COUNT(*) FROM admin2;
DROP TABLE admin2
@Test
public void batch() throws Exception {

    Connection connection = JdbcUtils.connection();
    String sql = "insert into admin2 values(null, ?, ?)";
    PreparedStatement preparedStatement = connection.prepareStatement(sql);
    System.out.println("开始执行");
    long start = System.currentTimeMillis();//开始时间
    for (int i = 0; i < 5000; i++) {//5000执行
        preparedStatement.setString(1, "jack" + i);
        preparedStatement.setString(2, "666");
        //将sql 语句加入到批处理包中 -> 看源码
        /*
            //1. //第一就创建 ArrayList - elementData => Object[]
            //2. elementData => Object[] 就会存放我们预处理的sql语句
            //3. 当elementData满后,就按照1.5扩容
            //4. 当添加到指定的值后,就executeBatch
            //5. 批量处理会减少我们发送sql语句的网络开销,而且减少编译次数,因此效率提高
            public void addBatch() throws SQLException {
                synchronized(this.checkClosed().getConnectionMutex()) {
                    if (this.batchedArgs == null) {

                        this.batchedArgs = new ArrayList();
                    }

                    for(int i = 0; i < this.parameterValues.length; ++i) {
                        this.checkAllParametersSet(this.parameterValues[i], this.parameterStreams[i], i);
                    }

                    this.batchedArgs.add(new PreparedStatement.BatchParams(this.parameterValues, this.parameterStreams, this.isStream, this.streamLengths, this.isNull));
                }
            }

             */
        preparedStatement.addBatch();
        //当有1000条记录时,在批量执行
        if((i + 1) % 1000 == 0) {//满1000条sql
            preparedStatement.executeBatch();
            //清空一把
            preparedStatement.clearBatch();
        }
    }
    long end = System.currentTimeMillis();
    System.out.println("批量方式 耗时=" + (end - start));//批量方式 耗时=108
    //关闭连接
    JdbcUtils.close(null, preparedStatement, connection);
}

数据库连接池

  • 传统获取Connection问题分析

    • 传统的JDBC数据库连接使用DriverManager来获取,每次向数据库建立连接的时候都要将Connection加载到内存中,再验证IP地址,用户名和密码(0.05s~1s时间)。需要数据库连接的时候,就向数据库要求一个,频繁的进行数据库连接操作将占用很多的系统资源,容易造成服务器崩塌。
    • 每一次数据库连接,使用完后都得断开,如果程序出现异常而未能关闭,将导致数据库内存泄漏,最终将导致重启数据库。
    • 传统获取连接的方式,不能控制创建的连接数量,如连接过多,也可能导致内存泄漏,MySQL崩溃。
    • 解决传统开发中的数据库连接问题,可以采用数据库连接池技术(connection pool)
  • 数据库连接池基本介绍

    • 预先再缓冲池中放入一定数量的连接,当需要建立数据库连接时,只需从“缓冲池”中取出一个,使用完毕之后再放回去
    • 数据库连接池负责分配、管理和释放数据库连接,它允许应用程序重复使用一个现有的数据库连接,而不是重新建立一个。
    • 当应用程序向连接池请求的连接数超过最大连接数量时,这些请求将被加入到等待队列中

    在这里插入图片描述

种类

  • JDBC的数据库连接池使用javax.sql.DataSource来表示,DataSource只是一个接口,该接口通常由第三方提供实现。【提供jar包】
  • C3P0数据库连接池,速度相对较慢,稳定性不错(hinernate,spring)
  • DBCP数据库连接池,速度相对c3p0较快,但不稳定
  • Proxool数据库连接池,有监控连接池状态的功能,稳定性较c3p0差一点
  • BoneCP数据库连接池,速度快
  • Druid(德鲁伊)是阿里提供的数据库连接池,集DBCP、C3P0、Proxool优点于一身的数据库连接池。
C3P0
public class C3P0 {
    @Test
    public void c3p0() throws IOException, ClassNotFoundException, PropertyVetoException, SQLException {
        //1. 创建一个数据源对象
        ComboPooledDataSource comboPooledDataSource = new ComboPooledDataSource();
        //2. 通过配置文件mysql.properties 获取相关连接的信息
        Properties properties = new Properties();
        properties.load(new FileInputStream("src\\mysql.properties"));
        //读取相关的属性值
        String user = properties.getProperty("user");
        String password = properties.getProperty("password");
        String driver = properties.getProperty("driver");
        String url = properties.getProperty("url");
        //给数据源 comboPooledDataSource 设置相关的参数
        //注意:连接管理是由 comboPooledDataSource 来管理
        comboPooledDataSource.setDriverClass(driver);
        comboPooledDataSource.setJdbcUrl(url);
        comboPooledDataSource.setUser(user);
        comboPooledDataSource.setPassword(password);
        //设置初始化连接数
        comboPooledDataSource.setInitialPoolSize(10);
        //最大连接数
        comboPooledDataSource.setMaxPoolSize(50);
        long start = System.currentTimeMillis();
        for (int i = 0; i < 5000; i++) {
            Connection connection = comboPooledDataSource.getConnection();
            connection.close();
        }
        long end = System.currentTimeMillis();
        System.out.println((end - start));//279
    }

    @Test
    public void c3p0_02() throws SQLException {
        ComboPooledDataSource comboPooledDataSource = new ComboPooledDataSource("hello");
        long start = System.currentTimeMillis();
        for (int i = 0; i < 5000; i++) {
            Connection connection = comboPooledDataSource.getConnection();
            connection.close();
        }
        long end = System.currentTimeMillis();
        System.out.println("第二次" + (end - start));//第二次262
    }
}
<c3p0-config>

    <named-config name="hello"> 
        <!-- 驱动类 -->
        <property name="driverClass">com.mysql.jdbc.Driver</property>
        <!-- url-->
        <property name="jdbcUrl">jdbc:mysql://127.0.0.1:3306/hsp_db03</property>
        <!-- 用户名 -->
        <property name="user">root</property>
        <!-- 密码 -->
        <property name="password">hsp</property>
        <!-- 每次增长的连接数-->
        <property name="acquireIncrement">5</property>
        <!-- 初始的连接数 -->
        <property name="initialPoolSize">10</property>
        <!-- 最小连接数 -->
        <property name="minPoolSize">5</property>
        <!-- 最大连接数 -->
        <property name="maxPoolSize">50</property>

        <!-- 可连接的最多的命令对象数 -->
        <property name="maxStatements">5</property> 

        <!-- 每个连接对象可连接的最多的命令对象数 -->
        <property name="maxStatementsPerConnection">2</property>
    </named-config>
</c3p0-config>
Druid
@Test
public void testDruid() throws Exception {
    //1. 加入 Druid jar包
    //2. 加入 配置文件 druid.properties , 将该文件拷贝项目的src目录
    //3. 创建Properties对象, 读取配置文件
    Properties properties = new Properties();
    properties.load(new FileInputStream("src\\druid.properties"));

    //4. 创建一个指定参数的数据库连接池, Druid连接池
    DataSource dataSource =
        DruidDataSourceFactory.createDataSource(properties);

    long start = System.currentTimeMillis();
    for (int i = 0; i < 5000; i++) {
        Connection connection = dataSource.getConnection();
        //System.out.println(connection.getClass());
        //System.out.println("连接成功!");
        connection.close();
    }
    long end = System.currentTimeMillis();
    //druid连接池 操作5000 耗时=412
    System.out.println("druid连接池 耗时=" + (end - start));//425
}
#key=value
driverClassName=com.mysql.jdbc.Driver
url=jdbc:mysql://localhost:3306/hsp_db03?rewriteBatchedStatements=true
#url=jdbc:mysql://localhost:3306/hsp_db03
username=root
password=hsp
#initial connection Size
initialSize=10
#min idle connecton size
minIdle=5
#max active connection size
maxActive=50
#max wait time (5000 mil seconds)
maxWait=5000

JDBCUtils by Druid

import com.alibaba.druid.pool.DruidDataSourceFactory;

import javax.sql.DataSource;
import java.io.FileInputStream;
import java.sql.Connection;
import java.sql.ResultSet;
import java.sql.SQLException;
import java.sql.Statement;
import java.util.Properties;

public class JDBCUtilsByDruid {
    private static DataSource ds;

    //在静态代码块完成 ds初始化
    static {
        Properties properties = new Properties();
        try {
            properties.load(new FileInputStream("src\\druid.properties"));
            ds = DruidDataSourceFactory.createDataSource(properties);
        } catch (Exception e) {
            e.printStackTrace();
        }

    }

    //编写getConnection方法
    public static Connection getConnection() throws SQLException {
        return ds.getConnection();
    }

    //关闭连接, 老师再次强调: 在数据库连接池技术中,close 不是真的断掉连接
    //而是把使用的Connection对象放回连接池
    public static void close(ResultSet resultSet, Statement statement, Connection connection) {

        try {
            if (resultSet != null) {
                resultSet.close();
            }
            if (statement != null) {
                statement.close();
            }
            if (connection != null) {
                connection.close();
            }
        } catch (SQLException e) {
            throw new RuntimeException(e);
        }
    }
}
@Test
public void select(){
    Connection connection = null;
    PreparedStatement statement = null;
    ResultSet resultSet = null;
    String sql = "select * from balance";

    try {
        connection = JDBCUtilsByDruid.getConnection();
        System.out.println(connection.getClass());//运行类型 com.alibaba.druid.pool.DruidPooledConnection
        //connection是个接口,不同的公司来实现该接口,所以connection的close方法不一样
        statement = connection.prepareStatement(sql);
        resultSet = statement.executeQuery();
        while (resultSet.next()){
            String name = resultSet.getString("name");
            double money = resultSet.getDouble("money");
            System.out.println(name + "\t" + money);
        }
    } catch (SQLException throwables) {
        throwables.printStackTrace();
    } finally {
        JDBCUtilsByDruid.close(resultSet,statement,connection);
    }

}

Apache-DBUtils

  • 关闭connection后,resultSet结果集无法使用
  • resultSet不利于数据的管理

在这里插入图片描述

基本介绍

  • commons-dbutils 是 Apache 组织提供的一个开源 JDBC工具类库,它是对JDBC的封装,使用dbutils能极大简化jdbc编码的工作量。
  • Dbutils类
    • QueryRunner类:该类封装了SQL的执行,是线程安全的。可以实现增删改查、批处理
    • 使用QueryRunner类实现查询
    • ResultSetHandler接口:该接口用于处理 java.sql.ResultSet,将数据按要求转换为另一种形式。
      • ArrayHandler: 把结果集中的第一行数据转化成对象数组
      • ArrayListHandler: 把结果集中的每一行数据都转成一个数组,再存放到List中
      • BeanHandler: 将结果集中的第一行数据封装到一个对应的JavaBean实例中
      • BeanListHandler: 将结果集中的每一行数据都封装到一个对应的JavaBean实例中,存放到List里
      • ColumnListHandler: 将结果集中某一列的数据存放到List中
      • KeyedHandler(name): 将结果集中的每行数据都封装到Map里,再把这些map再存到一个map里,其key为指定的key
      • MapHandler: 将结果集中的每一行数据封装到一个Map里,key是列名,value就是对应的值
      • MapListHandler: 将结果集中的每一行数据都封装到一个Map里,然后再存放到List

使用DBUtils + 数据连接池(德鲁伊)方式,完成对表actor的crud

public class Actor { //Javabean, POJO, Domain对象

    private Integer id;
    private String name;
    private String sex;
    private Date borndate;
    private String phone;

    public Actor() { //一定要给一个无参构造器[反射需要]
    }

    public Actor(Integer id, String name, String sex, Date borndate, String phone) {
        this.id = id;
        this.name = name;
        this.sex = sex;
        this.borndate = borndate;
        this.phone = phone;
    }

    public Integer getId() {
        return id;
    }

    public void setId(Integer id) {
        this.id = id;
    }

    public String getName() {
        return name;
    }

    public void setName(String name) {
        this.name = name;
    }

    public String getSex() {
        return sex;
    }

    public void setSex(String sex) {
        this.sex = sex;
    }

    public Date getBorndate() {
        return borndate;
    }

    public void setBorndate(Date borndate) {
        this.borndate = borndate;
    }

    public String getPhone() {
        return phone;
    }

    public void setPhone(String phone) {
        this.phone = phone;
    }

    @Override
    public String toString() {
        return "\nActor{" +
                "id=" + id +
                ", name='" + name + '\'' +
                ", sex='" + sex + '\'' +
                ", borndate=" + borndate +
                ", phone='" + phone + '\'' +
                '}';
    }
}
@Test
public void testQueryMany() throws SQLException { //返回结果是多行的情况

    //1. 得到 连接 (druid)
    Connection connection = JDBCUtilsByDruid.getConnection();
    //2. 使用 DBUtils 类和接口 , 先引入DBUtils 相关的jar , 加入到本Project
    //3. 创建 QueryRunner
    QueryRunner queryRunner = new QueryRunner();
    //4. 就可以执行相关的方法,返回ArrayList 结果集
    //String sql = "select * from actor where id >= ?";
    //   注意: sql 语句也可以查询部分列
    String sql = "select id, name from actor where id >= ?";
    // 老韩解读
    //(1) query 方法就是执行sql 语句,得到resultset ---封装到 --> ArrayList 集合中
    //(2) 返回集合
    //(3) connection: 连接
    //(4) sql : 执行的sql语句
    //(5) new BeanListHandler<>(Actor.class): 在将resultset -> Actor 对象 -> 封装到 ArrayList
    //    底层使用反射机制 去获取Actor 类的属性,然后进行封装
    //(6) 1 就是给 sql 语句中的? 赋值,可以有多个值,因为是可变参数Object... params
    //(7) 底层得到的resultset ,会在query 关闭, 关闭PreparedStatment
    /**
         * 分析 queryRunner.query方法:
         * public <T> T query(Connection conn, String sql, ResultSetHandler<T> rsh, Object... params) throws SQLException {
         *         PreparedStatement stmt = null;//定义PreparedStatement
         *         ResultSet rs = null;//接收返回的 ResultSet
         *         Object result = null;//返回ArrayList
         *
         *         try {
         *             stmt = this.prepareStatement(conn, sql);//创建PreparedStatement
         *             this.fillStatement(stmt, params);//对sql 进行 ? 赋值
         *             rs = this.wrap(stmt.executeQuery());//执行sql,返回resultset
         *             result = rsh.handle(rs);//返回的resultset --> arrayList[result] [使用到反射,对传入class对象处理]
         *         } catch (SQLException var33) {
         *             this.rethrow(var33, sql, params);
         *         } finally {
         *             try {
         *                 this.close(rs);//关闭resultset
         *             } finally {
         *                 this.close((Statement)stmt);//关闭preparedstatement对象
         *             }
         *         }
         *
         *         return result;
         *     }
         */
    List<Actor> list =
        queryRunner.query(connection, sql, new BeanListHandler<>(Actor.class), 1);
    System.out.println("输出集合的信息");
    for (Actor actor : list) {
        System.out.print(actor);
    }


    //释放资源
    JDBCUtilsByDruid.close(null, null, connection);

}

//演示 apache-dbutils + druid 完成 返回的结果是单行记录(单个对象)
@Test
public void testQuerySingle() throws SQLException {

    //1. 得到 连接 (druid)
    Connection connection = JDBCUtilsByDruid.getConnection();
    //2. 使用 DBUtils 类和接口 , 先引入DBUtils 相关的jar , 加入到本Project
    //3. 创建 QueryRunner
    QueryRunner queryRunner = new QueryRunner();
    //4. 就可以执行相关的方法,返回单个对象
    String sql = "select * from actor where id = ?";
    // 老韩解读
    // 因为我们返回的单行记录<--->单个对象 , 使用的Hander 是 BeanHandler
    Actor actor = queryRunner.query(connection, sql, new BeanHandler<>(Actor.class), 10);
    System.out.println(actor);

    // 释放资源
    JDBCUtilsByDruid.close(null, null, connection);

}

//演示apache-dbutils + druid 完成查询结果是单行单列-返回的就是object
@Test
public void testScalar() throws SQLException {

    //1. 得到 连接 (druid)
    Connection connection = JDBCUtilsByDruid.getConnection();
    //2. 使用 DBUtils 类和接口 , 先引入DBUtils 相关的jar , 加入到本Project
    //3. 创建 QueryRunner
    QueryRunner queryRunner = new QueryRunner();

    //4. 就可以执行相关的方法,返回单行单列 , 返回的就是Object
    String sql = "select name from actor where id = ?";
    //老师解读: 因为返回的是一个对象, 使用的handler 就是 ScalarHandler
    Object obj = queryRunner.query(connection, sql, new ScalarHandler(), 4);
    System.out.println(obj);

    // 释放资源
    JDBCUtilsByDruid.close(null, null, connection);
}

//演示apache-dbutils + druid 完成 dml (update, insert ,delete)
@Test
public void testDML() throws SQLException {

    //1. 得到 连接 (druid)
    Connection connection = JDBCUtilsByDruid.getConnection();
    //2. 使用 DBUtils 类和接口 , 先引入DBUtils 相关的jar , 加入到本Project
    //3. 创建 QueryRunner
    QueryRunner queryRunner = new QueryRunner();

    //4. 这里组织sql 完成 update, insert delete
    //String sql = "update actor set name = ? where id = ?";
    //String sql = "insert into actor values(null, ?, ?, ?, ?)";
    String sql = "delete from actor where id = ?";

    //老韩解读
    //(1) 执行dml 操作是 queryRunner.update()
    //(2) 返回的值是受影响的行数 (affected: 受影响)
    //int affectedRow = queryRunner.update(connection, sql, "林青霞", "女", "1966-10-10", "116");
    int affectedRow = queryRunner.update(connection, sql, 1000 );
    System.out.println(affectedRow > 0 ? "执行成功" : "执行没有影响到表");

    // 释放资源
    JDBCUtilsByDruid.close(null, null, connection);

  }
}
  • i n t , d o u b l e 等 在 J a v a 中 都 用 包 装 类 , 因 为 m y s q l 中 的 所 有 类 型 都 可 能 是 N U L L , 而 J a v a 只 有 引 用 数 据 类 型 才 有 N U L L 值 。 \textcolor{red}{int,double等在Java中都用包装类,因为mysql中的所有类型都可能是NULL,而Java只有引用数据类型才有NULL值。} int,doubleJavamysqlNULLJavaNULL

DAO

  • DAO和增删查改通用方法-BasicDao
  • Apache-DBUtils+Druid简化了JDBC开发,但还有不足:
    • SQL语句是固定,不能通过参数传入,通用性不好,需要进行改进,更方便执行 增删改查
    • 对于select操作,如果有返回值,返回类型不能固定,需要使用泛型
    • 将来的表很多,业务需求复杂,不可能只靠一个Java类完成
    • 引入—>BasicDAO
    • TestDAO根据业务需求使用对应DAO,体现出各司其职,清晰业务设计理念。

在这里插入图片描述

  • DAO : data access object 数据访问对象

  • 这样的通用类,称为 BasicDao ,是专门和数据库交互的,即完成对数据库(表)的crud操作。

  • 在BasicDao 的基础上,实现一张表 对应一个Dao,更好的完成功能,比如Customer表-Customer.java类(Javabean)-CustomerDao.java

  • 一个简单设计

    • utils 工具类
    • domain JavaBean
    • dao 存放XxxDAO 和 BasicDAO
    • test 写测试类
public class BasicDAO<T> { //泛型指定具体类型

    private QueryRunner qr =  new QueryRunner();

    //开发通用的dml方法, 针对任意的表
    public int update(String sql, Object... parameters) {

        Connection connection = null;

        try {
            connection = JDBCUtilsByDruid.getConnection();
            int update = qr.update(connection, sql, parameters);
            return  update;
        } catch (SQLException e) {
           throw  new RuntimeException(e); //将编译异常->运行异常 ,抛出
        } finally {
            JDBCUtilsByDruid.close(null, null, connection);
        }

    }

    //返回多个对象(即查询的结果是多行), 针对任意表

    /**
     *
     * @param sql sql 语句,可以有 ?
     * @param clazz 传入一个类的Class对象 比如 Actor.class
     * @param parameters 传入 ? 的具体的值,可以是多个
     * @return 根据Actor.class 返回对应的 ArrayList 集合
     */
    public List<T> queryMulti(String sql, Class<T> clazz, Object... parameters) {

        Connection connection = null;
        try {
            connection = JDBCUtilsByDruid.getConnection();
            return qr.query(connection, sql, new BeanListHandler<T>(clazz), parameters);

        } catch (SQLException e) {
            throw  new RuntimeException(e); //将编译异常->运行异常 ,抛出
        } finally {
            JDBCUtilsByDruid.close(null, null, connection);
        }

    }

    //查询单行结果 的通用方法
    public T querySingle(String sql, Class<T> clazz, Object... parameters) {

        Connection connection = null;
        try {
            connection = JDBCUtilsByDruid.getConnection();
            return  qr.query(connection, sql, new BeanHandler<T>(clazz), parameters);

        } catch (SQLException e) {
            throw  new RuntimeException(e); //将编译异常->运行异常 ,抛出
        } finally {
            JDBCUtilsByDruid.close(null, null, connection);
        }
    }

    //查询单行单列的方法,即返回单值的方法

    public Object queryScalar(String sql, Object... parameters) {

        Connection connection = null;
        try {
            connection = JDBCUtilsByDruid.getConnection();
            return  qr.query(connection, sql, new ScalarHandler(), parameters);

        } catch (SQLException e) {
            throw  new RuntimeException(e); //将编译异常->运行异常 ,抛出
        } finally {
            JDBCUtilsByDruid.close(null, null, connection);
        }
    }

}
public class ActorDAO extends BasicDAO<Actor> {
    //1. 就有 BasicDAO 的方法
    //2. 根据业务需求,可以编写特有的方法.
}
public class TestDAO {

    //测试ActorDAO 对actor表crud操作
    @Test
    public void testActorDAO() {

        ActorDAO actorDAO = new ActorDAO();
        //1. 查询
        List<Actor> actors = actorDAO.queryMulti("select * from actor where id >= ?", Actor.class, 1);
        System.out.println("===查询结果===");
        for (Actor actor : actors) {
            System.out.println(actor);
        }

        //2. 查询单行记录
        Actor actor = actorDAO.querySingle("select * from actor where id = ?", Actor.class, 6);
        System.out.println("====查询单行结果====");
        System.out.println(actor);

        //3. 查询单行单列
        Object o = actorDAO.queryScalar("select name from actor where id = ?", 6);
        System.out.println("====查询单行单列值===");
        System.out.println(o);

        //4. dml操作  insert ,update, delete
        int update = actorDAO.update("insert into actor values(null, ?, ?, ?, ?)", "张无忌", "男", "2000-11-11", "999");

        System.out.println(update > 0 ? "执行成功" : "执行没有影响表");
    }
}
  • 0
    点赞
  • 0
    收藏
    觉得还不错? 一键收藏
  • 1
    评论
评论 1
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值