📜  Spring JdbcTemplate中PreparedStatement的示例

📅  最后修改于: 2020-12-04 07:57:17             🧑  作者: Mango

Spring JdbcTemplate中的PreparedStatement示例

我们可以借助JdbcTemplate类的execute()方法使用Spring JdbcTemplate执行参数化查询。要使用参数化查询,我们在execute方法中传递PreparedStatementCallback的实例。

使用参数化查询的execute方法的语法

public T execute(String sql,PreparedStatementCallback);

PreparedStatementCallback接口

它处理输入参数和输出结果。在这种情况下,您不必关心单引号和双引号。

PreparedStatementCallback接口的方法

它只有一种方法doInPreparedStatement。该方法的语法如下:

public T doInPreparedStatement(PreparedStatement ps)throws SQLException, DataAccessException

在Spring中使用PreparedStatement的示例

我们假设您已经在Oracle10g数据库中创建了下表。

create table employee(
id number(10),
name varchar2(100),
salary number(10)
);

此类包含3个带有构造函数,setter和getter的属性。

package com.javatpoint;

public class Employee {
private int id;
private String name;
private float salary;
//no-arg and parameterized constructors
//getters and setters
}

它包含一个属性jdbcTemplate和一个方法saveEmployeeByPreparedStatement。您必须了解匿名类的概念才能了解方法的代码。

package com.javatpoint;
import java.sql.PreparedStatement;
import java.sql.SQLException;

import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jdbc.core.PreparedStatementCallback;

public class EmployeeDao {
private JdbcTemplate jdbcTemplate;

public void setJdbcTemplate(JdbcTemplate jdbcTemplate) {
    this.jdbcTemplate = jdbcTemplate;
}

public Boolean saveEmployeeByPreparedStatement(final Employee e){
    String query="insert into employee values(?,?,?)";
    return jdbcTemplate.execute(query,new PreparedStatementCallback(){
    @Override
    public Boolean doInPreparedStatement(PreparedStatement ps)
            throws SQLException, DataAccessException {
            
        ps.setInt(1,e.getId());
        ps.setString(2,e.getName());
        ps.setFloat(3,e.getSalary());
            
        return ps.execute();
            
    }
    });
}


}

DriverManagerDataSource用于包含有关数据库的信息,例如驱动程序类名称,连接URL,用户名和密码。

DriverManagerDataSource类型的JdbcTemplate类中有一个名为datasource的属性。因此,我们需要在JdbcTemplate类中为datasource属性提供对DriverManagerDataSource对象的引用。

在这里,我们在EmployeeDao类中使用JdbcTemplate对象,因此我们通过setter方法传递它,但是您也可以使用构造函数。





















此类从applicationContext.xml文件获取Bean,然后调用saveEmployeeByPreparedStatement()方法。

package com.javatpoint;

import org.springframework.context.ApplicationContext;
import org.springframework.context.support.ClassPathXmlApplicationContext;
public class Test {

public static void main(String[] args) {
    ApplicationContext ctx=new ClassPathXmlApplicationContext("applicationContext.xml");
        
    EmployeeDao dao=(EmployeeDao)ctx.getBean("edao");
    dao.saveEmployeeByPreparedStatement(new Employee(108,"Amit",35000));
}
}