JDBC之工具类封装
编写工具类步骤
1、将固定字符串定义为常量
2、由于工具类的方法都是静态,因此注册驱动可以放在静态代码块中
3、提供获取连接对象的方法Connection getConnection();
4、提供关闭资源的方法close(ResultSet rs,Statement stmt,Connection conn);
5、重载关闭资源方法close(Statement stmt,Connection conn);
public class JDBCUtils {
private static final String JDBC_URL = "jdbc:mysql://localhost:3306/day18";
private static final String JDBC_USER = "root";
private static final String JDBC_PASSWORD = "root";
//静态代码块,在类加载时只会执行一次
static{
//注册驱动
try {
Class.forName("com.mysql.jdbc.Driver");
} catch (ClassNotFoundException e) {
e.printStackTrace();
}
}
public static Connection getConnection(){
//返回连接对象
try {
return DriverManager.getConnection(JDBC_URL,JDBC_USER,JDBC_PASSWORD);
} catch (SQLException e) {
e.printStackTrace();
throw new RuntimeException(e);
}
// return null;
}
//关闭资源
public static void close(ResultSet rs, Statement stmt, Connection conn){
if (rs!=null){
try {
rs.close();
} catch (SQLException e) {
e.printStackTrace();
}
}
if (stmt!=null){
try {
stmt.close();
} catch (SQLException e) {
e.printStackTrace();
}
}
if (conn!=null){
try {
conn.close();
} catch (SQLException e) {
e.printStackTrace();
}
}
}
//重载关闭资源
public static void close(Statement stmt,Connection conn){
close(null,stmt,conn);
}
} |
|