JDBC2

PreparedStatement

  使用Connection的prepareStatement(String sql):即创建它时就让它与一条SQL模板绑定;调用PreparedStatement的setXXX()系列方法为问号设置值调用executeUpdate()或executeQuery()方法,但要注意,调用没有参数的方法;
  在使用Connection创建PreparedStatement对象时需要给出一个SQL模板,所谓SQL模板就是有“?”的SQL语句,其中“?”就是参数。在得到PreparedStatement对象后,调用它的setXXX()方法为“?”赋值,这样就可以得到把模板变成一条完整的SQL语句,然后再调用PreparedStatement对象的executeQuery()方法获取ResultSet对象。
  注意PreparedStatement对象独有的executeQuery()方法是没有参数的,而Statement的executeQuery()是需要参数(SQL语句)的。因为在创建PreparedStatement对象时已经让它与一条SQL模板绑定在一起了,所以在调用它的executeQuery()和executeUpdate()方法时就不再需要参数了。PreparedStatement最大的好处就是在于重复使用同一模板,给予其不同的参数来重复的使用它。这才是真正提高效率的原因。

  所以,建议大家在今后的开发中,无论什么情况,都去需要PreparedStatement,而不是使用Statement。

实例

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
public class jdbc1 {
/**
* 最基本的JDBC实现
* @throws ClassNotFoundException
* @throws SQLException
*/
@Test
public void jdbc_test() throws ClassNotFoundException, SQLException{
//1,获取驱动
Class.forName("com.mysql.jdbc.Driver");
//2,获取连接
Connection conn = DriverManager.getConnection("jdbc:mysql://localhost:3306/java", "root", "root");
//3,创建预处理对象,并传入sql
PreparedStatement prep = conn.prepareStatement("select * from user where id=? and age=?");
//4,给上面的sql中的"?"处赋值
prep.setInt(1, 1);
prep.setInt(2, 26);
//5,执行sql
ResultSet re = prep.executeQuery();

if (re.next()){
System.out.println("执行成功!");
}

//6,释放连接,从后往前关闭
if (re!=null){re.close();}
if (prep!=null){prep.close();}
if (conn!=null){conn.close();}

}
}