1. 使用注解配置:
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.stereotype.Service;
import org.springframework.transaction.annotation.Transactional;
@Service
public class MyService {
private final JdbcTemplate jdbcTemplate;
@Autowired
public MyService(JdbcTemplate jdbcTemplate) {
this.jdbcTemplate = jdbcTemplate;
}
@Transactional
public void performTransactionalOperation() {
// 执行数据库操作
jdbcTemplate.update("INSERT INTO my_table (id, name) VALUES (?, ?)", 1, "John");
// 执行其他操作
// ...
}
}
在这个示例中,@Transactional注解应用在performTransactionalOperation方法上,表示这个方法应该在一个事务内执行。Spring会根据默认的事务管理器(通常是DataSourceTransactionManager)来处理事务的开始、提交、回滚等操作。
2. XML配置方式:
如果你更喜欢使用XML配置,你可以在Spring配置文件中配置<tx:annotation-driven>元素启用注解驱动的事务管理,并指定相应的事务管理器:
<?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"
xmlns:tx="http://www.springframework.org/schema/tx"
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
http://www.springframework.org/schema/tx
http://www.springframework.org/schema/tx/spring-tx.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="transactionManager" class="org.springframework.jdbc.datasource.DataSourceTransactionManager">
<property name="dataSource" ref="dataSource" />
</bean>
<!-- 启用注解驱动的事务管理 -->
<tx:annotation-driven transaction-manager="transactionManager" />
<!-- 配置JdbcTemplate -->
<bean id="jdbcTemplate" class="org.springframework.jdbc.core.JdbcTemplate">
<property name="dataSource" ref="dataSource" />
</bean>
<!-- 其他配置 -->
</beans>
在这个配置中,<tx:annotation-driven>元素启用了注解驱动的事务管理,指定了事务管理器为transactionManager。
无论使用注解还是XML配置,声明式事务管理都大大简化了事务的处理流程,提高了代码的可读性和可维护性。
转载请注明出处:http://www.pingtaimeng.com/article/detail/6966/Spring