PostgreSQL事务初始化过程概要

前端之家收集整理的这篇文章主要介绍了PostgreSQL事务初始化过程概要前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。

事务状态结构定义如下:

  1. typedefstructTransactionStateData
  2. {
  3. TransactionIdtransactionId; /*myXID,orInvalidifnone*/
  4. SubTransactionIdsubTransactionId; /*mysubxactID*/
  5. char *name; /*savepointname,ifany*/
  6. int savepointLevel;/*savepointlevel*/
  7. TransState state; /*low-levelstate*/
  8. TBlockStateblockState; /*high-levelstate*/
  9. int nestingLevel; /*transactionnestingdepth*/
  10. int gucNestLevel; /*GUCcontextnestingdepth*/
  11. MemoryContextcurTransactionContext; /*myxact-lifetimecontext*/
  12. ResourceOwnercurTransactionOwner; /*myqueryresources*/
  13. TransactionId*childXids; /*subcommittedchildXIDs,inXIDorder*/
  14. int nChildXids; /*#ofsubcommittedchildXIDs*/
  15. int maxChildXids; /*allocatedsizeofchildXids[]*/
  16. Oid prevUser; /*prevIoUsCurrentUserIdsetting*/
  17. int prevSecContext;/*prevIoUsSecurityRestrictionContext*/
  18. bool prevXactReadOnly; /*entry-timexactr/ostate*/
  19. bool startedInRecovery; /*didwestartinrecovery?*/
  20. bool didLogXid; /*hasxidbeenincludedinWALrecord?*/
  21. structTransactionStateData*parent; /*backlinktoparent*/
  22. }TransactionStateData;
  23.  
  24. typedefTransactionStateData*TransactionState;



顶层事务状态初始定义,当前事务状态经常在运行过程中指向它:

  1. staticTransactionStateDataTopTransactionStateData={
  2. 0,/*transactionid*/
  3. 0,/*subtransactionid*/
  4. NULL,/*savepointname*/
  5. 0,/*savepointlevel*/
  6. TRANS_DEFAULT,/*transactionstate*/
  7. TBLOCK_DEFAULT,/*transactionblockstatefromtheclient
  8. *perspective*/
  9. 0,/*transactionnestingdepth*/
  10. 0,/*GUCcontextnestingdepth*/
  11. NULL,/*curtransactioncontext*/
  12. NULL,/*curtransactionresourceowner*/
  13. NULL,/*subcommittedchildXids*/
  14. 0,/*#ofsubcommittedchildXids*/
  15. 0,/*allocatedsizeofchildXids[]*/
  16. InvalidOid,/*prevIoUsCurrentUserIdsetting*/
  17. 0,/*prevIoUsSecurityRestrictionContext*/
  18. false,/*entry-timexactr/ostate*/
  19. false,/*startedInRecovery*/
  20. false,/*didLogXid*/
  21. NULL /*linktoparentstateblock*/
  22. };

当任何语句(或语句块)执行前,都会检查当前事务状态,如果未开始事务,则新开始一个。可以在 src/backend/tcop/postgres.c 函数 exec_simple_query() 中看到相关代码循环体:

  1. ...
  2. start_xact_command();
  3. ...
  4. for(parsetree_item,parsetree_list)
  5. ...
  6. start_xact_command();
  7. ...

start_xact_command() 函数内:

此处判断事务状态并开始,会用到上述结构定义,并且可以看到使用的状态是 blockState 此时为 TBLOCK_DEFAULT。随后的 StartTransaction() 函数中 state(low-level state) 由 TRANS_DEFAULT 变为 TRANS_START,事务ID 为无效(InvalidTransactionId,也就是0)。

StartTransaction()中也可以看到 PG此时开始了一个虚事务(virtual transaction),并分配了一个本地事务ID。最终经过一系列初始化之后,state 变为 TRANS_INPROGRESS。

成功调用 StartTransaction() 之后 blockState 变为 TBLOCK_STARTED。

猜你在找的Postgre SQL相关文章