Declarative Transaction Demarcation

    我们推荐你使用 Spring 的声明式事务支持,它可以让你用 AOP 事务拦截器取代 Java 代码中明确的事务分界 API 调用。你可以通过使用 Java 注解或 XML 在 Spring 容器中配置这个事务拦截器。这种声明式事务能力让你保持业务服务不受重复的事务分界代码的影响,而专注于增加业务逻辑,这才是你的应用程序的真正价值所在。

    :::info 在你继续之前,我们强烈建议你阅读 声明式事务管理,如果你还没有这样做的话。 :::

    你可以用 @Transactional 注解来注解服务层,并指示 Spring 容器找到这些注解,并为这些被注解的方法提供事务性语义。下面的例子展示了如何做到这一点。

    1. public class ProductServiceImpl implements ProductService {
    2. private ProductDao productDao;
    3. public void setProductDao(ProductDao productDao) {
    4. this.productDao = productDao;
    5. }
    6. @Transactional
    7. public void increasePriceOfAllProductsInCategory(final String category) {
    8. List productsToChange = this.productDao.loadProductsByCategory(category);
    9. // ...
    10. }
    11. @Transactional(readOnly = true)
    12. public List<Product> findAllProducts() {
    13. return this.productDao.findAllProducts();
    14. }
    15. }

    在容器中,你需要设置 PlatformTransactionManager 实现(作为一个 bean)和一个 <tx:annotation-driven/>条目,在运行时选择进入@Transactional处理。下面的例子展示了如何做到这一点:

    1. <?xml version="1.0" encoding="UTF-8"?>
    2. <beans xmlns="http://www.springframework.org/schema/beans"
    3. xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
    4. xmlns:aop="http://www.springframework.org/schema/aop"
    5. xmlns:tx="http://www.springframework.org/schema/tx"
    6. xsi:schemaLocation="
    7. http://www.springframework.org/schema/beans
    8. https://www.springframework.org/schema/beans/spring-beans.xsd
    9. http://www.springframework.org/schema/tx
    10. https://www.springframework.org/schema/tx/spring-tx.xsd
    11. http://www.springframework.org/schema/aop
    12. https://www.springframework.org/schema/aop/spring-aop.xsd">
    13. <!-- SessionFactory, DataSource, etc. omitted -->
    14. <bean id="transactionManager"
    15. class="org.springframework.orm.hibernate5.HibernateTransactionManager">
    16. <property name="sessionFactory" ref="sessionFactory"/>
    17. </bean>
    18. <tx:annotation-driven/>
    19. <bean id="myProductService" class="product.SimpleProductService">
    20. <property name="productDao" ref="myProductDao"/>
    21. </bean>
    22. </beans>