]> granicus.if.org Git - postgresql/blob - src/backend/access/transam/twophase.c
Add OpenTransientFile, with automatic cleanup at end-of-xact.
[postgresql] / src / backend / access / transam / twophase.c
1 /*-------------------------------------------------------------------------
2  *
3  * twophase.c
4  *              Two-phase commit support functions.
5  *
6  * Portions Copyright (c) 1996-2012, PostgreSQL Global Development Group
7  * Portions Copyright (c) 1994, Regents of the University of California
8  *
9  * IDENTIFICATION
10  *              src/backend/access/transam/twophase.c
11  *
12  * NOTES
13  *              Each global transaction is associated with a global transaction
14  *              identifier (GID). The client assigns a GID to a postgres
15  *              transaction with the PREPARE TRANSACTION command.
16  *
17  *              We keep all active global transactions in a shared memory array.
18  *              When the PREPARE TRANSACTION command is issued, the GID is
19  *              reserved for the transaction in the array. This is done before
20  *              a WAL entry is made, because the reservation checks for duplicate
21  *              GIDs and aborts the transaction if there already is a global
22  *              transaction in prepared state with the same GID.
23  *
24  *              A global transaction (gxact) also has dummy PGXACT and PGPROC; this is
25  *              what keeps the XID considered running by TransactionIdIsInProgress.
26  *              It is also convenient as a PGPROC to hook the gxact's locks to.
27  *
28  *              In order to survive crashes and shutdowns, all prepared
29  *              transactions must be stored in permanent storage. This includes
30  *              locking information, pending notifications etc. All that state
31  *              information is written to the per-transaction state file in
32  *              the pg_twophase directory.
33  *
34  *-------------------------------------------------------------------------
35  */
36 #include "postgres.h"
37
38 #include <fcntl.h>
39 #include <sys/stat.h>
40 #include <sys/types.h>
41 #include <time.h>
42 #include <unistd.h>
43
44 #include "access/htup_details.h"
45 #include "access/subtrans.h"
46 #include "access/transam.h"
47 #include "access/twophase.h"
48 #include "access/twophase_rmgr.h"
49 #include "access/xact.h"
50 #include "access/xlogutils.h"
51 #include "catalog/pg_type.h"
52 #include "catalog/storage.h"
53 #include "funcapi.h"
54 #include "miscadmin.h"
55 #include "pg_trace.h"
56 #include "pgstat.h"
57 #include "replication/walsender.h"
58 #include "replication/syncrep.h"
59 #include "storage/fd.h"
60 #include "storage/predicate.h"
61 #include "storage/proc.h"
62 #include "storage/procarray.h"
63 #include "storage/sinvaladt.h"
64 #include "storage/smgr.h"
65 #include "utils/builtins.h"
66 #include "utils/memutils.h"
67 #include "utils/timestamp.h"
68
69
70 /*
71  * Directory where Two-phase commit files reside within PGDATA
72  */
73 #define TWOPHASE_DIR "pg_twophase"
74
75 /* GUC variable, can't be changed after startup */
76 int                     max_prepared_xacts = 0;
77
78 /*
79  * This struct describes one global transaction that is in prepared state
80  * or attempting to become prepared.
81  *
82  * The lifecycle of a global transaction is:
83  *
84  * 1. After checking that the requested GID is not in use, set up an
85  * entry in the TwoPhaseState->prepXacts array with the correct XID and GID,
86  * with locking_xid = my own XID and valid = false.
87  *
88  * 2. After successfully completing prepare, set valid = true and enter the
89  * referenced PGPROC into the global ProcArray.
90  *
91  * 3. To begin COMMIT PREPARED or ROLLBACK PREPARED, check that the entry
92  * is valid and its locking_xid is no longer active, then store my current
93  * XID into locking_xid.  This prevents concurrent attempts to commit or
94  * rollback the same prepared xact.
95  *
96  * 4. On completion of COMMIT PREPARED or ROLLBACK PREPARED, remove the entry
97  * from the ProcArray and the TwoPhaseState->prepXacts array and return it to
98  * the freelist.
99  *
100  * Note that if the preparing transaction fails between steps 1 and 2, the
101  * entry will remain in prepXacts until recycled.  We can detect recyclable
102  * entries by checking for valid = false and locking_xid no longer active.
103  *
104  * typedef struct GlobalTransactionData *GlobalTransaction appears in
105  * twophase.h
106  */
107 #define GIDSIZE 200
108
109 typedef struct GlobalTransactionData
110 {
111         GlobalTransaction next;         /* list link for free list */
112         int                     pgprocno;               /* ID of associated dummy PGPROC */
113         BackendId       dummyBackendId; /* similar to backend id for backends */
114         TimestampTz prepared_at;        /* time of preparation */
115         XLogRecPtr      prepare_lsn;    /* XLOG offset of prepare record */
116         Oid                     owner;                  /* ID of user that executed the xact */
117         TransactionId locking_xid;      /* top-level XID of backend working on xact */
118         bool            valid;                  /* TRUE if fully prepared */
119         char            gid[GIDSIZE];   /* The GID assigned to the prepared xact */
120 }       GlobalTransactionData;
121
122 /*
123  * Two Phase Commit shared state.  Access to this struct is protected
124  * by TwoPhaseStateLock.
125  */
126 typedef struct TwoPhaseStateData
127 {
128         /* Head of linked list of free GlobalTransactionData structs */
129         GlobalTransaction freeGXacts;
130
131         /* Number of valid prepXacts entries. */
132         int                     numPrepXacts;
133
134         /*
135          * There are max_prepared_xacts items in this array, but C wants a
136          * fixed-size array.
137          */
138         GlobalTransaction prepXacts[1];         /* VARIABLE LENGTH ARRAY */
139 } TwoPhaseStateData;                    /* VARIABLE LENGTH STRUCT */
140
141 static TwoPhaseStateData *TwoPhaseState;
142
143
144 static void RecordTransactionCommitPrepared(TransactionId xid,
145                                                                 int nchildren,
146                                                                 TransactionId *children,
147                                                                 int nrels,
148                                                                 RelFileNode *rels,
149                                                                 int ninvalmsgs,
150                                                                 SharedInvalidationMessage *invalmsgs,
151                                                                 bool initfileinval);
152 static void RecordTransactionAbortPrepared(TransactionId xid,
153                                                            int nchildren,
154                                                            TransactionId *children,
155                                                            int nrels,
156                                                            RelFileNode *rels);
157 static void ProcessRecords(char *bufptr, TransactionId xid,
158                            const TwoPhaseCallback callbacks[]);
159
160
161 /*
162  * Initialization of shared memory
163  */
164 Size
165 TwoPhaseShmemSize(void)
166 {
167         Size            size;
168
169         /* Need the fixed struct, the array of pointers, and the GTD structs */
170         size = offsetof(TwoPhaseStateData, prepXacts);
171         size = add_size(size, mul_size(max_prepared_xacts,
172                                                                    sizeof(GlobalTransaction)));
173         size = MAXALIGN(size);
174         size = add_size(size, mul_size(max_prepared_xacts,
175                                                                    sizeof(GlobalTransactionData)));
176
177         return size;
178 }
179
180 void
181 TwoPhaseShmemInit(void)
182 {
183         bool            found;
184
185         TwoPhaseState = ShmemInitStruct("Prepared Transaction Table",
186                                                                         TwoPhaseShmemSize(),
187                                                                         &found);
188         if (!IsUnderPostmaster)
189         {
190                 GlobalTransaction gxacts;
191                 int                     i;
192
193                 Assert(!found);
194                 TwoPhaseState->freeGXacts = NULL;
195                 TwoPhaseState->numPrepXacts = 0;
196
197                 /*
198                  * Initialize the linked list of free GlobalTransactionData structs
199                  */
200                 gxacts = (GlobalTransaction)
201                         ((char *) TwoPhaseState +
202                          MAXALIGN(offsetof(TwoPhaseStateData, prepXacts) +
203                                           sizeof(GlobalTransaction) * max_prepared_xacts));
204                 for (i = 0; i < max_prepared_xacts; i++)
205                 {
206                         /* insert into linked list */
207                         gxacts[i].next = TwoPhaseState->freeGXacts;
208                         TwoPhaseState->freeGXacts = &gxacts[i];
209
210                         /* associate it with a PGPROC assigned by InitProcGlobal */
211                         gxacts[i].pgprocno = PreparedXactProcs[i].pgprocno;
212
213                         /*
214                          * Assign a unique ID for each dummy proc, so that the range of
215                          * dummy backend IDs immediately follows the range of normal
216                          * backend IDs. We don't dare to assign a real backend ID to dummy
217                          * procs, because prepared transactions don't take part in cache
218                          * invalidation like a real backend ID would imply, but having a
219                          * unique ID for them is nevertheless handy. This arrangement
220                          * allows you to allocate an array of size (MaxBackends +
221                          * max_prepared_xacts + 1), and have a slot for every backend and
222                          * prepared transaction. Currently multixact.c uses that
223                          * technique.
224                          */
225                         gxacts[i].dummyBackendId = MaxBackends + 1 + i;
226                 }
227         }
228         else
229                 Assert(found);
230 }
231
232
233 /*
234  * MarkAsPreparing
235  *              Reserve the GID for the given transaction.
236  *
237  * Internally, this creates a gxact struct and puts it into the active array.
238  * NOTE: this is also used when reloading a gxact after a crash; so avoid
239  * assuming that we can use very much backend context.
240  */
241 GlobalTransaction
242 MarkAsPreparing(TransactionId xid, const char *gid,
243                                 TimestampTz prepared_at, Oid owner, Oid databaseid)
244 {
245         GlobalTransaction gxact;
246         PGPROC     *proc;
247         PGXACT     *pgxact;
248         int                     i;
249
250         if (strlen(gid) >= GIDSIZE)
251                 ereport(ERROR,
252                                 (errcode(ERRCODE_INVALID_PARAMETER_VALUE),
253                                  errmsg("transaction identifier \"%s\" is too long",
254                                                 gid)));
255
256         /* fail immediately if feature is disabled */
257         if (max_prepared_xacts == 0)
258                 ereport(ERROR,
259                                 (errcode(ERRCODE_OBJECT_NOT_IN_PREREQUISITE_STATE),
260                                  errmsg("prepared transactions are disabled"),
261                           errhint("Set max_prepared_transactions to a nonzero value.")));
262
263         LWLockAcquire(TwoPhaseStateLock, LW_EXCLUSIVE);
264
265         /*
266          * First, find and recycle any gxacts that failed during prepare. We do
267          * this partly to ensure we don't mistakenly say their GIDs are still
268          * reserved, and partly so we don't fail on out-of-slots unnecessarily.
269          */
270         for (i = 0; i < TwoPhaseState->numPrepXacts; i++)
271         {
272                 gxact = TwoPhaseState->prepXacts[i];
273                 if (!gxact->valid && !TransactionIdIsActive(gxact->locking_xid))
274                 {
275                         /* It's dead Jim ... remove from the active array */
276                         TwoPhaseState->numPrepXacts--;
277                         TwoPhaseState->prepXacts[i] = TwoPhaseState->prepXacts[TwoPhaseState->numPrepXacts];
278                         /* and put it back in the freelist */
279                         gxact->next = TwoPhaseState->freeGXacts;
280                         TwoPhaseState->freeGXacts = gxact;
281                         /* Back up index count too, so we don't miss scanning one */
282                         i--;
283                 }
284         }
285
286         /* Check for conflicting GID */
287         for (i = 0; i < TwoPhaseState->numPrepXacts; i++)
288         {
289                 gxact = TwoPhaseState->prepXacts[i];
290                 if (strcmp(gxact->gid, gid) == 0)
291                 {
292                         ereport(ERROR,
293                                         (errcode(ERRCODE_DUPLICATE_OBJECT),
294                                          errmsg("transaction identifier \"%s\" is already in use",
295                                                         gid)));
296                 }
297         }
298
299         /* Get a free gxact from the freelist */
300         if (TwoPhaseState->freeGXacts == NULL)
301                 ereport(ERROR,
302                                 (errcode(ERRCODE_OUT_OF_MEMORY),
303                                  errmsg("maximum number of prepared transactions reached"),
304                                  errhint("Increase max_prepared_transactions (currently %d).",
305                                                  max_prepared_xacts)));
306         gxact = TwoPhaseState->freeGXacts;
307         TwoPhaseState->freeGXacts = gxact->next;
308
309         proc = &ProcGlobal->allProcs[gxact->pgprocno];
310         pgxact = &ProcGlobal->allPgXact[gxact->pgprocno];
311
312         /* Initialize the PGPROC entry */
313         MemSet(proc, 0, sizeof(PGPROC));
314         proc->pgprocno = gxact->pgprocno;
315         SHMQueueElemInit(&(proc->links));
316         proc->waitStatus = STATUS_OK;
317         /* We set up the gxact's VXID as InvalidBackendId/XID */
318         proc->lxid = (LocalTransactionId) xid;
319         pgxact->xid = xid;
320         pgxact->xmin = InvalidTransactionId;
321         pgxact->inCommit = false;
322         pgxact->vacuumFlags = 0;
323         proc->pid = 0;
324         proc->backendId = InvalidBackendId;
325         proc->databaseId = databaseid;
326         proc->roleId = owner;
327         proc->lwWaiting = false;
328         proc->lwWaitMode = 0;
329         proc->lwWaitLink = NULL;
330         proc->waitLock = NULL;
331         proc->waitProcLock = NULL;
332         for (i = 0; i < NUM_LOCK_PARTITIONS; i++)
333                 SHMQueueInit(&(proc->myProcLocks[i]));
334         /* subxid data must be filled later by GXactLoadSubxactData */
335         pgxact->overflowed = false;
336         pgxact->nxids = 0;
337
338         gxact->prepared_at = prepared_at;
339         /* initialize LSN to 0 (start of WAL) */
340         gxact->prepare_lsn = 0;
341         gxact->owner = owner;
342         gxact->locking_xid = xid;
343         gxact->valid = false;
344         strcpy(gxact->gid, gid);
345
346         /* And insert it into the active array */
347         Assert(TwoPhaseState->numPrepXacts < max_prepared_xacts);
348         TwoPhaseState->prepXacts[TwoPhaseState->numPrepXacts++] = gxact;
349
350         LWLockRelease(TwoPhaseStateLock);
351
352         return gxact;
353 }
354
355 /*
356  * GXactLoadSubxactData
357  *
358  * If the transaction being persisted had any subtransactions, this must
359  * be called before MarkAsPrepared() to load information into the dummy
360  * PGPROC.
361  */
362 static void
363 GXactLoadSubxactData(GlobalTransaction gxact, int nsubxacts,
364                                          TransactionId *children)
365 {
366         PGPROC     *proc = &ProcGlobal->allProcs[gxact->pgprocno];
367         PGXACT     *pgxact = &ProcGlobal->allPgXact[gxact->pgprocno];
368
369         /* We need no extra lock since the GXACT isn't valid yet */
370         if (nsubxacts > PGPROC_MAX_CACHED_SUBXIDS)
371         {
372                 pgxact->overflowed = true;
373                 nsubxacts = PGPROC_MAX_CACHED_SUBXIDS;
374         }
375         if (nsubxacts > 0)
376         {
377                 memcpy(proc->subxids.xids, children,
378                            nsubxacts * sizeof(TransactionId));
379                 pgxact->nxids = nsubxacts;
380         }
381 }
382
383 /*
384  * MarkAsPrepared
385  *              Mark the GXACT as fully valid, and enter it into the global ProcArray.
386  */
387 static void
388 MarkAsPrepared(GlobalTransaction gxact)
389 {
390         /* Lock here may be overkill, but I'm not convinced of that ... */
391         LWLockAcquire(TwoPhaseStateLock, LW_EXCLUSIVE);
392         Assert(!gxact->valid);
393         gxact->valid = true;
394         LWLockRelease(TwoPhaseStateLock);
395
396         /*
397          * Put it into the global ProcArray so TransactionIdIsInProgress considers
398          * the XID as still running.
399          */
400         ProcArrayAdd(&ProcGlobal->allProcs[gxact->pgprocno]);
401 }
402
403 /*
404  * LockGXact
405  *              Locate the prepared transaction and mark it busy for COMMIT or PREPARE.
406  */
407 static GlobalTransaction
408 LockGXact(const char *gid, Oid user)
409 {
410         int                     i;
411
412         LWLockAcquire(TwoPhaseStateLock, LW_EXCLUSIVE);
413
414         for (i = 0; i < TwoPhaseState->numPrepXacts; i++)
415         {
416                 GlobalTransaction gxact = TwoPhaseState->prepXacts[i];
417                 PGPROC     *proc = &ProcGlobal->allProcs[gxact->pgprocno];
418
419                 /* Ignore not-yet-valid GIDs */
420                 if (!gxact->valid)
421                         continue;
422                 if (strcmp(gxact->gid, gid) != 0)
423                         continue;
424
425                 /* Found it, but has someone else got it locked? */
426                 if (TransactionIdIsValid(gxact->locking_xid))
427                 {
428                         if (TransactionIdIsActive(gxact->locking_xid))
429                                 ereport(ERROR,
430                                                 (errcode(ERRCODE_OBJECT_NOT_IN_PREREQUISITE_STATE),
431                                 errmsg("prepared transaction with identifier \"%s\" is busy",
432                                            gid)));
433                         gxact->locking_xid = InvalidTransactionId;
434                 }
435
436                 if (user != gxact->owner && !superuser_arg(user))
437                         ereport(ERROR,
438                                         (errcode(ERRCODE_INSUFFICIENT_PRIVILEGE),
439                                   errmsg("permission denied to finish prepared transaction"),
440                                          errhint("Must be superuser or the user that prepared the transaction.")));
441
442                 /*
443                  * Note: it probably would be possible to allow committing from
444                  * another database; but at the moment NOTIFY is known not to work and
445                  * there may be some other issues as well.      Hence disallow until
446                  * someone gets motivated to make it work.
447                  */
448                 if (MyDatabaseId != proc->databaseId)
449                         ereport(ERROR,
450                                         (errcode(ERRCODE_FEATURE_NOT_SUPPORTED),
451                                   errmsg("prepared transaction belongs to another database"),
452                                          errhint("Connect to the database where the transaction was prepared to finish it.")));
453
454                 /* OK for me to lock it */
455                 gxact->locking_xid = GetTopTransactionId();
456
457                 LWLockRelease(TwoPhaseStateLock);
458
459                 return gxact;
460         }
461
462         LWLockRelease(TwoPhaseStateLock);
463
464         ereport(ERROR,
465                         (errcode(ERRCODE_UNDEFINED_OBJECT),
466                  errmsg("prepared transaction with identifier \"%s\" does not exist",
467                                 gid)));
468
469         /* NOTREACHED */
470         return NULL;
471 }
472
473 /*
474  * RemoveGXact
475  *              Remove the prepared transaction from the shared memory array.
476  *
477  * NB: caller should have already removed it from ProcArray
478  */
479 static void
480 RemoveGXact(GlobalTransaction gxact)
481 {
482         int                     i;
483
484         LWLockAcquire(TwoPhaseStateLock, LW_EXCLUSIVE);
485
486         for (i = 0; i < TwoPhaseState->numPrepXacts; i++)
487         {
488                 if (gxact == TwoPhaseState->prepXacts[i])
489                 {
490                         /* remove from the active array */
491                         TwoPhaseState->numPrepXacts--;
492                         TwoPhaseState->prepXacts[i] = TwoPhaseState->prepXacts[TwoPhaseState->numPrepXacts];
493
494                         /* and put it back in the freelist */
495                         gxact->next = TwoPhaseState->freeGXacts;
496                         TwoPhaseState->freeGXacts = gxact;
497
498                         LWLockRelease(TwoPhaseStateLock);
499
500                         return;
501                 }
502         }
503
504         LWLockRelease(TwoPhaseStateLock);
505
506         elog(ERROR, "failed to find %p in GlobalTransaction array", gxact);
507 }
508
509 /*
510  * TransactionIdIsPrepared
511  *              True iff transaction associated with the identifier is prepared
512  *              for two-phase commit
513  *
514  * Note: only gxacts marked "valid" are considered; but notice we do not
515  * check the locking status.
516  *
517  * This is not currently exported, because it is only needed internally.
518  */
519 static bool
520 TransactionIdIsPrepared(TransactionId xid)
521 {
522         bool            result = false;
523         int                     i;
524
525         LWLockAcquire(TwoPhaseStateLock, LW_SHARED);
526
527         for (i = 0; i < TwoPhaseState->numPrepXacts; i++)
528         {
529                 GlobalTransaction gxact = TwoPhaseState->prepXacts[i];
530                 PGXACT     *pgxact = &ProcGlobal->allPgXact[gxact->pgprocno];
531
532                 if (gxact->valid && pgxact->xid == xid)
533                 {
534                         result = true;
535                         break;
536                 }
537         }
538
539         LWLockRelease(TwoPhaseStateLock);
540
541         return result;
542 }
543
544 /*
545  * Returns an array of all prepared transactions for the user-level
546  * function pg_prepared_xact.
547  *
548  * The returned array and all its elements are copies of internal data
549  * structures, to minimize the time we need to hold the TwoPhaseStateLock.
550  *
551  * WARNING -- we return even those transactions that are not fully prepared
552  * yet.  The caller should filter them out if he doesn't want them.
553  *
554  * The returned array is palloc'd.
555  */
556 static int
557 GetPreparedTransactionList(GlobalTransaction *gxacts)
558 {
559         GlobalTransaction array;
560         int                     num;
561         int                     i;
562
563         LWLockAcquire(TwoPhaseStateLock, LW_SHARED);
564
565         if (TwoPhaseState->numPrepXacts == 0)
566         {
567                 LWLockRelease(TwoPhaseStateLock);
568
569                 *gxacts = NULL;
570                 return 0;
571         }
572
573         num = TwoPhaseState->numPrepXacts;
574         array = (GlobalTransaction) palloc(sizeof(GlobalTransactionData) * num);
575         *gxacts = array;
576         for (i = 0; i < num; i++)
577                 memcpy(array + i, TwoPhaseState->prepXacts[i],
578                            sizeof(GlobalTransactionData));
579
580         LWLockRelease(TwoPhaseStateLock);
581
582         return num;
583 }
584
585
586 /* Working status for pg_prepared_xact */
587 typedef struct
588 {
589         GlobalTransaction array;
590         int                     ngxacts;
591         int                     currIdx;
592 } Working_State;
593
594 /*
595  * pg_prepared_xact
596  *              Produce a view with one row per prepared transaction.
597  *
598  * This function is here so we don't have to export the
599  * GlobalTransactionData struct definition.
600  */
601 Datum
602 pg_prepared_xact(PG_FUNCTION_ARGS)
603 {
604         FuncCallContext *funcctx;
605         Working_State *status;
606
607         if (SRF_IS_FIRSTCALL())
608         {
609                 TupleDesc       tupdesc;
610                 MemoryContext oldcontext;
611
612                 /* create a function context for cross-call persistence */
613                 funcctx = SRF_FIRSTCALL_INIT();
614
615                 /*
616                  * Switch to memory context appropriate for multiple function calls
617                  */
618                 oldcontext = MemoryContextSwitchTo(funcctx->multi_call_memory_ctx);
619
620                 /* build tupdesc for result tuples */
621                 /* this had better match pg_prepared_xacts view in system_views.sql */
622                 tupdesc = CreateTemplateTupleDesc(5, false);
623                 TupleDescInitEntry(tupdesc, (AttrNumber) 1, "transaction",
624                                                    XIDOID, -1, 0);
625                 TupleDescInitEntry(tupdesc, (AttrNumber) 2, "gid",
626                                                    TEXTOID, -1, 0);
627                 TupleDescInitEntry(tupdesc, (AttrNumber) 3, "prepared",
628                                                    TIMESTAMPTZOID, -1, 0);
629                 TupleDescInitEntry(tupdesc, (AttrNumber) 4, "ownerid",
630                                                    OIDOID, -1, 0);
631                 TupleDescInitEntry(tupdesc, (AttrNumber) 5, "dbid",
632                                                    OIDOID, -1, 0);
633
634                 funcctx->tuple_desc = BlessTupleDesc(tupdesc);
635
636                 /*
637                  * Collect all the 2PC status information that we will format and send
638                  * out as a result set.
639                  */
640                 status = (Working_State *) palloc(sizeof(Working_State));
641                 funcctx->user_fctx = (void *) status;
642
643                 status->ngxacts = GetPreparedTransactionList(&status->array);
644                 status->currIdx = 0;
645
646                 MemoryContextSwitchTo(oldcontext);
647         }
648
649         funcctx = SRF_PERCALL_SETUP();
650         status = (Working_State *) funcctx->user_fctx;
651
652         while (status->array != NULL && status->currIdx < status->ngxacts)
653         {
654                 GlobalTransaction gxact = &status->array[status->currIdx++];
655                 PGPROC     *proc = &ProcGlobal->allProcs[gxact->pgprocno];
656                 PGXACT     *pgxact = &ProcGlobal->allPgXact[gxact->pgprocno];
657                 Datum           values[5];
658                 bool            nulls[5];
659                 HeapTuple       tuple;
660                 Datum           result;
661
662                 if (!gxact->valid)
663                         continue;
664
665                 /*
666                  * Form tuple with appropriate data.
667                  */
668                 MemSet(values, 0, sizeof(values));
669                 MemSet(nulls, 0, sizeof(nulls));
670
671                 values[0] = TransactionIdGetDatum(pgxact->xid);
672                 values[1] = CStringGetTextDatum(gxact->gid);
673                 values[2] = TimestampTzGetDatum(gxact->prepared_at);
674                 values[3] = ObjectIdGetDatum(gxact->owner);
675                 values[4] = ObjectIdGetDatum(proc->databaseId);
676
677                 tuple = heap_form_tuple(funcctx->tuple_desc, values, nulls);
678                 result = HeapTupleGetDatum(tuple);
679                 SRF_RETURN_NEXT(funcctx, result);
680         }
681
682         SRF_RETURN_DONE(funcctx);
683 }
684
685 /*
686  * TwoPhaseGetGXact
687  *              Get the GlobalTransaction struct for a prepared transaction
688  *              specified by XID
689  */
690 static GlobalTransaction
691 TwoPhaseGetGXact(TransactionId xid)
692 {
693         GlobalTransaction result = NULL;
694         int                     i;
695
696         static TransactionId cached_xid = InvalidTransactionId;
697         static GlobalTransaction cached_gxact = NULL;
698
699         /*
700          * During a recovery, COMMIT PREPARED, or ABORT PREPARED, we'll be called
701          * repeatedly for the same XID.  We can save work with a simple cache.
702          */
703         if (xid == cached_xid)
704                 return cached_gxact;
705
706         LWLockAcquire(TwoPhaseStateLock, LW_SHARED);
707
708         for (i = 0; i < TwoPhaseState->numPrepXacts; i++)
709         {
710                 GlobalTransaction gxact = TwoPhaseState->prepXacts[i];
711                 PGXACT     *pgxact = &ProcGlobal->allPgXact[gxact->pgprocno];
712
713                 if (pgxact->xid == xid)
714                 {
715                         result = gxact;
716                         break;
717                 }
718         }
719
720         LWLockRelease(TwoPhaseStateLock);
721
722         if (result == NULL)                     /* should not happen */
723                 elog(ERROR, "failed to find GlobalTransaction for xid %u", xid);
724
725         cached_xid = xid;
726         cached_gxact = result;
727
728         return result;
729 }
730
731 /*
732  * TwoPhaseGetDummyProc
733  *              Get the dummy backend ID for prepared transaction specified by XID
734  *
735  * Dummy backend IDs are similar to real backend IDs of real backends.
736  * They start at MaxBackends + 1, and are unique across all currently active
737  * real backends and prepared transactions.
738  */
739 BackendId
740 TwoPhaseGetDummyBackendId(TransactionId xid)
741 {
742         GlobalTransaction gxact = TwoPhaseGetGXact(xid);
743
744         return gxact->dummyBackendId;
745 }
746
747 /*
748  * TwoPhaseGetDummyProc
749  *              Get the PGPROC that represents a prepared transaction specified by XID
750  */
751 PGPROC *
752 TwoPhaseGetDummyProc(TransactionId xid)
753 {
754         GlobalTransaction gxact = TwoPhaseGetGXact(xid);
755
756         return &ProcGlobal->allProcs[gxact->pgprocno];
757 }
758
759 /************************************************************************/
760 /* State file support                                                                                                   */
761 /************************************************************************/
762
763 #define TwoPhaseFilePath(path, xid) \
764         snprintf(path, MAXPGPATH, TWOPHASE_DIR "/%08X", xid)
765
766 /*
767  * 2PC state file format:
768  *
769  *      1. TwoPhaseFileHeader
770  *      2. TransactionId[] (subtransactions)
771  *      3. RelFileNode[] (files to be deleted at commit)
772  *      4. RelFileNode[] (files to be deleted at abort)
773  *      5. SharedInvalidationMessage[] (inval messages to be sent at commit)
774  *      6. TwoPhaseRecordOnDisk
775  *      7. ...
776  *      8. TwoPhaseRecordOnDisk (end sentinel, rmid == TWOPHASE_RM_END_ID)
777  *      9. CRC32
778  *
779  * Each segment except the final CRC32 is MAXALIGN'd.
780  */
781
782 /*
783  * Header for a 2PC state file
784  */
785 #define TWOPHASE_MAGIC  0x57F94532              /* format identifier */
786
787 typedef struct TwoPhaseFileHeader
788 {
789         uint32          magic;                  /* format identifier */
790         uint32          total_len;              /* actual file length */
791         TransactionId xid;                      /* original transaction XID */
792         Oid                     database;               /* OID of database it was in */
793         TimestampTz prepared_at;        /* time of preparation */
794         Oid                     owner;                  /* user running the transaction */
795         int32           nsubxacts;              /* number of following subxact XIDs */
796         int32           ncommitrels;    /* number of delete-on-commit rels */
797         int32           nabortrels;             /* number of delete-on-abort rels */
798         int32           ninvalmsgs;             /* number of cache invalidation messages */
799         bool            initfileinval;  /* does relcache init file need invalidation? */
800         char            gid[GIDSIZE];   /* GID for transaction */
801 } TwoPhaseFileHeader;
802
803 /*
804  * Header for each record in a state file
805  *
806  * NOTE: len counts only the rmgr data, not the TwoPhaseRecordOnDisk header.
807  * The rmgr data will be stored starting on a MAXALIGN boundary.
808  */
809 typedef struct TwoPhaseRecordOnDisk
810 {
811         uint32          len;                    /* length of rmgr data */
812         TwoPhaseRmgrId rmid;            /* resource manager for this record */
813         uint16          info;                   /* flag bits for use by rmgr */
814 } TwoPhaseRecordOnDisk;
815
816 /*
817  * During prepare, the state file is assembled in memory before writing it
818  * to WAL and the actual state file.  We use a chain of XLogRecData blocks
819  * so that we will be able to pass the state file contents directly to
820  * XLogInsert.
821  */
822 static struct xllist
823 {
824         XLogRecData *head;                      /* first data block in the chain */
825         XLogRecData *tail;                      /* last block in chain */
826         uint32          bytes_free;             /* free bytes left in tail block */
827         uint32          total_len;              /* total data bytes in chain */
828 }       records;
829
830
831 /*
832  * Append a block of data to records data structure.
833  *
834  * NB: each block is padded to a MAXALIGN multiple.  This must be
835  * accounted for when the file is later read!
836  *
837  * The data is copied, so the caller is free to modify it afterwards.
838  */
839 static void
840 save_state_data(const void *data, uint32 len)
841 {
842         uint32          padlen = MAXALIGN(len);
843
844         if (padlen > records.bytes_free)
845         {
846                 records.tail->next = palloc0(sizeof(XLogRecData));
847                 records.tail = records.tail->next;
848                 records.tail->buffer = InvalidBuffer;
849                 records.tail->len = 0;
850                 records.tail->next = NULL;
851
852                 records.bytes_free = Max(padlen, 512);
853                 records.tail->data = palloc(records.bytes_free);
854         }
855
856         memcpy(((char *) records.tail->data) + records.tail->len, data, len);
857         records.tail->len += padlen;
858         records.bytes_free -= padlen;
859         records.total_len += padlen;
860 }
861
862 /*
863  * Start preparing a state file.
864  *
865  * Initializes data structure and inserts the 2PC file header record.
866  */
867 void
868 StartPrepare(GlobalTransaction gxact)
869 {
870         PGPROC     *proc = &ProcGlobal->allProcs[gxact->pgprocno];
871         PGXACT     *pgxact = &ProcGlobal->allPgXact[gxact->pgprocno];
872         TransactionId xid = pgxact->xid;
873         TwoPhaseFileHeader hdr;
874         TransactionId *children;
875         RelFileNode *commitrels;
876         RelFileNode *abortrels;
877         SharedInvalidationMessage *invalmsgs;
878
879         /* Initialize linked list */
880         records.head = palloc0(sizeof(XLogRecData));
881         records.head->buffer = InvalidBuffer;
882         records.head->len = 0;
883         records.head->next = NULL;
884
885         records.bytes_free = Max(sizeof(TwoPhaseFileHeader), 512);
886         records.head->data = palloc(records.bytes_free);
887
888         records.tail = records.head;
889
890         records.total_len = 0;
891
892         /* Create header */
893         hdr.magic = TWOPHASE_MAGIC;
894         hdr.total_len = 0;                      /* EndPrepare will fill this in */
895         hdr.xid = xid;
896         hdr.database = proc->databaseId;
897         hdr.prepared_at = gxact->prepared_at;
898         hdr.owner = gxact->owner;
899         hdr.nsubxacts = xactGetCommittedChildren(&children);
900         hdr.ncommitrels = smgrGetPendingDeletes(true, &commitrels);
901         hdr.nabortrels = smgrGetPendingDeletes(false, &abortrels);
902         hdr.ninvalmsgs = xactGetCommittedInvalidationMessages(&invalmsgs,
903                                                                                                                   &hdr.initfileinval);
904         StrNCpy(hdr.gid, gxact->gid, GIDSIZE);
905
906         save_state_data(&hdr, sizeof(TwoPhaseFileHeader));
907
908         /*
909          * Add the additional info about subxacts, deletable files and cache
910          * invalidation messages.
911          */
912         if (hdr.nsubxacts > 0)
913         {
914                 save_state_data(children, hdr.nsubxacts * sizeof(TransactionId));
915                 /* While we have the child-xact data, stuff it in the gxact too */
916                 GXactLoadSubxactData(gxact, hdr.nsubxacts, children);
917         }
918         if (hdr.ncommitrels > 0)
919         {
920                 save_state_data(commitrels, hdr.ncommitrels * sizeof(RelFileNode));
921                 pfree(commitrels);
922         }
923         if (hdr.nabortrels > 0)
924         {
925                 save_state_data(abortrels, hdr.nabortrels * sizeof(RelFileNode));
926                 pfree(abortrels);
927         }
928         if (hdr.ninvalmsgs > 0)
929         {
930                 save_state_data(invalmsgs,
931                                                 hdr.ninvalmsgs * sizeof(SharedInvalidationMessage));
932                 pfree(invalmsgs);
933         }
934 }
935
936 /*
937  * Finish preparing state file.
938  *
939  * Calculates CRC and writes state file to WAL and in pg_twophase directory.
940  */
941 void
942 EndPrepare(GlobalTransaction gxact)
943 {
944         PGXACT     *pgxact = &ProcGlobal->allPgXact[gxact->pgprocno];
945         TransactionId xid = pgxact->xid;
946         TwoPhaseFileHeader *hdr;
947         char            path[MAXPGPATH];
948         XLogRecData *record;
949         pg_crc32        statefile_crc;
950         pg_crc32        bogus_crc;
951         int                     fd;
952
953         /* Add the end sentinel to the list of 2PC records */
954         RegisterTwoPhaseRecord(TWOPHASE_RM_END_ID, 0,
955                                                    NULL, 0);
956
957         /* Go back and fill in total_len in the file header record */
958         hdr = (TwoPhaseFileHeader *) records.head->data;
959         Assert(hdr->magic == TWOPHASE_MAGIC);
960         hdr->total_len = records.total_len + sizeof(pg_crc32);
961
962         /*
963          * If the file size exceeds MaxAllocSize, we won't be able to read it in
964          * ReadTwoPhaseFile. Check for that now, rather than fail at commit time.
965          */
966         if (hdr->total_len > MaxAllocSize)
967                 ereport(ERROR,
968                                 (errcode(ERRCODE_PROGRAM_LIMIT_EXCEEDED),
969                                  errmsg("two-phase state file maximum length exceeded")));
970
971         /*
972          * Create the 2PC state file.
973          */
974         TwoPhaseFilePath(path, xid);
975
976         fd = OpenTransientFile(path,
977                                                    O_CREAT | O_EXCL | O_WRONLY | PG_BINARY,
978                                                    S_IRUSR | S_IWUSR);
979         if (fd < 0)
980                 ereport(ERROR,
981                                 (errcode_for_file_access(),
982                                  errmsg("could not create two-phase state file \"%s\": %m",
983                                                 path)));
984
985         /* Write data to file, and calculate CRC as we pass over it */
986         INIT_CRC32(statefile_crc);
987
988         for (record = records.head; record != NULL; record = record->next)
989         {
990                 COMP_CRC32(statefile_crc, record->data, record->len);
991                 if ((write(fd, record->data, record->len)) != record->len)
992                 {
993                         CloseTransientFile(fd);
994                         ereport(ERROR,
995                                         (errcode_for_file_access(),
996                                          errmsg("could not write two-phase state file: %m")));
997                 }
998         }
999
1000         FIN_CRC32(statefile_crc);
1001
1002         /*
1003          * Write a deliberately bogus CRC to the state file; this is just paranoia
1004          * to catch the case where four more bytes will run us out of disk space.
1005          */
1006         bogus_crc = ~statefile_crc;
1007
1008         if ((write(fd, &bogus_crc, sizeof(pg_crc32))) != sizeof(pg_crc32))
1009         {
1010                 CloseTransientFile(fd);
1011                 ereport(ERROR,
1012                                 (errcode_for_file_access(),
1013                                  errmsg("could not write two-phase state file: %m")));
1014         }
1015
1016         /* Back up to prepare for rewriting the CRC */
1017         if (lseek(fd, -((off_t) sizeof(pg_crc32)), SEEK_CUR) < 0)
1018         {
1019                 CloseTransientFile(fd);
1020                 ereport(ERROR,
1021                                 (errcode_for_file_access(),
1022                                  errmsg("could not seek in two-phase state file: %m")));
1023         }
1024
1025         /*
1026          * The state file isn't valid yet, because we haven't written the correct
1027          * CRC yet.  Before we do that, insert entry in WAL and flush it to disk.
1028          *
1029          * Between the time we have written the WAL entry and the time we write
1030          * out the correct state file CRC, we have an inconsistency: the xact is
1031          * prepared according to WAL but not according to our on-disk state. We
1032          * use a critical section to force a PANIC if we are unable to complete
1033          * the write --- then, WAL replay should repair the inconsistency.      The
1034          * odds of a PANIC actually occurring should be very tiny given that we
1035          * were able to write the bogus CRC above.
1036          *
1037          * We have to set inCommit here, too; otherwise a checkpoint starting
1038          * immediately after the WAL record is inserted could complete without
1039          * fsync'ing our state file.  (This is essentially the same kind of race
1040          * condition as the COMMIT-to-clog-write case that RecordTransactionCommit
1041          * uses inCommit for; see notes there.)
1042          *
1043          * We save the PREPARE record's location in the gxact for later use by
1044          * CheckPointTwoPhase.
1045          */
1046         START_CRIT_SECTION();
1047
1048         MyPgXact->inCommit = true;
1049
1050         gxact->prepare_lsn = XLogInsert(RM_XACT_ID, XLOG_XACT_PREPARE,
1051                                                                         records.head);
1052         XLogFlush(gxact->prepare_lsn);
1053
1054         /* If we crash now, we have prepared: WAL replay will fix things */
1055
1056         /* write correct CRC and close file */
1057         if ((write(fd, &statefile_crc, sizeof(pg_crc32))) != sizeof(pg_crc32))
1058         {
1059                 CloseTransientFile(fd);
1060                 ereport(ERROR,
1061                                 (errcode_for_file_access(),
1062                                  errmsg("could not write two-phase state file: %m")));
1063         }
1064
1065         if (CloseTransientFile(fd) != 0)
1066                 ereport(ERROR,
1067                                 (errcode_for_file_access(),
1068                                  errmsg("could not close two-phase state file: %m")));
1069
1070         /*
1071          * Mark the prepared transaction as valid.      As soon as xact.c marks
1072          * MyPgXact as not running our XID (which it will do immediately after
1073          * this function returns), others can commit/rollback the xact.
1074          *
1075          * NB: a side effect of this is to make a dummy ProcArray entry for the
1076          * prepared XID.  This must happen before we clear the XID from MyPgXact,
1077          * else there is a window where the XID is not running according to
1078          * TransactionIdIsInProgress, and onlookers would be entitled to assume
1079          * the xact crashed.  Instead we have a window where the same XID appears
1080          * twice in ProcArray, which is OK.
1081          */
1082         MarkAsPrepared(gxact);
1083
1084         /*
1085          * Now we can mark ourselves as out of the commit critical section: a
1086          * checkpoint starting after this will certainly see the gxact as a
1087          * candidate for fsyncing.
1088          */
1089         MyPgXact->inCommit = false;
1090
1091         END_CRIT_SECTION();
1092
1093         /*
1094          * Wait for synchronous replication, if required.
1095          *
1096          * Note that at this stage we have marked the prepare, but still show as
1097          * running in the procarray (twice!) and continue to hold locks.
1098          */
1099         SyncRepWaitForLSN(gxact->prepare_lsn);
1100
1101         records.tail = records.head = NULL;
1102 }
1103
1104 /*
1105  * Register a 2PC record to be written to state file.
1106  */
1107 void
1108 RegisterTwoPhaseRecord(TwoPhaseRmgrId rmid, uint16 info,
1109                                            const void *data, uint32 len)
1110 {
1111         TwoPhaseRecordOnDisk record;
1112
1113         record.rmid = rmid;
1114         record.info = info;
1115         record.len = len;
1116         save_state_data(&record, sizeof(TwoPhaseRecordOnDisk));
1117         if (len > 0)
1118                 save_state_data(data, len);
1119 }
1120
1121
1122 /*
1123  * Read and validate the state file for xid.
1124  *
1125  * If it looks OK (has a valid magic number and CRC), return the palloc'd
1126  * contents of the file.  Otherwise return NULL.
1127  */
1128 static char *
1129 ReadTwoPhaseFile(TransactionId xid, bool give_warnings)
1130 {
1131         char            path[MAXPGPATH];
1132         char       *buf;
1133         TwoPhaseFileHeader *hdr;
1134         int                     fd;
1135         struct stat stat;
1136         uint32          crc_offset;
1137         pg_crc32        calc_crc,
1138                                 file_crc;
1139
1140         TwoPhaseFilePath(path, xid);
1141
1142         fd = OpenTransientFile(path, O_RDONLY | PG_BINARY, 0);
1143         if (fd < 0)
1144         {
1145                 if (give_warnings)
1146                         ereport(WARNING,
1147                                         (errcode_for_file_access(),
1148                                          errmsg("could not open two-phase state file \"%s\": %m",
1149                                                         path)));
1150                 return NULL;
1151         }
1152
1153         /*
1154          * Check file length.  We can determine a lower bound pretty easily. We
1155          * set an upper bound to avoid palloc() failure on a corrupt file, though
1156          * we can't guarantee that we won't get an out of memory error anyway,
1157          * even on a valid file.
1158          */
1159         if (fstat(fd, &stat))
1160         {
1161                 CloseTransientFile(fd);
1162                 if (give_warnings)
1163                         ereport(WARNING,
1164                                         (errcode_for_file_access(),
1165                                          errmsg("could not stat two-phase state file \"%s\": %m",
1166                                                         path)));
1167                 return NULL;
1168         }
1169
1170         if (stat.st_size < (MAXALIGN(sizeof(TwoPhaseFileHeader)) +
1171                                                 MAXALIGN(sizeof(TwoPhaseRecordOnDisk)) +
1172                                                 sizeof(pg_crc32)) ||
1173                 stat.st_size > MaxAllocSize)
1174         {
1175                 CloseTransientFile(fd);
1176                 return NULL;
1177         }
1178
1179         crc_offset = stat.st_size - sizeof(pg_crc32);
1180         if (crc_offset != MAXALIGN(crc_offset))
1181         {
1182                 CloseTransientFile(fd);
1183                 return NULL;
1184         }
1185
1186         /*
1187          * OK, slurp in the file.
1188          */
1189         buf = (char *) palloc(stat.st_size);
1190
1191         if (read(fd, buf, stat.st_size) != stat.st_size)
1192         {
1193                 CloseTransientFile(fd);
1194                 if (give_warnings)
1195                         ereport(WARNING,
1196                                         (errcode_for_file_access(),
1197                                          errmsg("could not read two-phase state file \"%s\": %m",
1198                                                         path)));
1199                 pfree(buf);
1200                 return NULL;
1201         }
1202
1203         CloseTransientFile(fd);
1204
1205         hdr = (TwoPhaseFileHeader *) buf;
1206         if (hdr->magic != TWOPHASE_MAGIC || hdr->total_len != stat.st_size)
1207         {
1208                 pfree(buf);
1209                 return NULL;
1210         }
1211
1212         INIT_CRC32(calc_crc);
1213         COMP_CRC32(calc_crc, buf, crc_offset);
1214         FIN_CRC32(calc_crc);
1215
1216         file_crc = *((pg_crc32 *) (buf + crc_offset));
1217
1218         if (!EQ_CRC32(calc_crc, file_crc))
1219         {
1220                 pfree(buf);
1221                 return NULL;
1222         }
1223
1224         return buf;
1225 }
1226
1227 /*
1228  * Confirms an xid is prepared, during recovery
1229  */
1230 bool
1231 StandbyTransactionIdIsPrepared(TransactionId xid)
1232 {
1233         char       *buf;
1234         TwoPhaseFileHeader *hdr;
1235         bool            result;
1236
1237         Assert(TransactionIdIsValid(xid));
1238
1239         if (max_prepared_xacts <= 0)
1240                 return false;                   /* nothing to do */
1241
1242         /* Read and validate file */
1243         buf = ReadTwoPhaseFile(xid, false);
1244         if (buf == NULL)
1245                 return false;
1246
1247         /* Check header also */
1248         hdr = (TwoPhaseFileHeader *) buf;
1249         result = TransactionIdEquals(hdr->xid, xid);
1250         pfree(buf);
1251
1252         return result;
1253 }
1254
1255 /*
1256  * FinishPreparedTransaction: execute COMMIT PREPARED or ROLLBACK PREPARED
1257  */
1258 void
1259 FinishPreparedTransaction(const char *gid, bool isCommit)
1260 {
1261         GlobalTransaction gxact;
1262         PGPROC     *proc;
1263         PGXACT     *pgxact;
1264         TransactionId xid;
1265         char       *buf;
1266         char       *bufptr;
1267         TwoPhaseFileHeader *hdr;
1268         TransactionId latestXid;
1269         TransactionId *children;
1270         RelFileNode *commitrels;
1271         RelFileNode *abortrels;
1272         RelFileNode *delrels;
1273         int                     ndelrels;
1274         SharedInvalidationMessage *invalmsgs;
1275         int                     i;
1276
1277         /*
1278          * Validate the GID, and lock the GXACT to ensure that two backends do not
1279          * try to commit the same GID at once.
1280          */
1281         gxact = LockGXact(gid, GetUserId());
1282         proc = &ProcGlobal->allProcs[gxact->pgprocno];
1283         pgxact = &ProcGlobal->allPgXact[gxact->pgprocno];
1284         xid = pgxact->xid;
1285
1286         /*
1287          * Read and validate the state file
1288          */
1289         buf = ReadTwoPhaseFile(xid, true);
1290         if (buf == NULL)
1291                 ereport(ERROR,
1292                                 (errcode(ERRCODE_DATA_CORRUPTED),
1293                                  errmsg("two-phase state file for transaction %u is corrupt",
1294                                                 xid)));
1295
1296         /*
1297          * Disassemble the header area
1298          */
1299         hdr = (TwoPhaseFileHeader *) buf;
1300         Assert(TransactionIdEquals(hdr->xid, xid));
1301         bufptr = buf + MAXALIGN(sizeof(TwoPhaseFileHeader));
1302         children = (TransactionId *) bufptr;
1303         bufptr += MAXALIGN(hdr->nsubxacts * sizeof(TransactionId));
1304         commitrels = (RelFileNode *) bufptr;
1305         bufptr += MAXALIGN(hdr->ncommitrels * sizeof(RelFileNode));
1306         abortrels = (RelFileNode *) bufptr;
1307         bufptr += MAXALIGN(hdr->nabortrels * sizeof(RelFileNode));
1308         invalmsgs = (SharedInvalidationMessage *) bufptr;
1309         bufptr += MAXALIGN(hdr->ninvalmsgs * sizeof(SharedInvalidationMessage));
1310
1311         /* compute latestXid among all children */
1312         latestXid = TransactionIdLatest(xid, hdr->nsubxacts, children);
1313
1314         /*
1315          * The order of operations here is critical: make the XLOG entry for
1316          * commit or abort, then mark the transaction committed or aborted in
1317          * pg_clog, then remove its PGPROC from the global ProcArray (which means
1318          * TransactionIdIsInProgress will stop saying the prepared xact is in
1319          * progress), then run the post-commit or post-abort callbacks. The
1320          * callbacks will release the locks the transaction held.
1321          */
1322         if (isCommit)
1323                 RecordTransactionCommitPrepared(xid,
1324                                                                                 hdr->nsubxacts, children,
1325                                                                                 hdr->ncommitrels, commitrels,
1326                                                                                 hdr->ninvalmsgs, invalmsgs,
1327                                                                                 hdr->initfileinval);
1328         else
1329                 RecordTransactionAbortPrepared(xid,
1330                                                                            hdr->nsubxacts, children,
1331                                                                            hdr->nabortrels, abortrels);
1332
1333         ProcArrayRemove(proc, latestXid);
1334
1335         /*
1336          * In case we fail while running the callbacks, mark the gxact invalid so
1337          * no one else will try to commit/rollback, and so it can be recycled
1338          * properly later.      It is still locked by our XID so it won't go away yet.
1339          *
1340          * (We assume it's safe to do this without taking TwoPhaseStateLock.)
1341          */
1342         gxact->valid = false;
1343
1344         /*
1345          * We have to remove any files that were supposed to be dropped. For
1346          * consistency with the regular xact.c code paths, must do this before
1347          * releasing locks, so do it before running the callbacks.
1348          *
1349          * NB: this code knows that we couldn't be dropping any temp rels ...
1350          */
1351         if (isCommit)
1352         {
1353                 delrels = commitrels;
1354                 ndelrels = hdr->ncommitrels;
1355         }
1356         else
1357         {
1358                 delrels = abortrels;
1359                 ndelrels = hdr->nabortrels;
1360         }
1361         for (i = 0; i < ndelrels; i++)
1362         {
1363                 SMgrRelation srel = smgropen(delrels[i], InvalidBackendId);
1364
1365                 smgrdounlink(srel, false);
1366                 smgrclose(srel);
1367         }
1368
1369         /*
1370          * Handle cache invalidation messages.
1371          *
1372          * Relcache init file invalidation requires processing both before and
1373          * after we send the SI messages. See AtEOXact_Inval()
1374          */
1375         if (hdr->initfileinval)
1376                 RelationCacheInitFilePreInvalidate();
1377         SendSharedInvalidMessages(invalmsgs, hdr->ninvalmsgs);
1378         if (hdr->initfileinval)
1379                 RelationCacheInitFilePostInvalidate();
1380
1381         /* And now do the callbacks */
1382         if (isCommit)
1383                 ProcessRecords(bufptr, xid, twophase_postcommit_callbacks);
1384         else
1385                 ProcessRecords(bufptr, xid, twophase_postabort_callbacks);
1386
1387         PredicateLockTwoPhaseFinish(xid, isCommit);
1388
1389         /* Count the prepared xact as committed or aborted */
1390         AtEOXact_PgStat(isCommit);
1391
1392         /*
1393          * And now we can clean up our mess.
1394          */
1395         RemoveTwoPhaseFile(xid, true);
1396
1397         RemoveGXact(gxact);
1398
1399         pfree(buf);
1400 }
1401
1402 /*
1403  * Scan a 2PC state file (already read into memory by ReadTwoPhaseFile)
1404  * and call the indicated callbacks for each 2PC record.
1405  */
1406 static void
1407 ProcessRecords(char *bufptr, TransactionId xid,
1408                            const TwoPhaseCallback callbacks[])
1409 {
1410         for (;;)
1411         {
1412                 TwoPhaseRecordOnDisk *record = (TwoPhaseRecordOnDisk *) bufptr;
1413
1414                 Assert(record->rmid <= TWOPHASE_RM_MAX_ID);
1415                 if (record->rmid == TWOPHASE_RM_END_ID)
1416                         break;
1417
1418                 bufptr += MAXALIGN(sizeof(TwoPhaseRecordOnDisk));
1419
1420                 if (callbacks[record->rmid] != NULL)
1421                         callbacks[record->rmid] (xid, record->info,
1422                                                                          (void *) bufptr, record->len);
1423
1424                 bufptr += MAXALIGN(record->len);
1425         }
1426 }
1427
1428 /*
1429  * Remove the 2PC file for the specified XID.
1430  *
1431  * If giveWarning is false, do not complain about file-not-present;
1432  * this is an expected case during WAL replay.
1433  */
1434 void
1435 RemoveTwoPhaseFile(TransactionId xid, bool giveWarning)
1436 {
1437         char            path[MAXPGPATH];
1438
1439         TwoPhaseFilePath(path, xid);
1440         if (unlink(path))
1441                 if (errno != ENOENT || giveWarning)
1442                         ereport(WARNING,
1443                                         (errcode_for_file_access(),
1444                                    errmsg("could not remove two-phase state file \"%s\": %m",
1445                                                   path)));
1446 }
1447
1448 /*
1449  * Recreates a state file. This is used in WAL replay.
1450  *
1451  * Note: content and len don't include CRC.
1452  */
1453 void
1454 RecreateTwoPhaseFile(TransactionId xid, void *content, int len)
1455 {
1456         char            path[MAXPGPATH];
1457         pg_crc32        statefile_crc;
1458         int                     fd;
1459
1460         /* Recompute CRC */
1461         INIT_CRC32(statefile_crc);
1462         COMP_CRC32(statefile_crc, content, len);
1463         FIN_CRC32(statefile_crc);
1464
1465         TwoPhaseFilePath(path, xid);
1466
1467         fd = OpenTransientFile(path,
1468                                                    O_CREAT | O_TRUNC | O_WRONLY | PG_BINARY,
1469                                                    S_IRUSR | S_IWUSR);
1470         if (fd < 0)
1471                 ereport(ERROR,
1472                                 (errcode_for_file_access(),
1473                                  errmsg("could not recreate two-phase state file \"%s\": %m",
1474                                                 path)));
1475
1476         /* Write content and CRC */
1477         if (write(fd, content, len) != len)
1478         {
1479                 CloseTransientFile(fd);
1480                 ereport(ERROR,
1481                                 (errcode_for_file_access(),
1482                                  errmsg("could not write two-phase state file: %m")));
1483         }
1484         if (write(fd, &statefile_crc, sizeof(pg_crc32)) != sizeof(pg_crc32))
1485         {
1486                 CloseTransientFile(fd);
1487                 ereport(ERROR,
1488                                 (errcode_for_file_access(),
1489                                  errmsg("could not write two-phase state file: %m")));
1490         }
1491
1492         /*
1493          * We must fsync the file because the end-of-replay checkpoint will not do
1494          * so, there being no GXACT in shared memory yet to tell it to.
1495          */
1496         if (pg_fsync(fd) != 0)
1497         {
1498                 CloseTransientFile(fd);
1499                 ereport(ERROR,
1500                                 (errcode_for_file_access(),
1501                                  errmsg("could not fsync two-phase state file: %m")));
1502         }
1503
1504         if (CloseTransientFile(fd) != 0)
1505                 ereport(ERROR,
1506                                 (errcode_for_file_access(),
1507                                  errmsg("could not close two-phase state file: %m")));
1508 }
1509
1510 /*
1511  * CheckPointTwoPhase -- handle 2PC component of checkpointing.
1512  *
1513  * We must fsync the state file of any GXACT that is valid and has a PREPARE
1514  * LSN <= the checkpoint's redo horizon.  (If the gxact isn't valid yet or
1515  * has a later LSN, this checkpoint is not responsible for fsyncing it.)
1516  *
1517  * This is deliberately run as late as possible in the checkpoint sequence,
1518  * because GXACTs ordinarily have short lifespans, and so it is quite
1519  * possible that GXACTs that were valid at checkpoint start will no longer
1520  * exist if we wait a little bit.
1521  *
1522  * If a GXACT remains valid across multiple checkpoints, it'll be fsynced
1523  * each time.  This is considered unusual enough that we don't bother to
1524  * expend any extra code to avoid the redundant fsyncs.  (They should be
1525  * reasonably cheap anyway, since they won't cause I/O.)
1526  */
1527 void
1528 CheckPointTwoPhase(XLogRecPtr redo_horizon)
1529 {
1530         TransactionId *xids;
1531         int                     nxids;
1532         char            path[MAXPGPATH];
1533         int                     i;
1534
1535         /*
1536          * We don't want to hold the TwoPhaseStateLock while doing I/O, so we grab
1537          * it just long enough to make a list of the XIDs that require fsyncing,
1538          * and then do the I/O afterwards.
1539          *
1540          * This approach creates a race condition: someone else could delete a
1541          * GXACT between the time we release TwoPhaseStateLock and the time we try
1542          * to open its state file.      We handle this by special-casing ENOENT
1543          * failures: if we see that, we verify that the GXACT is no longer valid,
1544          * and if so ignore the failure.
1545          */
1546         if (max_prepared_xacts <= 0)
1547                 return;                                 /* nothing to do */
1548
1549         TRACE_POSTGRESQL_TWOPHASE_CHECKPOINT_START();
1550
1551         xids = (TransactionId *) palloc(max_prepared_xacts * sizeof(TransactionId));
1552         nxids = 0;
1553
1554         LWLockAcquire(TwoPhaseStateLock, LW_SHARED);
1555
1556         for (i = 0; i < TwoPhaseState->numPrepXacts; i++)
1557         {
1558                 GlobalTransaction gxact = TwoPhaseState->prepXacts[i];
1559                 PGXACT     *pgxact = &ProcGlobal->allPgXact[gxact->pgprocno];
1560
1561                 if (gxact->valid &&
1562                         XLByteLE(gxact->prepare_lsn, redo_horizon))
1563                         xids[nxids++] = pgxact->xid;
1564         }
1565
1566         LWLockRelease(TwoPhaseStateLock);
1567
1568         for (i = 0; i < nxids; i++)
1569         {
1570                 TransactionId xid = xids[i];
1571                 int                     fd;
1572
1573                 TwoPhaseFilePath(path, xid);
1574
1575                 fd = OpenTransientFile(path, O_RDWR | PG_BINARY, 0);
1576                 if (fd < 0)
1577                 {
1578                         if (errno == ENOENT)
1579                         {
1580                                 /* OK if gxact is no longer valid */
1581                                 if (!TransactionIdIsPrepared(xid))
1582                                         continue;
1583                                 /* Restore errno in case it was changed */
1584                                 errno = ENOENT;
1585                         }
1586                         ereport(ERROR,
1587                                         (errcode_for_file_access(),
1588                                          errmsg("could not open two-phase state file \"%s\": %m",
1589                                                         path)));
1590                 }
1591
1592                 if (pg_fsync(fd) != 0)
1593                 {
1594                         CloseTransientFile(fd);
1595                         ereport(ERROR,
1596                                         (errcode_for_file_access(),
1597                                          errmsg("could not fsync two-phase state file \"%s\": %m",
1598                                                         path)));
1599                 }
1600
1601                 if (CloseTransientFile(fd) != 0)
1602                         ereport(ERROR,
1603                                         (errcode_for_file_access(),
1604                                          errmsg("could not close two-phase state file \"%s\": %m",
1605                                                         path)));
1606         }
1607
1608         pfree(xids);
1609
1610         TRACE_POSTGRESQL_TWOPHASE_CHECKPOINT_DONE();
1611 }
1612
1613 /*
1614  * PrescanPreparedTransactions
1615  *
1616  * Scan the pg_twophase directory and determine the range of valid XIDs
1617  * present.  This is run during database startup, after we have completed
1618  * reading WAL.  ShmemVariableCache->nextXid has been set to one more than
1619  * the highest XID for which evidence exists in WAL.
1620  *
1621  * We throw away any prepared xacts with main XID beyond nextXid --- if any
1622  * are present, it suggests that the DBA has done a PITR recovery to an
1623  * earlier point in time without cleaning out pg_twophase.      We dare not
1624  * try to recover such prepared xacts since they likely depend on database
1625  * state that doesn't exist now.
1626  *
1627  * However, we will advance nextXid beyond any subxact XIDs belonging to
1628  * valid prepared xacts.  We need to do this since subxact commit doesn't
1629  * write a WAL entry, and so there might be no evidence in WAL of those
1630  * subxact XIDs.
1631  *
1632  * Our other responsibility is to determine and return the oldest valid XID
1633  * among the prepared xacts (if none, return ShmemVariableCache->nextXid).
1634  * This is needed to synchronize pg_subtrans startup properly.
1635  *
1636  * If xids_p and nxids_p are not NULL, pointer to a palloc'd array of all
1637  * top-level xids is stored in *xids_p. The number of entries in the array
1638  * is returned in *nxids_p.
1639  */
1640 TransactionId
1641 PrescanPreparedTransactions(TransactionId **xids_p, int *nxids_p)
1642 {
1643         TransactionId origNextXid = ShmemVariableCache->nextXid;
1644         TransactionId result = origNextXid;
1645         DIR                *cldir;
1646         struct dirent *clde;
1647         TransactionId *xids = NULL;
1648         int                     nxids = 0;
1649         int                     allocsize = 0;
1650
1651         cldir = AllocateDir(TWOPHASE_DIR);
1652         while ((clde = ReadDir(cldir, TWOPHASE_DIR)) != NULL)
1653         {
1654                 if (strlen(clde->d_name) == 8 &&
1655                         strspn(clde->d_name, "0123456789ABCDEF") == 8)
1656                 {
1657                         TransactionId xid;
1658                         char       *buf;
1659                         TwoPhaseFileHeader *hdr;
1660                         TransactionId *subxids;
1661                         int                     i;
1662
1663                         xid = (TransactionId) strtoul(clde->d_name, NULL, 16);
1664
1665                         /* Reject XID if too new */
1666                         if (TransactionIdFollowsOrEquals(xid, origNextXid))
1667                         {
1668                                 ereport(WARNING,
1669                                                 (errmsg("removing future two-phase state file \"%s\"",
1670                                                                 clde->d_name)));
1671                                 RemoveTwoPhaseFile(xid, true);
1672                                 continue;
1673                         }
1674
1675                         /*
1676                          * Note: we can't check if already processed because clog
1677                          * subsystem isn't up yet.
1678                          */
1679
1680                         /* Read and validate file */
1681                         buf = ReadTwoPhaseFile(xid, true);
1682                         if (buf == NULL)
1683                         {
1684                                 ereport(WARNING,
1685                                           (errmsg("removing corrupt two-phase state file \"%s\"",
1686                                                           clde->d_name)));
1687                                 RemoveTwoPhaseFile(xid, true);
1688                                 continue;
1689                         }
1690
1691                         /* Deconstruct header */
1692                         hdr = (TwoPhaseFileHeader *) buf;
1693                         if (!TransactionIdEquals(hdr->xid, xid))
1694                         {
1695                                 ereport(WARNING,
1696                                           (errmsg("removing corrupt two-phase state file \"%s\"",
1697                                                           clde->d_name)));
1698                                 RemoveTwoPhaseFile(xid, true);
1699                                 pfree(buf);
1700                                 continue;
1701                         }
1702
1703                         /*
1704                          * OK, we think this file is valid.  Incorporate xid into the
1705                          * running-minimum result.
1706                          */
1707                         if (TransactionIdPrecedes(xid, result))
1708                                 result = xid;
1709
1710                         /*
1711                          * Examine subtransaction XIDs ... they should all follow main
1712                          * XID, and they may force us to advance nextXid.
1713                          *
1714                          * We don't expect anyone else to modify nextXid, hence we don't
1715                          * need to hold a lock while examining it.      We still acquire the
1716                          * lock to modify it, though.
1717                          */
1718                         subxids = (TransactionId *)
1719                                 (buf + MAXALIGN(sizeof(TwoPhaseFileHeader)));
1720                         for (i = 0; i < hdr->nsubxacts; i++)
1721                         {
1722                                 TransactionId subxid = subxids[i];
1723
1724                                 Assert(TransactionIdFollows(subxid, xid));
1725                                 if (TransactionIdFollowsOrEquals(subxid,
1726                                                                                                  ShmemVariableCache->nextXid))
1727                                 {
1728                                         LWLockAcquire(XidGenLock, LW_EXCLUSIVE);
1729                                         ShmemVariableCache->nextXid = subxid;
1730                                         TransactionIdAdvance(ShmemVariableCache->nextXid);
1731                                         LWLockRelease(XidGenLock);
1732                                 }
1733                         }
1734
1735
1736                         if (xids_p)
1737                         {
1738                                 if (nxids == allocsize)
1739                                 {
1740                                         if (nxids == 0)
1741                                         {
1742                                                 allocsize = 10;
1743                                                 xids = palloc(allocsize * sizeof(TransactionId));
1744                                         }
1745                                         else
1746                                         {
1747                                                 allocsize = allocsize * 2;
1748                                                 xids = repalloc(xids, allocsize * sizeof(TransactionId));
1749                                         }
1750                                 }
1751                                 xids[nxids++] = xid;
1752                         }
1753
1754                         pfree(buf);
1755                 }
1756         }
1757         FreeDir(cldir);
1758
1759         if (xids_p)
1760         {
1761                 *xids_p = xids;
1762                 *nxids_p = nxids;
1763         }
1764
1765         return result;
1766 }
1767
1768 /*
1769  * StandbyRecoverPreparedTransactions
1770  *
1771  * Scan the pg_twophase directory and setup all the required information to
1772  * allow standby queries to treat prepared transactions as still active.
1773  * This is never called at the end of recovery - we use
1774  * RecoverPreparedTransactions() at that point.
1775  *
1776  * Currently we simply call SubTransSetParent() for any subxids of prepared
1777  * transactions. If overwriteOK is true, it's OK if some XIDs have already
1778  * been marked in pg_subtrans.
1779  */
1780 void
1781 StandbyRecoverPreparedTransactions(bool overwriteOK)
1782 {
1783         DIR                *cldir;
1784         struct dirent *clde;
1785
1786         cldir = AllocateDir(TWOPHASE_DIR);
1787         while ((clde = ReadDir(cldir, TWOPHASE_DIR)) != NULL)
1788         {
1789                 if (strlen(clde->d_name) == 8 &&
1790                         strspn(clde->d_name, "0123456789ABCDEF") == 8)
1791                 {
1792                         TransactionId xid;
1793                         char       *buf;
1794                         TwoPhaseFileHeader *hdr;
1795                         TransactionId *subxids;
1796                         int                     i;
1797
1798                         xid = (TransactionId) strtoul(clde->d_name, NULL, 16);
1799
1800                         /* Already processed? */
1801                         if (TransactionIdDidCommit(xid) || TransactionIdDidAbort(xid))
1802                         {
1803                                 ereport(WARNING,
1804                                                 (errmsg("removing stale two-phase state file \"%s\"",
1805                                                                 clde->d_name)));
1806                                 RemoveTwoPhaseFile(xid, true);
1807                                 continue;
1808                         }
1809
1810                         /* Read and validate file */
1811                         buf = ReadTwoPhaseFile(xid, true);
1812                         if (buf == NULL)
1813                         {
1814                                 ereport(WARNING,
1815                                           (errmsg("removing corrupt two-phase state file \"%s\"",
1816                                                           clde->d_name)));
1817                                 RemoveTwoPhaseFile(xid, true);
1818                                 continue;
1819                         }
1820
1821                         /* Deconstruct header */
1822                         hdr = (TwoPhaseFileHeader *) buf;
1823                         if (!TransactionIdEquals(hdr->xid, xid))
1824                         {
1825                                 ereport(WARNING,
1826                                           (errmsg("removing corrupt two-phase state file \"%s\"",
1827                                                           clde->d_name)));
1828                                 RemoveTwoPhaseFile(xid, true);
1829                                 pfree(buf);
1830                                 continue;
1831                         }
1832
1833                         /*
1834                          * Examine subtransaction XIDs ... they should all follow main
1835                          * XID.
1836                          */
1837                         subxids = (TransactionId *)
1838                                 (buf + MAXALIGN(sizeof(TwoPhaseFileHeader)));
1839                         for (i = 0; i < hdr->nsubxacts; i++)
1840                         {
1841                                 TransactionId subxid = subxids[i];
1842
1843                                 Assert(TransactionIdFollows(subxid, xid));
1844                                 SubTransSetParent(xid, subxid, overwriteOK);
1845                         }
1846                 }
1847         }
1848         FreeDir(cldir);
1849 }
1850
1851 /*
1852  * RecoverPreparedTransactions
1853  *
1854  * Scan the pg_twophase directory and reload shared-memory state for each
1855  * prepared transaction (reacquire locks, etc).  This is run during database
1856  * startup.
1857  */
1858 void
1859 RecoverPreparedTransactions(void)
1860 {
1861         char            dir[MAXPGPATH];
1862         DIR                *cldir;
1863         struct dirent *clde;
1864         bool            overwriteOK = false;
1865
1866         snprintf(dir, MAXPGPATH, "%s", TWOPHASE_DIR);
1867
1868         cldir = AllocateDir(dir);
1869         while ((clde = ReadDir(cldir, dir)) != NULL)
1870         {
1871                 if (strlen(clde->d_name) == 8 &&
1872                         strspn(clde->d_name, "0123456789ABCDEF") == 8)
1873                 {
1874                         TransactionId xid;
1875                         char       *buf;
1876                         char       *bufptr;
1877                         TwoPhaseFileHeader *hdr;
1878                         TransactionId *subxids;
1879                         GlobalTransaction gxact;
1880                         int                     i;
1881
1882                         xid = (TransactionId) strtoul(clde->d_name, NULL, 16);
1883
1884                         /* Already processed? */
1885                         if (TransactionIdDidCommit(xid) || TransactionIdDidAbort(xid))
1886                         {
1887                                 ereport(WARNING,
1888                                                 (errmsg("removing stale two-phase state file \"%s\"",
1889                                                                 clde->d_name)));
1890                                 RemoveTwoPhaseFile(xid, true);
1891                                 continue;
1892                         }
1893
1894                         /* Read and validate file */
1895                         buf = ReadTwoPhaseFile(xid, true);
1896                         if (buf == NULL)
1897                         {
1898                                 ereport(WARNING,
1899                                           (errmsg("removing corrupt two-phase state file \"%s\"",
1900                                                           clde->d_name)));
1901                                 RemoveTwoPhaseFile(xid, true);
1902                                 continue;
1903                         }
1904
1905                         ereport(LOG,
1906                                         (errmsg("recovering prepared transaction %u", xid)));
1907
1908                         /* Deconstruct header */
1909                         hdr = (TwoPhaseFileHeader *) buf;
1910                         Assert(TransactionIdEquals(hdr->xid, xid));
1911                         bufptr = buf + MAXALIGN(sizeof(TwoPhaseFileHeader));
1912                         subxids = (TransactionId *) bufptr;
1913                         bufptr += MAXALIGN(hdr->nsubxacts * sizeof(TransactionId));
1914                         bufptr += MAXALIGN(hdr->ncommitrels * sizeof(RelFileNode));
1915                         bufptr += MAXALIGN(hdr->nabortrels * sizeof(RelFileNode));
1916                         bufptr += MAXALIGN(hdr->ninvalmsgs * sizeof(SharedInvalidationMessage));
1917
1918                         /*
1919                          * It's possible that SubTransSetParent has been set before, if
1920                          * the prepared transaction generated xid assignment records. Test
1921                          * here must match one used in AssignTransactionId().
1922                          */
1923                         if (InHotStandby && hdr->nsubxacts >= PGPROC_MAX_CACHED_SUBXIDS)
1924                                 overwriteOK = true;
1925
1926                         /*
1927                          * Reconstruct subtrans state for the transaction --- needed
1928                          * because pg_subtrans is not preserved over a restart.  Note that
1929                          * we are linking all the subtransactions directly to the
1930                          * top-level XID; there may originally have been a more complex
1931                          * hierarchy, but there's no need to restore that exactly.
1932                          */
1933                         for (i = 0; i < hdr->nsubxacts; i++)
1934                                 SubTransSetParent(subxids[i], xid, overwriteOK);
1935
1936                         /*
1937                          * Recreate its GXACT and dummy PGPROC
1938                          *
1939                          * Note: since we don't have the PREPARE record's WAL location at
1940                          * hand, we leave prepare_lsn zeroes.  This means the GXACT will
1941                          * be fsync'd on every future checkpoint.  We assume this
1942                          * situation is infrequent enough that the performance cost is
1943                          * negligible (especially since we know the state file has already
1944                          * been fsynced).
1945                          */
1946                         gxact = MarkAsPreparing(xid, hdr->gid,
1947                                                                         hdr->prepared_at,
1948                                                                         hdr->owner, hdr->database);
1949                         GXactLoadSubxactData(gxact, hdr->nsubxacts, subxids);
1950                         MarkAsPrepared(gxact);
1951
1952                         /*
1953                          * Recover other state (notably locks) using resource managers
1954                          */
1955                         ProcessRecords(bufptr, xid, twophase_recover_callbacks);
1956
1957                         /*
1958                          * Release locks held by the standby process after we process each
1959                          * prepared transaction. As a result, we don't need too many
1960                          * additional locks at any one time.
1961                          */
1962                         if (InHotStandby)
1963                                 StandbyReleaseLockTree(xid, hdr->nsubxacts, subxids);
1964
1965                         pfree(buf);
1966                 }
1967         }
1968         FreeDir(cldir);
1969 }
1970
1971 /*
1972  *      RecordTransactionCommitPrepared
1973  *
1974  * This is basically the same as RecordTransactionCommit: in particular,
1975  * we must set the inCommit flag to avoid a race condition.
1976  *
1977  * We know the transaction made at least one XLOG entry (its PREPARE),
1978  * so it is never possible to optimize out the commit record.
1979  */
1980 static void
1981 RecordTransactionCommitPrepared(TransactionId xid,
1982                                                                 int nchildren,
1983                                                                 TransactionId *children,
1984                                                                 int nrels,
1985                                                                 RelFileNode *rels,
1986                                                                 int ninvalmsgs,
1987                                                                 SharedInvalidationMessage *invalmsgs,
1988                                                                 bool initfileinval)
1989 {
1990         XLogRecData rdata[4];
1991         int                     lastrdata = 0;
1992         xl_xact_commit_prepared xlrec;
1993         XLogRecPtr      recptr;
1994
1995         START_CRIT_SECTION();
1996
1997         /* See notes in RecordTransactionCommit */
1998         MyPgXact->inCommit = true;
1999
2000         /* Emit the XLOG commit record */
2001         xlrec.xid = xid;
2002         xlrec.crec.xact_time = GetCurrentTimestamp();
2003         xlrec.crec.xinfo = initfileinval ? XACT_COMPLETION_UPDATE_RELCACHE_FILE : 0;
2004         xlrec.crec.nmsgs = 0;
2005         xlrec.crec.nrels = nrels;
2006         xlrec.crec.nsubxacts = nchildren;
2007         xlrec.crec.nmsgs = ninvalmsgs;
2008
2009         rdata[0].data = (char *) (&xlrec);
2010         rdata[0].len = MinSizeOfXactCommitPrepared;
2011         rdata[0].buffer = InvalidBuffer;
2012         /* dump rels to delete */
2013         if (nrels > 0)
2014         {
2015                 rdata[0].next = &(rdata[1]);
2016                 rdata[1].data = (char *) rels;
2017                 rdata[1].len = nrels * sizeof(RelFileNode);
2018                 rdata[1].buffer = InvalidBuffer;
2019                 lastrdata = 1;
2020         }
2021         /* dump committed child Xids */
2022         if (nchildren > 0)
2023         {
2024                 rdata[lastrdata].next = &(rdata[2]);
2025                 rdata[2].data = (char *) children;
2026                 rdata[2].len = nchildren * sizeof(TransactionId);
2027                 rdata[2].buffer = InvalidBuffer;
2028                 lastrdata = 2;
2029         }
2030         /* dump cache invalidation messages */
2031         if (ninvalmsgs > 0)
2032         {
2033                 rdata[lastrdata].next = &(rdata[3]);
2034                 rdata[3].data = (char *) invalmsgs;
2035                 rdata[3].len = ninvalmsgs * sizeof(SharedInvalidationMessage);
2036                 rdata[3].buffer = InvalidBuffer;
2037                 lastrdata = 3;
2038         }
2039         rdata[lastrdata].next = NULL;
2040
2041         recptr = XLogInsert(RM_XACT_ID, XLOG_XACT_COMMIT_PREPARED, rdata);
2042
2043         /*
2044          * We don't currently try to sleep before flush here ... nor is there any
2045          * support for async commit of a prepared xact (the very idea is probably
2046          * a contradiction)
2047          */
2048
2049         /* Flush XLOG to disk */
2050         XLogFlush(recptr);
2051
2052         /* Mark the transaction committed in pg_clog */
2053         TransactionIdCommitTree(xid, nchildren, children);
2054
2055         /* Checkpoint can proceed now */
2056         MyPgXact->inCommit = false;
2057
2058         END_CRIT_SECTION();
2059
2060         /*
2061          * Wait for synchronous replication, if required.
2062          *
2063          * Note that at this stage we have marked clog, but still show as running
2064          * in the procarray and continue to hold locks.
2065          */
2066         SyncRepWaitForLSN(recptr);
2067 }
2068
2069 /*
2070  *      RecordTransactionAbortPrepared
2071  *
2072  * This is basically the same as RecordTransactionAbort.
2073  *
2074  * We know the transaction made at least one XLOG entry (its PREPARE),
2075  * so it is never possible to optimize out the abort record.
2076  */
2077 static void
2078 RecordTransactionAbortPrepared(TransactionId xid,
2079                                                            int nchildren,
2080                                                            TransactionId *children,
2081                                                            int nrels,
2082                                                            RelFileNode *rels)
2083 {
2084         XLogRecData rdata[3];
2085         int                     lastrdata = 0;
2086         xl_xact_abort_prepared xlrec;
2087         XLogRecPtr      recptr;
2088
2089         /*
2090          * Catch the scenario where we aborted partway through
2091          * RecordTransactionCommitPrepared ...
2092          */
2093         if (TransactionIdDidCommit(xid))
2094                 elog(PANIC, "cannot abort transaction %u, it was already committed",
2095                          xid);
2096
2097         START_CRIT_SECTION();
2098
2099         /* Emit the XLOG abort record */
2100         xlrec.xid = xid;
2101         xlrec.arec.xact_time = GetCurrentTimestamp();
2102         xlrec.arec.nrels = nrels;
2103         xlrec.arec.nsubxacts = nchildren;
2104         rdata[0].data = (char *) (&xlrec);
2105         rdata[0].len = MinSizeOfXactAbortPrepared;
2106         rdata[0].buffer = InvalidBuffer;
2107         /* dump rels to delete */
2108         if (nrels > 0)
2109         {
2110                 rdata[0].next = &(rdata[1]);
2111                 rdata[1].data = (char *) rels;
2112                 rdata[1].len = nrels * sizeof(RelFileNode);
2113                 rdata[1].buffer = InvalidBuffer;
2114                 lastrdata = 1;
2115         }
2116         /* dump committed child Xids */
2117         if (nchildren > 0)
2118         {
2119                 rdata[lastrdata].next = &(rdata[2]);
2120                 rdata[2].data = (char *) children;
2121                 rdata[2].len = nchildren * sizeof(TransactionId);
2122                 rdata[2].buffer = InvalidBuffer;
2123                 lastrdata = 2;
2124         }
2125         rdata[lastrdata].next = NULL;
2126
2127         recptr = XLogInsert(RM_XACT_ID, XLOG_XACT_ABORT_PREPARED, rdata);
2128
2129         /* Always flush, since we're about to remove the 2PC state file */
2130         XLogFlush(recptr);
2131
2132         /*
2133          * Mark the transaction aborted in clog.  This is not absolutely necessary
2134          * but we may as well do it while we are here.
2135          */
2136         TransactionIdAbortTree(xid, nchildren, children);
2137
2138         END_CRIT_SECTION();
2139
2140         /*
2141          * Wait for synchronous replication, if required.
2142          *
2143          * Note that at this stage we have marked clog, but still show as running
2144          * in the procarray and continue to hold locks.
2145          */
2146         SyncRepWaitForLSN(recptr);
2147 }