JDBC API
- 实现Java程序对各种数据库的访问
- 一组接口和类,位于java.sql与javax.sql包
- 面向接口编程
jdbc程序面向接口,可灵活更换不同的数据库厂商,只需要导入相应的jar包jar包实现jdbc的接口,能实现jdbc的规范,具有jdbc接口定义的一些行为
通过JDBC连接数据库
- Class.forName(String)加载驱动
- 获得数据库连接(Connection)创建Statement或PreparedStatement对象、执行sql语句
- 返回并处理执行结果(若查询操作,返回ResultSet)
- 释放资源
使用JDBC操作数据库-增删改查
Statement与PreparedStatement区别
- PreparedStatement接口继承Statement
- Statement stm = new connection.createStatement();
- PreparedStatement pstm = connection.prepareStatement(sql);
1.SQL语句使用“?”作为占位符
2.使用setXxx()方法设置数据 - PreparedStatement——预编译
1.效率高、性能好、开销小
2.安全,防止注入攻击
3.代码可读性好
package cn.kgc.jdbc;
import cn.kgc.utilsjdbc.UtilsJDBC;
import org.junit.Test;
import java.sql.Connection;
import java.sql.PreparedStatement;
import java.sql.ResultSet;
import java.sql.SQLException;
//使用prepareStatement对象 对数据库进行增删改查
public class PrepareStatement {
//使用prepareStatement对象 对数据库进行增加操作
@Test
public void testInsert() throws SQLException {
Connection conn = UtilsJDBC.getConnection();
PreparedStatement pst = conn.prepareStatement("insert into users(username,password)values (?,?)");
//设置占位符
pst.setObject(1,"fanfan");
pst.setObject(2,"123456");
//执行SQL语句
int row = pst.executeUpdate();
System.out.println(row+"行改变");
//释放资源
UtilsJDBC.close(null,pst,conn);
}
@Test
public void testUpdate() throws SQLException {
//使用prepareStatement对象对数据表进行更新数据
Connection conn = UtilsJDBC.getConnection();
//获得执行者对象
PreparedStatement pst = conn.prepareStatement("alter table users change name username varchar(36)");
//执行SQL语句
int row = pst.executeUpdate();
System.out.println(row+"行更新");
//释放资源
UtilsJDBC.close(null,pst,conn);
}
@Test
public void testDelete() throws SQLException {
//使用prepareStatement对象对数据库进行删除数据
Connection conn = UtilsJDBC.getConnection();
//获得执行者对象
PreparedStatement pst = conn.prepareStatement("DELETE FROM users WHERE uid=?");
pst.setInt(1,2);
//执行SQL语句
int row = pst.executeUpdate();
System.out.println(row+"行删除");
//释放资源
UtilsJDBC.close(null,pst,conn);
}
@Test
public void testSelect() throws SQLException {
//使用prepareStatement对象对数据库进行查询操作
Connection conn = UtilsJDBC.getConnection();
//获得执行者对象
PreparedStatement pst = conn.prepareStatement("select * from users");
//执行SQL语句
ResultSet rs = pst.executeQuery();
if (rs.next()){
String s1 = rs.getString(1);
String s2 = rs.getString(2);
String s3 = rs.getString(3);
System.out.println(s1+" "+s2+" "+s3);
}
//关闭资源
UtilsJDBC.close(rs,pst,conn);
}
}