JDBC封装

通过jdbc对数据库进行操作通常需要好几个步骤,而对数据库的操作经常要用到,所以将jdbc封装成一个工具类以便调用。

1.配置文件

新建一个jdbc.properties文件,放在项目的src目录下。文件内容为:

driver:com.mysql.cj.jdbc.Driver
url:jdbc:mysql://localhost:3306/jdbctest?useSSL=false&serverTimezone=UTC
user:root
pwd:123456

其中jdbctest为数据库名


2.java代码

import java.io.IOException;
import java.sql.*;
import java.util.Properties;

/**
 * Created by otote Cotter on 2018/9/11.
 */
public class MySqlUtil {
    public static Connection conn=null;
    public static PreparedStatement statement=null;
    public static ResultSet resultSet=null;
    public static String driver=null;
    public static String url=null;
    public static String user=null;
    public static  String pwd=null;
    /***
     * 加载配置文件  初始化
     */
    static {
        try {
            Properties properties=new Properties();
            //加载配置文件   通过类加载器
            properties.load(MySqlUtil.class.getClassLoader().getResourceAsStream("jdbc.properties"));
            driver=properties.getProperty("driver");
            url=properties.getProperty("url");
            user=properties.getProperty("user");
            pwd=properties.getProperty("pwd");
            //加载驱动
            Class.forName(driver);
        } catch (IOException e) {
            e.printStackTrace();
        } catch (ClassNotFoundException e) {
            e.printStackTrace();
        }
    }

    /***
     * 获得连接
     * @return
     */
    public static Connection getConnection(){
        Connection connection=null;
        try {
            connection=DriverManager.getConnection(url, user, pwd);
        } catch (SQLException e) {
            e.printStackTrace();
        }
        return connection;
    }


    /***
     * 获取操作数据库的对象
     * @param sql sql语句
     * @param ob   参数    可变
     * @return PreparedStatement
     */
    public static PreparedStatement getStatement(String sql,Object...ob){
        //加载驱动
        try {
            //创建连接对象
            conn= getConnection();
            //创建执行对象
            statement=conn.prepareStatement(sql);
            //如果有参数  则添加参数
            if (ob.length>0){
                for(int i=0;i

 

你可能感兴趣的:(Java,mysql)