1

我正在使用 Spring JDBC Template 和 PostgreSQL。以下是我的配置数据源和事务设置:

<bean id="databasePropertyConfigurer"
          class="org.springframework.beans.factory.config.PropertyPlaceholderConfigurer"
          p:location="/WEB-INF/config/database.properties" />

    <bean id="dataSource"
          class="org.springframework.jdbc.datasource.DriverManagerDataSource"
          p:driverClassName="${database.driverClassName}"
          p:url="${database.url}"
          p:username="${database.username}"
          p:password="${database.password}" />

    <bean id="txManager" class="org.springframework.jdbc.datasource.DataSourceTransactionManager">
        <property name="dataSource" ref="dataSource"/>
    </bean>

    <tx:annotation-driven transaction-manager="txManager" />

在我的业务层中,我正在执行以下操作:

@Transactional(rollbackFor=Exception.class)
@RequiresPermissions("hc:patient_createInvoice")
public Long createInvoice(Invoice invoice, List<InvoiceItem> items) throws ValidationException, NetAmountMismatchException, PatientInvoiceException
{
       try{
            dao1.insert(invoice);
       }
       catch(DataAccessException x){
            throw new PatientInvoiceException(x);
       }

       try{
            somevalidation(invoiceItem);    // Causes validation exception
            dao2.insert(invoiceItems);
       }
       catch(DataAccessException x){
       throw new PatientInvoiceException(x);
   }
}

类似的东西。我需要的是,每当此方法抛出任何异常(检查或未检查)时,到目前为止执行的所有数据库更新都应该滚动。

当前代码不会发生这种情况。

我实际上错过了什么?

4

1 回答 1

4

默认情况下,Spring 只回滚未检查异常的事务。来自Spring 参考手册

Spring Framework 的事务基础代码仅在运行时、未检查异常的情况下将事务标记为回滚;[...] 从事务方法抛出的已检查异常不会导致默认配置回滚。

但是,您也可以将 Spring 配置为回滚检查的异常,例如:

<tx:advice id="txAdvice">
    <tx:attributes>
        <tx:method name="*" rollback-for="ValidationException, NetAmountMismatchException, PatientInvoiceException" />
    </tx:attributes>
</tx:advice>
于 2011-11-06T20:49:56.153 回答