在MySQL的官方文檔中有明確的說明不支持嵌套事務:html
Transactions cannot be nested. This is a consequence of the implicit commit performed for any current transaction when you issue a START TRANSACTION statement or one of its synonyms.mysql
可是在咱們開發一個複雜的系統時不免會無心中在事務中嵌套了事務,好比A函數調用了B函數,A函數使用了事務,而且是在事務中調用了B函數,B函數也有一個事務,這樣就出現了事務嵌套。這時候其實A的事務就意義不大了,爲何呢?上面的文檔中就有提到,簡單的翻譯過來就是:laravel
當執行一個START TRANSACTION指令時,會隱式的執行一個commit操做。sql
因此咱們就要在系統架構層面來支持事務的嵌套。所幸的是在一些成熟的ORM框架中都作了對嵌套的支持,好比doctrine或者laravel。接下來咱們就一塊兒來看下這兩個框架是怎樣來實現的。架構
友情提示,這兩個框架的函數和變量的命名都比較的直觀,雖然看起來很長,可是都是經過命名就能直接得知這個函數或者變量的意思,因此不要一看到那麼一大坨就被嚇到了 :)框架
首先來看下在doctrine中建立事務的代碼(幹掉了不相關的代碼):函數
public function beginTransaction() { ++$this->_transactionNestingLevel; if ($this->_transactionNestingLevel == 1) { $this->_conn->beginTransaction(); } else if ($this->_nestTransactionsWithSavepoints) { $this->createSavepoint($this->_getNestedTransactionSavePointName()); } }
這個函數的第一行用一個_transactionNestingLevel
來標識當前嵌套的級別,若是是1,也就是尚未嵌套,那就用默認的方法執行一下START TRANSACTION就ok了,若是大於1,也就是有嵌套的時候,她會幫咱們建立一個savepoint,這個savepoint能夠理解爲一個事務記錄點,當須要回滾時能夠只回滾到這個點。this
而後看下rollBack
函數:翻譯
public function rollBack() { if ($this->_transactionNestingLevel == 0) { throw ConnectionException::noActiveTransaction(); } if ($this->_transactionNestingLevel == 1) { $this->_transactionNestingLevel = 0; $this->_conn->rollback(); $this->_isRollbackOnly = false; } else if ($this->_nestTransactionsWithSavepoints) { $this->rollbackSavepoint($this->_getNestedTransactionSavePointName()); --$this->_transactionNestingLevel; } else { $this->_isRollbackOnly = true; --$this->_transactionNestingLevel; } }
能夠看處處理的方式也很簡單,若是level是1,直接rollback,不然就回滾到前面的savepoint。code
而後咱們繼續看下commit
函數:
public function commit() { if ($this->_transactionNestingLevel == 0) { throw ConnectionException::noActiveTransaction(); } if ($this->_isRollbackOnly) { throw ConnectionException::commitFailedRollbackOnly(); } if ($this->_transactionNestingLevel == 1) { $this->_conn->commit(); } else if ($this->_nestTransactionsWithSavepoints) { $this->releaseSavepoint($this->_getNestedTransactionSavePointName()); } --$this->_transactionNestingLevel; }
算了,不費口舌解釋這段了吧 :)
laravel的處理方式相對簡單粗暴一些,咱們先來看下建立事務的操做:
public function beginTransaction() { ++$this->transactions; if ($this->transactions == 1) { $this->pdo->beginTransaction(); } }
感受如何?so easy吧?先判斷當前有幾個事務,若是是第一個,ok,事務開始,不然就啥都不作,那麼爲啥是啥都不作呢?繼續往下看rollBack
的操做:
public function rollBack() { if ($this->transactions == 1) { $this->transactions = 0; $this->pdo->rollBack(); } else { --$this->transactions; } }
明白了吧?只有噹噹前事務只有一個的時候纔會真正的rollback,不然只是將計數作減一操做。這也就是爲啥剛纔說laravel的處理比較簡單粗暴一些,在嵌套的內層裏面其實是木有真正的事務的,只有最外層一個總體的事務,雖然簡單粗暴,可是也解決了在內層新建一個事務時會形成commit的問題。原理就是這個樣子了,爲了保持完整起見,把commit
的代碼也copy過來吧!
public function commit() { if ($this->transactions == 1) $this->pdo->commit(); --$this->transactions; }