我正在研究如何在 Spring Framework 中使用 JDBC 对数据库执行查询。
我正在关注本教程:http ://www.tutorialspoint.com/spring/spring_jdbc_example.htm
在本教程中,我定义了一个StudentDAO接口,它只定义了我想要的 CRUD 方法。
然后定义Student类,它是我要在 Student 数据库表上持久保存的实体。
然后定义StudentMapper类,它是RowMapper接口的特定实现,在这种情况下,用于将ResultSet中的特定记录(由查询返回)映射到Student对象。
然后我有StudentJDBCTemplate,它表示我的StudentDAO接口的实现,在这个类中我实现了接口中定义的CRUD方法。
好的,现在我对StudentMapper类的工作方式有疑问:在这个StudentJDBCTemplate类中,定义了返回 Student 数据库表中所有记录列表的方法,这个:
public List<Student> listStudents() {
String SQL = "select * from Student";
List <Student> students = jdbcTemplateObject.query(SQL,
new StudentMapper());
return students;
}
你怎么看,这个方法返回一个学生对象列表,并以下列方式工作:
它做的第一件事是在 SQL 字符串中定义返回 Student 数据库表中所有记录的查询。
然后这个查询是通过jdbcTemplateObject对象上的查询方法调用来执行的(即JdbcTemplate Spring类的一个实例**
此方法采用两个参数:SQL 字符串(包含必须执行的 SQL 查询)和一个新的StudentMapper对象,该对象采用查询返回的ResultSet对象并将其记录映射到新的 Student 对象
在这里阅读:http : //static.springsource.org/spring/docs/current/javadoc-api/org/springframework/jdbc/core/JdbcTemplate.html 说:执行给定静态SQL的查询,将每一行映射到Java通过 RowMapper 对象。
我的疑问与我的StudentMapper使用mapRow()方法在 Student 对象上映射 ResultSet 记录有关,这是代码:
package com.tutorialspoint;
import java.sql.ResultSet;
import java.sql.SQLException;
import org.springframework.jdbc.core.RowMapper;
public class StudentMapper implements RowMapper<Student> {
public Student mapRow(ResultSet rs, int rowNum) throws SQLException {
Student student = new Student();
student.setId(rs.getInt("id"));
student.setName(rs.getString("name"));
student.setAge(rs.getInt("age"));
return student;
}
}
那么,谁调用这个mapRow方法呢?它是由 Spring Framework 自动调用的吗?(因为在此示例中从未手动调用...)
肿瘤坏死因子
安德烈亚
然后这个查询是通过jdbcTemplateObject对象上的查询方法调用来执行的(即JdbcTemplate Spring类的一个实例**