以下是一个简单的Spring存储过程示例:
1. 创建存储过程: 首先,假设有一个简单的存储过程,它返回指定ID的用户的姓名。在数据库中创建存储过程:
CREATE PROCEDURE GetUserNameById (IN userId INT, OUT userName VARCHAR(255))
BEGIN
SELECT name INTO userName FROM user WHERE id = userId;
END;
2. Spring配置: 在Spring配置文件中,配置数据源和SimpleJdbcCall。
<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xmlns:context="http://www.springframework.org/schema/context"
xsi:schemaLocation="http://www.springframework.org/schema/beans
http://www.springframework.org/schema/beans/spring-beans.xsd
http://www.springframework.org/schema/context
http://www.springframework.org/schema/context/spring-context.xsd">
<context:annotation-config />
<bean id="dataSource" class="org.springframework.jdbc.datasource.DriverManagerDataSource">
<property name="driverClassName" value="com.mysql.cj.jdbc.Driver" />
<property name="url" value="jdbc:mysql://localhost:3306/mydb" />
<property name="username" value="root" />
<property name="password" value="password" />
</bean>
<bean id="simpleJdbcCall" class="org.springframework.jdbc.core.simple.SimpleJdbcCall">
<property name="dataSource" ref="dataSource" />
<property name="procedureName" value="GetUserNameById" />
<property name="returningResultSet" value="userName" />
<property name="sqlOutParameterTypes">
<map>
<entry key="userName" value="VARCHAR" />
</map>
</property>
</bean>
</beans>
3. 执行存储过程: 创建一个DAO类,使用SimpleJdbcCall执行存储过程。
import org.springframework.jdbc.core.simple.SimpleJdbcCall;
import org.springframework.stereotype.Repository;
import java.util.Map;
@Repository
public class MyDao {
private final SimpleJdbcCall simpleJdbcCall;
public MyDao(SimpleJdbcCall simpleJdbcCall) {
this.simpleJdbcCall = simpleJdbcCall;
}
public String getUserNameById(int userId) {
Map<String, Object> result = simpleJdbcCall.execute(userId);
return (String) result.get("userName");
}
}
4. 应用程序类: 创建一个应用程序类,使用Spring IoC容器加载配置和执行存储过程。
import org.springframework.context.ApplicationContext;
import org.springframework.context.support.ClassPathXmlApplicationContext;
public class MainApp {
public static void main(String[] args) {
ApplicationContext context = new ClassPathXmlApplicationContext("applicationContext.xml");
MyDao myDao = context.getBean(MyDao.class);
// 执行存储过程获取用户姓名
String userName = myDao.getUserNameById(1);
System.out.println("User Name: " + userName);
}
}
在这个示例中,SimpleJdbcCall类用于执行存储过程,并通过procedureName属性指定存储过程的名称。returningResultSet和sqlOutParameterTypes属性用于定义输出参数。在DAO类中,通过simpleJdbcCall.execute方法执行存储过程,并从返回的Map中获取结果。
确保在实际应用中根据数据库类型和具体需求进行适当的配置和调整。此外,注意存储过程的参数和返回值的数据类型需要正确匹配。
转载请注明出处:http://www.pingtaimeng.com/article/detail/6963/Spring