5.7 事务

1、声明式事务

  1. ActiveRecord支持声明式事务,声明式事务需要使用ActiveRecordPlugin提供的拦截器来实现,拦截器的配置方法见Interceptor有关章节。以下代码是声明式事务示例:
  1. // 本例仅为示例, 并未严格考虑账户状态等业务逻辑
  2. @Before(Tx.class)
  3. public void trans_demo() {
  4. // 获取转账金额
  5. Integer transAmount = getParaToInt("transAmount");
  6. // 获取转出账户id
  7. Integer fromAccountId = getParaToInt("fromAccountId");
  8. // 获取转入账户id
  9. Integer toAccountId = getParaToInt("toAccountId");
  10. // 转出操作
  11. Db.update("update account set cash = cash - ? where id = ?",
  12. transAmount, fromAccountId);
  13. // 转入操作
  14. Db.update("update account set cash = cash + ? where id = ?",
  15. transAmount, toAccountId);
  16. }
  1. 以上代码中,仅声明了一个Tx拦截器即为action添加了事务支持。除此之外ActiveRecord还配备了TxByActionKeysTxByActionKeyRegexTxByMethodsTxByMethodRegex,分别支持actionKeysactionKey正则、actionMethodsactionMethod正则声明式事务,以下是示例代码:
  1. public void configInterceptor(Interceptors me) {
  2. me.add(new TxByMethodRegex("(.*save.*|.*update.*)"));
  3. me.add(new TxByMethods("save", "update"));
  4.  
  5. me.add(new TxByActionKeyRegex("/trans.*"));
  6. me.add(new TxByActionKeys("/tx/save", "/tx/update"));
  7. }
  1. 上例中的TxByRegex拦截器可通过传入正则表达式对action进行拦截,当actionKey被正则匹配上将开启事务。TxByActionKeys可以对指定的actionKey进行拦截并开启事务,TxByMethods可以对指定的method进行拦截并开启事务。
  2. **特别注意****:声明式事务默认只针对主数据源进行回滚**,如果希望针对 “非主数据源” 进行回滚,需要使用注解进行配置,以下是示例:

  1. @TxConfig("otherConfigName")
    @Before(Tx.class)
    public void doIt() {

    }

  1. 以上代码中的 @TxConfig 注解可以配置针对 otherConfigName 进行回滚。
  2. **注意**:MySql数据库表必须设置为InnoDB引擎时才支持事务,MyISAM并不支持事务。

2、Db.tx 事务

  1. 除了声明式事务以外,还可以直接使用代码来为一段代码添加事务,以下是示例代码:
  1. Db.tx(new IAtom() {
  2. public boolean run() throws SQLException {
  3. Db.update("update t1 set f1 = ?", 123);
  4. Db.update("update t2 set f2 = ?", 456);
  5. return true;
  6. }
  7. });
  1. 以上代码中的两个 Db.update 数据库操作将开启事务。Db.tx 做事务的好处是控制粒度更细,并且可以通过 return false 进行回滚,也即不必抛出异常即可回滚。
  2. 与声明式事务一样,Db.tx 方法**默认针对主数据源**进行事务处理,如果希望对其它数据源开启事务,使用 **Db.use(configName).tx(...)** 即可。

< 5.6 paginate 分页

5.8 Cache 缓存 >

原文: http://www.jfinal.com/doc/5-7