1 /*-------------------------------------------------------------------------
4 * Support functions to rewrite tables.
6 * These functions provide a facility to completely rewrite a heap, while
7 * preserving visibility information and update chains.
11 * The caller is responsible for creating the new heap, all catalog
12 * changes, supplying the tuples to be written to the new heap, and
13 * rebuilding indexes. The caller must hold AccessExclusiveLock on the
14 * target table, because we assume no one else is writing into it.
16 * To use the facility:
19 * while (fetch next tuple)
22 * rewrite_heap_dead_tuple
25 * // do any transformations here if required
31 * The contents of the new relation shouldn't be relied on until after
32 * end_heap_rewrite is called.
37 * This would be a fairly trivial affair, except that we need to maintain
38 * the ctid chains that link versions of an updated tuple together.
39 * Since the newly stored tuples will have tids different from the original
40 * ones, if we just copied t_ctid fields to the new table the links would
41 * be wrong. When we are required to copy a (presumably recently-dead or
42 * delete-in-progress) tuple whose ctid doesn't point to itself, we have
43 * to substitute the correct ctid instead.
45 * For each ctid reference from A -> B, we might encounter either A first
46 * or B first. (Note that a tuple in the middle of a chain is both A and B
47 * of different pairs.)
49 * If we encounter A first, we'll store the tuple in the unresolved_tups
50 * hash table. When we later encounter B, we remove A from the hash table,
51 * fix the ctid to point to the new location of B, and insert both A and B
54 * If we encounter B first, we can insert B to the new heap right away.
55 * We then add an entry to the old_new_tid_map hash table showing B's
56 * original tid (in the old heap) and new tid (in the new heap).
57 * When we later encounter A, we get the new location of B from the table,
58 * and can write A immediately with the correct ctid.
60 * Entries in the hash tables can be removed as soon as the later tuple
61 * is encountered. That helps to keep the memory usage down. At the end,
62 * both tables are usually empty; we should have encountered both A and B
63 * of each pair. However, it's possible for A to be RECENTLY_DEAD and B
64 * entirely DEAD according to HeapTupleSatisfiesVacuum, because the test
65 * for deadness using OldestXmin is not exact. In such a case we might
66 * encounter B first, and skip it, and find A later. Then A would be added
67 * to unresolved_tups, and stay there until end of the rewrite. Since
68 * this case is very unusual, we don't worry about the memory usage.
70 * Using in-memory hash tables means that we use some memory for each live
71 * update chain in the table, from the time we find one end of the
72 * reference until we find the other end. That shouldn't be a problem in
73 * practice, but if you do something like an UPDATE without a where-clause
74 * on a large table, and then run CLUSTER in the same transaction, you
75 * could run out of memory. It doesn't seem worthwhile to add support for
76 * spill-to-disk, as there shouldn't be that many RECENTLY_DEAD tuples in a
77 * table under normal circumstances. Furthermore, in the typical scenario
78 * of CLUSTERing on an unchanging key column, we'll see all the versions
79 * of a given tuple together anyway, and so the peak memory usage is only
80 * proportional to the number of RECENTLY_DEAD versions of a single row, not
81 * in the whole table. Note that if we do fail halfway through a CLUSTER,
82 * the old table is still valid, so failure is not catastrophic.
84 * We can't use the normal heap_insert function to insert into the new
85 * heap, because heap_insert overwrites the visibility information.
86 * We use a special-purpose raw_heap_insert function instead, which
87 * is optimized for bulk inserting a lot of tuples, knowing that we have
88 * exclusive access to the heap. raw_heap_insert builds new pages in
89 * local storage. When a page is full, or at the end of the process,
90 * we insert it to WAL as a single record and then write it to disk with
91 * the bulk smgr writer. Note, however, that any data sent to the new
92 * heap's TOAST table will go through the normal bufmgr.
95 * Portions Copyright (c) 1996-2024, PostgreSQL Global Development Group
96 * Portions Copyright (c) 1994-5, Regents of the University of California
99 * src/backend/access/heap/rewriteheap.c
101 *-------------------------------------------------------------------------
103 #include "postgres.h"
107 #include "access/heapam.h"
108 #include "access/heapam_xlog.h"
109 #include "access/heaptoast.h"
110 #include "access/rewriteheap.h"
111 #include "access/transam.h"
112 #include "access/xact.h"
113 #include "access/xloginsert.h"
114 #include "common/file_utils.h"
115 #include "lib/ilist.h"
116 #include "miscadmin.h"
118 #include "replication/slot.h"
119 #include "storage/bufmgr.h"
120 #include "storage/bulk_write.h"
121 #include "storage/fd.h"
122 #include "storage/procarray.h"
123 #include "utils/memutils.h"
124 #include "utils/rel.h"
127 * State associated with a rewrite operation. This is opaque to the user
128 * of the rewrite facility.
130 typedef struct RewriteStateData
132 Relation rs_old_rel
; /* source heap */
133 Relation rs_new_rel
; /* destination heap */
134 BulkWriteState
*rs_bulkstate
; /* writer for the destination */
135 BulkWriteBuffer rs_buffer
; /* page currently being built */
136 BlockNumber rs_blockno
; /* block where page will go */
137 bool rs_logical_rewrite
; /* do we need to do logical rewriting */
138 TransactionId rs_oldest_xmin
; /* oldest xmin used by caller to determine
139 * tuple visibility */
140 TransactionId rs_freeze_xid
; /* Xid that will be used as freeze cutoff
142 TransactionId rs_logical_xmin
; /* Xid that will be used as cutoff point
143 * for logical rewrites */
144 MultiXactId rs_cutoff_multi
; /* MultiXactId that will be used as cutoff
145 * point for multixacts */
146 MemoryContext rs_cxt
; /* for hash tables and entries and tuples in
148 XLogRecPtr rs_begin_lsn
; /* XLogInsertLsn when starting the rewrite */
149 HTAB
*rs_unresolved_tups
; /* unmatched A tuples */
150 HTAB
*rs_old_new_tid_map
; /* unmatched B tuples */
151 HTAB
*rs_logical_mappings
; /* logical remapping files */
152 uint32 rs_num_rewrite_mappings
; /* # in memory mappings */
156 * The lookup keys for the hash tables are tuple TID and xmin (we must check
157 * both to avoid false matches from dead tuples). Beware that there is
158 * probably some padding space in this struct; it must be zeroed out for
159 * correct hashtable operation.
163 TransactionId xmin
; /* tuple xmin */
164 ItemPointerData tid
; /* tuple location in old heap */
168 * Entry structures for the hash tables
172 TidHashKey key
; /* expected xmin/old location of B tuple */
173 ItemPointerData old_tid
; /* A's location in the old heap */
174 HeapTuple tuple
; /* A's tuple contents */
177 typedef UnresolvedTupData
*UnresolvedTup
;
181 TidHashKey key
; /* actual xmin/old location of B tuple */
182 ItemPointerData new_tid
; /* where we put it in the new heap */
183 } OldToNewMappingData
;
185 typedef OldToNewMappingData
*OldToNewMapping
;
188 * In-Memory data for an xid that might need logical remapping entries
191 typedef struct RewriteMappingFile
193 TransactionId xid
; /* xid that might need to see the row */
194 int vfd
; /* fd of mappings file */
195 off_t off
; /* how far have we written yet */
196 dclist_head mappings
; /* list of in-memory mappings */
197 char path
[MAXPGPATH
]; /* path, for error messages */
198 } RewriteMappingFile
;
201 * A single In-Memory logical rewrite mapping, hanging off
202 * RewriteMappingFile->mappings.
204 typedef struct RewriteMappingDataEntry
206 LogicalRewriteMappingData map
; /* map between old and new location of the
209 } RewriteMappingDataEntry
;
212 /* prototypes for internal functions */
213 static void raw_heap_insert(RewriteState state
, HeapTuple tup
);
215 /* internal logical remapping prototypes */
216 static void logical_begin_heap_rewrite(RewriteState state
);
217 static void logical_rewrite_heap_tuple(RewriteState state
, ItemPointerData old_tid
, HeapTuple new_tuple
);
218 static void logical_end_heap_rewrite(RewriteState state
);
222 * Begin a rewrite of a table
224 * old_heap old, locked heap relation tuples will be read from
225 * new_heap new, locked heap relation to insert tuples to
226 * oldest_xmin xid used by the caller to determine which tuples are dead
227 * freeze_xid xid before which tuples will be frozen
228 * cutoff_multi multixact before which multis will be removed
230 * Returns an opaque RewriteState, allocated in current memory context,
231 * to be used in subsequent calls to the other functions.
234 begin_heap_rewrite(Relation old_heap
, Relation new_heap
, TransactionId oldest_xmin
,
235 TransactionId freeze_xid
, MultiXactId cutoff_multi
)
238 MemoryContext rw_cxt
;
239 MemoryContext old_cxt
;
243 * To ease cleanup, make a separate context that will contain the
244 * RewriteState struct itself plus all subsidiary data.
246 rw_cxt
= AllocSetContextCreate(CurrentMemoryContext
,
248 ALLOCSET_DEFAULT_SIZES
);
249 old_cxt
= MemoryContextSwitchTo(rw_cxt
);
251 /* Create and fill in the state struct */
252 state
= palloc0(sizeof(RewriteStateData
));
254 state
->rs_old_rel
= old_heap
;
255 state
->rs_new_rel
= new_heap
;
256 state
->rs_buffer
= NULL
;
257 /* new_heap needn't be empty, just locked */
258 state
->rs_blockno
= RelationGetNumberOfBlocks(new_heap
);
259 state
->rs_oldest_xmin
= oldest_xmin
;
260 state
->rs_freeze_xid
= freeze_xid
;
261 state
->rs_cutoff_multi
= cutoff_multi
;
262 state
->rs_cxt
= rw_cxt
;
263 state
->rs_bulkstate
= smgr_bulk_start_rel(new_heap
, MAIN_FORKNUM
);
265 /* Initialize hash tables used to track update chains */
266 hash_ctl
.keysize
= sizeof(TidHashKey
);
267 hash_ctl
.entrysize
= sizeof(UnresolvedTupData
);
268 hash_ctl
.hcxt
= state
->rs_cxt
;
270 state
->rs_unresolved_tups
=
271 hash_create("Rewrite / Unresolved ctids",
272 128, /* arbitrary initial size */
274 HASH_ELEM
| HASH_BLOBS
| HASH_CONTEXT
);
276 hash_ctl
.entrysize
= sizeof(OldToNewMappingData
);
278 state
->rs_old_new_tid_map
=
279 hash_create("Rewrite / Old to new tid map",
280 128, /* arbitrary initial size */
282 HASH_ELEM
| HASH_BLOBS
| HASH_CONTEXT
);
284 MemoryContextSwitchTo(old_cxt
);
286 logical_begin_heap_rewrite(state
);
294 * state and any other resources are freed.
297 end_heap_rewrite(RewriteState state
)
299 HASH_SEQ_STATUS seq_status
;
300 UnresolvedTup unresolved
;
303 * Write any remaining tuples in the UnresolvedTups table. If we have any
304 * left, they should in fact be dead, but let's err on the safe side.
306 hash_seq_init(&seq_status
, state
->rs_unresolved_tups
);
308 while ((unresolved
= hash_seq_search(&seq_status
)) != NULL
)
310 ItemPointerSetInvalid(&unresolved
->tuple
->t_data
->t_ctid
);
311 raw_heap_insert(state
, unresolved
->tuple
);
314 /* Write the last page, if any */
315 if (state
->rs_buffer
)
317 smgr_bulk_write(state
->rs_bulkstate
, state
->rs_blockno
, state
->rs_buffer
, true);
318 state
->rs_buffer
= NULL
;
321 smgr_bulk_finish(state
->rs_bulkstate
);
323 logical_end_heap_rewrite(state
);
325 /* Deleting the context frees everything */
326 MemoryContextDelete(state
->rs_cxt
);
330 * Add a tuple to the new heap.
332 * Visibility information is copied from the original tuple, except that
333 * we "freeze" very-old tuples. Note that since we scribble on new_tuple,
334 * it had better be temp storage not a pointer to the original tuple.
336 * state opaque state as returned by begin_heap_rewrite
337 * old_tuple original tuple in the old heap
338 * new_tuple new, rewritten tuple to be inserted to new heap
341 rewrite_heap_tuple(RewriteState state
,
342 HeapTuple old_tuple
, HeapTuple new_tuple
)
344 MemoryContext old_cxt
;
345 ItemPointerData old_tid
;
350 old_cxt
= MemoryContextSwitchTo(state
->rs_cxt
);
353 * Copy the original tuple's visibility information into new_tuple.
355 * XXX we might later need to copy some t_infomask2 bits, too? Right now,
356 * we intentionally clear the HOT status bits.
358 memcpy(&new_tuple
->t_data
->t_choice
.t_heap
,
359 &old_tuple
->t_data
->t_choice
.t_heap
,
360 sizeof(HeapTupleFields
));
362 new_tuple
->t_data
->t_infomask
&= ~HEAP_XACT_MASK
;
363 new_tuple
->t_data
->t_infomask2
&= ~HEAP2_XACT_MASK
;
364 new_tuple
->t_data
->t_infomask
|=
365 old_tuple
->t_data
->t_infomask
& HEAP_XACT_MASK
;
368 * While we have our hands on the tuple, we may as well freeze any
369 * eligible xmin or xmax, so that future VACUUM effort can be saved.
371 heap_freeze_tuple(new_tuple
->t_data
,
372 state
->rs_old_rel
->rd_rel
->relfrozenxid
,
373 state
->rs_old_rel
->rd_rel
->relminmxid
,
374 state
->rs_freeze_xid
,
375 state
->rs_cutoff_multi
);
378 * Invalid ctid means that ctid should point to the tuple itself. We'll
379 * override it later if the tuple is part of an update chain.
381 ItemPointerSetInvalid(&new_tuple
->t_data
->t_ctid
);
384 * If the tuple has been updated, check the old-to-new mapping hash table.
386 if (!((old_tuple
->t_data
->t_infomask
& HEAP_XMAX_INVALID
) ||
387 HeapTupleHeaderIsOnlyLocked(old_tuple
->t_data
)) &&
388 !HeapTupleHeaderIndicatesMovedPartitions(old_tuple
->t_data
) &&
389 !(ItemPointerEquals(&(old_tuple
->t_self
),
390 &(old_tuple
->t_data
->t_ctid
))))
392 OldToNewMapping mapping
;
394 memset(&hashkey
, 0, sizeof(hashkey
));
395 hashkey
.xmin
= HeapTupleHeaderGetUpdateXid(old_tuple
->t_data
);
396 hashkey
.tid
= old_tuple
->t_data
->t_ctid
;
398 mapping
= (OldToNewMapping
)
399 hash_search(state
->rs_old_new_tid_map
, &hashkey
,
405 * We've already copied the tuple that t_ctid points to, so we can
406 * set the ctid of this tuple to point to the new location, and
407 * insert it right away.
409 new_tuple
->t_data
->t_ctid
= mapping
->new_tid
;
411 /* We don't need the mapping entry anymore */
412 hash_search(state
->rs_old_new_tid_map
, &hashkey
,
413 HASH_REMOVE
, &found
);
419 * We haven't seen the tuple t_ctid points to yet. Stash this
420 * tuple into unresolved_tups to be written later.
422 UnresolvedTup unresolved
;
424 unresolved
= hash_search(state
->rs_unresolved_tups
, &hashkey
,
428 unresolved
->old_tid
= old_tuple
->t_self
;
429 unresolved
->tuple
= heap_copytuple(new_tuple
);
432 * We can't do anything more now, since we don't know where the
433 * tuple will be written.
435 MemoryContextSwitchTo(old_cxt
);
441 * Now we will write the tuple, and then check to see if it is the B tuple
442 * in any new or known pair. When we resolve a known pair, we will be
443 * able to write that pair's A tuple, and then we have to check if it
444 * resolves some other pair. Hence, we need a loop here.
446 old_tid
= old_tuple
->t_self
;
451 ItemPointerData new_tid
;
453 /* Insert the tuple and find out where it's put in new_heap */
454 raw_heap_insert(state
, new_tuple
);
455 new_tid
= new_tuple
->t_self
;
457 logical_rewrite_heap_tuple(state
, old_tid
, new_tuple
);
460 * If the tuple is the updated version of a row, and the prior version
461 * wouldn't be DEAD yet, then we need to either resolve the prior
462 * version (if it's waiting in rs_unresolved_tups), or make an entry
463 * in rs_old_new_tid_map (so we can resolve it when we do see it). The
464 * previous tuple's xmax would equal this one's xmin, so it's
465 * RECENTLY_DEAD if and only if the xmin is not before OldestXmin.
467 if ((new_tuple
->t_data
->t_infomask
& HEAP_UPDATED
) &&
468 !TransactionIdPrecedes(HeapTupleHeaderGetXmin(new_tuple
->t_data
),
469 state
->rs_oldest_xmin
))
472 * Okay, this is B in an update pair. See if we've seen A.
474 UnresolvedTup unresolved
;
476 memset(&hashkey
, 0, sizeof(hashkey
));
477 hashkey
.xmin
= HeapTupleHeaderGetXmin(new_tuple
->t_data
);
478 hashkey
.tid
= old_tid
;
480 unresolved
= hash_search(state
->rs_unresolved_tups
, &hashkey
,
483 if (unresolved
!= NULL
)
486 * We have seen and memorized the previous tuple already. Now
487 * that we know where we inserted the tuple its t_ctid points
488 * to, fix its t_ctid and insert it to the new heap.
491 heap_freetuple(new_tuple
);
492 new_tuple
= unresolved
->tuple
;
494 old_tid
= unresolved
->old_tid
;
495 new_tuple
->t_data
->t_ctid
= new_tid
;
498 * We don't need the hash entry anymore, but don't free its
501 hash_search(state
->rs_unresolved_tups
, &hashkey
,
502 HASH_REMOVE
, &found
);
505 /* loop back to insert the previous tuple in the chain */
511 * Remember the new tid of this tuple. We'll use it to set the
512 * ctid when we find the previous tuple in the chain.
514 OldToNewMapping mapping
;
516 mapping
= hash_search(state
->rs_old_new_tid_map
, &hashkey
,
520 mapping
->new_tid
= new_tid
;
524 /* Done with this (chain of) tuples, for now */
526 heap_freetuple(new_tuple
);
530 MemoryContextSwitchTo(old_cxt
);
534 * Register a dead tuple with an ongoing rewrite. Dead tuples are not
535 * copied to the new table, but we still make note of them so that we
536 * can release some resources earlier.
538 * Returns true if a tuple was removed from the unresolved_tups table.
539 * This indicates that that tuple, previously thought to be "recently dead",
540 * is now known really dead and won't be written to the output.
543 rewrite_heap_dead_tuple(RewriteState state
, HeapTuple old_tuple
)
546 * If we have already seen an earlier tuple in the update chain that
547 * points to this tuple, let's forget about that earlier tuple. It's in
548 * fact dead as well, our simple xmax < OldestXmin test in
549 * HeapTupleSatisfiesVacuum just wasn't enough to detect it. It happens
550 * when xmin of a tuple is greater than xmax, which sounds
551 * counter-intuitive but is perfectly valid.
553 * We don't bother to try to detect the situation the other way round,
554 * when we encounter the dead tuple first and then the recently dead one
555 * that points to it. If that happens, we'll have some unmatched entries
556 * in the UnresolvedTups hash table at the end. That can happen anyway,
557 * because a vacuum might have removed the dead tuple in the chain before
560 UnresolvedTup unresolved
;
564 memset(&hashkey
, 0, sizeof(hashkey
));
565 hashkey
.xmin
= HeapTupleHeaderGetXmin(old_tuple
->t_data
);
566 hashkey
.tid
= old_tuple
->t_self
;
568 unresolved
= hash_search(state
->rs_unresolved_tups
, &hashkey
,
571 if (unresolved
!= NULL
)
573 /* Need to free the contained tuple as well as the hashtable entry */
574 heap_freetuple(unresolved
->tuple
);
575 hash_search(state
->rs_unresolved_tups
, &hashkey
,
576 HASH_REMOVE
, &found
);
585 * Insert a tuple to the new relation. This has to track heap_insert
586 * and its subsidiary functions!
588 * t_self of the tuple is set to the new TID of the tuple. If t_ctid of the
589 * tuple is invalid on entry, it's replaced with the new TID as well (in
590 * the inserted data only, not in the caller's copy).
593 raw_heap_insert(RewriteState state
, HeapTuple tup
)
603 * If the new tuple is too big for storage or contains already toasted
604 * out-of-line attributes from some other relation, invoke the toaster.
606 * Note: below this point, heaptup is the data we actually intend to store
607 * into the relation; tup is the caller's original untoasted data.
609 if (state
->rs_new_rel
->rd_rel
->relkind
== RELKIND_TOASTVALUE
)
611 /* toast table entries should never be recursively toasted */
612 Assert(!HeapTupleHasExternal(tup
));
615 else if (HeapTupleHasExternal(tup
) || tup
->t_len
> TOAST_TUPLE_THRESHOLD
)
617 int options
= HEAP_INSERT_SKIP_FSM
;
620 * While rewriting the heap for VACUUM FULL / CLUSTER, make sure data
621 * for the TOAST table are not logically decoded. The main heap is
622 * WAL-logged as XLOG FPI records, which are not logically decoded.
624 options
|= HEAP_INSERT_NO_LOGICAL
;
626 heaptup
= heap_toast_insert_or_update(state
->rs_new_rel
, tup
, NULL
,
632 len
= MAXALIGN(heaptup
->t_len
); /* be conservative */
635 * If we're gonna fail for oversize tuple, do it right away
637 if (len
> MaxHeapTupleSize
)
639 (errcode(ERRCODE_PROGRAM_LIMIT_EXCEEDED
),
640 errmsg("row is too big: size %zu, maximum size %zu",
641 len
, MaxHeapTupleSize
)));
643 /* Compute desired extra freespace due to fillfactor option */
644 saveFreeSpace
= RelationGetTargetPageFreeSpace(state
->rs_new_rel
,
645 HEAP_DEFAULT_FILLFACTOR
);
647 /* Now we can check to see if there's enough free space already. */
648 page
= (Page
) state
->rs_buffer
;
651 pageFreeSpace
= PageGetHeapFreeSpace(page
);
653 if (len
+ saveFreeSpace
> pageFreeSpace
)
656 * Doesn't fit, so write out the existing page. It always
657 * contains a tuple. Hence, unlike RelationGetBufferForTuple(),
658 * enforce saveFreeSpace unconditionally.
660 smgr_bulk_write(state
->rs_bulkstate
, state
->rs_blockno
, state
->rs_buffer
, true);
661 state
->rs_buffer
= NULL
;
669 /* Initialize a new empty page */
670 state
->rs_buffer
= smgr_bulk_get_buf(state
->rs_bulkstate
);
671 page
= (Page
) state
->rs_buffer
;
672 PageInit(page
, BLCKSZ
, 0);
675 /* And now we can insert the tuple into the page */
676 newoff
= PageAddItem(page
, (Item
) heaptup
->t_data
, heaptup
->t_len
,
677 InvalidOffsetNumber
, false, true);
678 if (newoff
== InvalidOffsetNumber
)
679 elog(ERROR
, "failed to add tuple");
681 /* Update caller's t_self to the actual position where it was stored */
682 ItemPointerSet(&(tup
->t_self
), state
->rs_blockno
, newoff
);
685 * Insert the correct position into CTID of the stored tuple, too, if the
686 * caller didn't supply a valid CTID.
688 if (!ItemPointerIsValid(&tup
->t_data
->t_ctid
))
691 HeapTupleHeader onpage_tup
;
693 newitemid
= PageGetItemId(page
, newoff
);
694 onpage_tup
= (HeapTupleHeader
) PageGetItem(page
, newitemid
);
696 onpage_tup
->t_ctid
= tup
->t_self
;
699 /* If heaptup is a private copy, release it. */
701 heap_freetuple(heaptup
);
704 /* ------------------------------------------------------------------------
705 * Logical rewrite support
707 * When doing logical decoding - which relies on using cmin/cmax of catalog
708 * tuples, via xl_heap_new_cid records - heap rewrites have to log enough
709 * information to allow the decoding backend to update its internal mapping
710 * of (relfilelocator,ctid) => (cmin, cmax) to be correct for the rewritten heap.
712 * For that, every time we find a tuple that's been modified in a catalog
713 * relation within the xmin horizon of any decoding slot, we log a mapping
714 * from the old to the new location.
716 * To deal with rewrites that abort the filename of a mapping file contains
717 * the xid of the transaction performing the rewrite, which then can be
718 * checked before being read in.
720 * For efficiency we don't immediately spill every single map mapping for a
721 * row to disk but only do so in batches when we've collected several of them
722 * in memory or when end_heap_rewrite() has been called.
724 * Crash-Safety: This module diverts from the usual patterns of doing WAL
725 * since it cannot rely on checkpoint flushing out all buffers and thus
726 * waiting for exclusive locks on buffers. Usually the XLogInsert() covering
727 * buffer modifications is performed while the buffer(s) that are being
728 * modified are exclusively locked guaranteeing that both the WAL record and
729 * the modified heap are on either side of the checkpoint. But since the
730 * mapping files we log aren't in shared_buffers that interlock doesn't work.
732 * Instead we simply write the mapping files out to disk, *before* the
733 * XLogInsert() is performed. That guarantees that either the XLogInsert() is
734 * inserted after the checkpoint's redo pointer or that the checkpoint (via
735 * CheckPointLogicalRewriteHeap()) has flushed the (partial) mapping file to
736 * disk. That leaves the tail end that has not yet been flushed open to
737 * corruption, which is solved by including the current offset in the
738 * xl_heap_rewrite_mapping records and truncating the mapping file to it
739 * during replay. Every time a rewrite is finished all generated mapping files
740 * are synced to disk.
742 * Note that if we were only concerned about crash safety we wouldn't have to
743 * deal with WAL logging at all - an fsync() at the end of a rewrite would be
744 * sufficient for crash safety. Any mapping that hasn't been safely flushed to
745 * disk has to be by an aborted (explicitly or via a crash) transaction and is
746 * ignored by virtue of the xid in its name being subject to a
747 * TransactionDidCommit() check. But we want to support having standbys via
748 * physical replication, both for availability and to do logical decoding
750 * ------------------------------------------------------------------------
754 * Do preparations for logging logical mappings during a rewrite if
755 * necessary. If we detect that we don't need to log anything we'll prevent
756 * any further action by the various logical rewrite functions.
759 logical_begin_heap_rewrite(RewriteState state
)
762 TransactionId logical_xmin
;
765 * We only need to persist these mappings if the rewritten table can be
766 * accessed during logical decoding, if not, we can skip doing any
769 state
->rs_logical_rewrite
=
770 RelationIsAccessibleInLogicalDecoding(state
->rs_old_rel
);
772 if (!state
->rs_logical_rewrite
)
775 ProcArrayGetReplicationSlotXmin(NULL
, &logical_xmin
);
778 * If there are no logical slots in progress we don't need to do anything,
779 * there cannot be any remappings for relevant rows yet. The relation's
780 * lock protects us against races.
782 if (logical_xmin
== InvalidTransactionId
)
784 state
->rs_logical_rewrite
= false;
788 state
->rs_logical_xmin
= logical_xmin
;
789 state
->rs_begin_lsn
= GetXLogInsertRecPtr();
790 state
->rs_num_rewrite_mappings
= 0;
792 hash_ctl
.keysize
= sizeof(TransactionId
);
793 hash_ctl
.entrysize
= sizeof(RewriteMappingFile
);
794 hash_ctl
.hcxt
= state
->rs_cxt
;
796 state
->rs_logical_mappings
=
797 hash_create("Logical rewrite mapping",
798 128, /* arbitrary initial size */
800 HASH_ELEM
| HASH_BLOBS
| HASH_CONTEXT
);
804 * Flush all logical in-memory mappings to disk, but don't fsync them yet.
807 logical_heap_rewrite_flush_mappings(RewriteState state
)
809 HASH_SEQ_STATUS seq_status
;
810 RewriteMappingFile
*src
;
811 dlist_mutable_iter iter
;
813 Assert(state
->rs_logical_rewrite
);
815 /* no logical rewrite in progress, no need to iterate over mappings */
816 if (state
->rs_num_rewrite_mappings
== 0)
819 elog(DEBUG1
, "flushing %u logical rewrite mapping entries",
820 state
->rs_num_rewrite_mappings
);
822 hash_seq_init(&seq_status
, state
->rs_logical_mappings
);
823 while ((src
= (RewriteMappingFile
*) hash_seq_search(&seq_status
)) != NULL
)
827 xl_heap_rewrite_mapping xlrec
;
831 uint32 num_mappings
= dclist_count(&src
->mappings
);
833 /* this file hasn't got any new mappings */
834 if (num_mappings
== 0)
837 if (state
->rs_old_rel
->rd_rel
->relisshared
)
840 dboid
= MyDatabaseId
;
842 xlrec
.num_mappings
= num_mappings
;
843 xlrec
.mapped_rel
= RelationGetRelid(state
->rs_old_rel
);
844 xlrec
.mapped_xid
= src
->xid
;
845 xlrec
.mapped_db
= dboid
;
846 xlrec
.offset
= src
->off
;
847 xlrec
.start_lsn
= state
->rs_begin_lsn
;
849 /* write all mappings consecutively */
850 len
= num_mappings
* sizeof(LogicalRewriteMappingData
);
851 waldata_start
= waldata
= palloc(len
);
854 * collect data we need to write out, but don't modify ondisk data yet
856 dclist_foreach_modify(iter
, &src
->mappings
)
858 RewriteMappingDataEntry
*pmap
;
860 pmap
= dclist_container(RewriteMappingDataEntry
, node
, iter
.cur
);
862 memcpy(waldata
, &pmap
->map
, sizeof(pmap
->map
));
863 waldata
+= sizeof(pmap
->map
);
865 /* remove from the list and free */
866 dclist_delete_from(&src
->mappings
, &pmap
->node
);
869 /* update bookkeeping */
870 state
->rs_num_rewrite_mappings
--;
873 Assert(dclist_count(&src
->mappings
) == 0);
874 Assert(waldata
== waldata_start
+ len
);
877 * Note that we deviate from the usual WAL coding practices here,
878 * check the above "Logical rewrite support" comment for reasoning.
880 written
= FileWrite(src
->vfd
, waldata_start
, len
, src
->off
,
881 WAIT_EVENT_LOGICAL_REWRITE_WRITE
);
884 (errcode_for_file_access(),
885 errmsg("could not write to file \"%s\", wrote %d of %d: %m", src
->path
,
890 XLogRegisterData((char *) (&xlrec
), sizeof(xlrec
));
891 XLogRegisterData(waldata_start
, len
);
893 /* write xlog record */
894 XLogInsert(RM_HEAP2_ID
, XLOG_HEAP2_REWRITE
);
896 pfree(waldata_start
);
898 Assert(state
->rs_num_rewrite_mappings
== 0);
902 * Logical remapping part of end_heap_rewrite().
905 logical_end_heap_rewrite(RewriteState state
)
907 HASH_SEQ_STATUS seq_status
;
908 RewriteMappingFile
*src
;
910 /* done, no logical rewrite in progress */
911 if (!state
->rs_logical_rewrite
)
914 /* writeout remaining in-memory entries */
915 if (state
->rs_num_rewrite_mappings
> 0)
916 logical_heap_rewrite_flush_mappings(state
);
918 /* Iterate over all mappings we have written and fsync the files. */
919 hash_seq_init(&seq_status
, state
->rs_logical_mappings
);
920 while ((src
= (RewriteMappingFile
*) hash_seq_search(&seq_status
)) != NULL
)
922 if (FileSync(src
->vfd
, WAIT_EVENT_LOGICAL_REWRITE_SYNC
) != 0)
923 ereport(data_sync_elevel(ERROR
),
924 (errcode_for_file_access(),
925 errmsg("could not fsync file \"%s\": %m", src
->path
)));
928 /* memory context cleanup will deal with the rest */
932 * Log a single (old->new) mapping for 'xid'.
935 logical_rewrite_log_mapping(RewriteState state
, TransactionId xid
,
936 LogicalRewriteMappingData
*map
)
938 RewriteMappingFile
*src
;
939 RewriteMappingDataEntry
*pmap
;
943 relid
= RelationGetRelid(state
->rs_old_rel
);
945 /* look for existing mappings for this 'mapped' xid */
946 src
= hash_search(state
->rs_logical_mappings
, &xid
,
950 * We haven't yet had the need to map anything for this xid, create
951 * per-xid data structures.
955 char path
[MAXPGPATH
];
958 if (state
->rs_old_rel
->rd_rel
->relisshared
)
961 dboid
= MyDatabaseId
;
963 snprintf(path
, MAXPGPATH
,
964 "%s/" LOGICAL_REWRITE_FORMAT
,
965 PG_LOGICAL_MAPPINGS_DIR
, dboid
, relid
,
966 LSN_FORMAT_ARGS(state
->rs_begin_lsn
),
967 xid
, GetCurrentTransactionId());
969 dclist_init(&src
->mappings
);
971 memcpy(src
->path
, path
, sizeof(path
));
972 src
->vfd
= PathNameOpenFile(path
,
973 O_CREAT
| O_EXCL
| O_WRONLY
| PG_BINARY
);
976 (errcode_for_file_access(),
977 errmsg("could not create file \"%s\": %m", path
)));
980 pmap
= MemoryContextAlloc(state
->rs_cxt
,
981 sizeof(RewriteMappingDataEntry
));
982 memcpy(&pmap
->map
, map
, sizeof(LogicalRewriteMappingData
));
983 dclist_push_tail(&src
->mappings
, &pmap
->node
);
984 state
->rs_num_rewrite_mappings
++;
987 * Write out buffer every time we've too many in-memory entries across all
990 if (state
->rs_num_rewrite_mappings
>= 1000 /* arbitrary number */ )
991 logical_heap_rewrite_flush_mappings(state
);
995 * Perform logical remapping for a tuple that's mapped from old_tid to
996 * new_tuple->t_self by rewrite_heap_tuple() if necessary for the tuple.
999 logical_rewrite_heap_tuple(RewriteState state
, ItemPointerData old_tid
,
1000 HeapTuple new_tuple
)
1002 ItemPointerData new_tid
= new_tuple
->t_self
;
1003 TransactionId cutoff
= state
->rs_logical_xmin
;
1006 bool do_log_xmin
= false;
1007 bool do_log_xmax
= false;
1008 LogicalRewriteMappingData map
;
1010 /* no logical rewrite in progress, we don't need to log anything */
1011 if (!state
->rs_logical_rewrite
)
1014 xmin
= HeapTupleHeaderGetXmin(new_tuple
->t_data
);
1015 /* use *GetUpdateXid to correctly deal with multixacts */
1016 xmax
= HeapTupleHeaderGetUpdateXid(new_tuple
->t_data
);
1019 * Log the mapping iff the tuple has been created recently.
1021 if (TransactionIdIsNormal(xmin
) && !TransactionIdPrecedes(xmin
, cutoff
))
1024 if (!TransactionIdIsNormal(xmax
))
1027 * no xmax is set, can't have any permanent ones, so this check is
1031 else if (HEAP_XMAX_IS_LOCKED_ONLY(new_tuple
->t_data
->t_infomask
))
1033 /* only locked, we don't care */
1035 else if (!TransactionIdPrecedes(xmax
, cutoff
))
1037 /* tuple has been deleted recently, log */
1041 /* if neither needs to be logged, we're done */
1042 if (!do_log_xmin
&& !do_log_xmax
)
1045 /* fill out mapping information */
1046 map
.old_locator
= state
->rs_old_rel
->rd_locator
;
1047 map
.old_tid
= old_tid
;
1048 map
.new_locator
= state
->rs_new_rel
->rd_locator
;
1049 map
.new_tid
= new_tid
;
1052 * Now persist the mapping for the individual xids that are affected. We
1053 * need to log for both xmin and xmax if they aren't the same transaction
1054 * since the mapping files are per "affected" xid.
1055 * We don't muster all that much effort detecting whether xmin and xmax
1056 * are actually the same transaction, we just check whether the xid is the
1057 * same disregarding subtransactions. Logging too much is relatively
1058 * harmless and we could never do the check fully since subtransaction
1059 * data is thrown away during restarts.
1063 logical_rewrite_log_mapping(state
, xmin
, &map
);
1064 /* separately log mapping for xmax unless it'd be redundant */
1065 if (do_log_xmax
&& !TransactionIdEquals(xmin
, xmax
))
1066 logical_rewrite_log_mapping(state
, xmax
, &map
);
1070 * Replay XLOG_HEAP2_REWRITE records
1073 heap_xlog_logical_rewrite(XLogReaderState
*r
)
1075 char path
[MAXPGPATH
];
1077 xl_heap_rewrite_mapping
*xlrec
;
1081 xlrec
= (xl_heap_rewrite_mapping
*) XLogRecGetData(r
);
1083 snprintf(path
, MAXPGPATH
,
1084 "%s/" LOGICAL_REWRITE_FORMAT
,
1085 PG_LOGICAL_MAPPINGS_DIR
, xlrec
->mapped_db
, xlrec
->mapped_rel
,
1086 LSN_FORMAT_ARGS(xlrec
->start_lsn
),
1087 xlrec
->mapped_xid
, XLogRecGetXid(r
));
1089 fd
= OpenTransientFile(path
,
1090 O_CREAT
| O_WRONLY
| PG_BINARY
);
1093 (errcode_for_file_access(),
1094 errmsg("could not create file \"%s\": %m", path
)));
1097 * Truncate all data that's not guaranteed to have been safely fsynced (by
1098 * previous record or by the last checkpoint).
1100 pgstat_report_wait_start(WAIT_EVENT_LOGICAL_REWRITE_TRUNCATE
);
1101 if (ftruncate(fd
, xlrec
->offset
) != 0)
1103 (errcode_for_file_access(),
1104 errmsg("could not truncate file \"%s\" to %u: %m",
1105 path
, (uint32
) xlrec
->offset
)));
1106 pgstat_report_wait_end();
1108 data
= XLogRecGetData(r
) + sizeof(*xlrec
);
1110 len
= xlrec
->num_mappings
* sizeof(LogicalRewriteMappingData
);
1112 /* write out tail end of mapping file (again) */
1114 pgstat_report_wait_start(WAIT_EVENT_LOGICAL_REWRITE_MAPPING_WRITE
);
1115 if (pg_pwrite(fd
, data
, len
, xlrec
->offset
) != len
)
1117 /* if write didn't set errno, assume problem is no disk space */
1121 (errcode_for_file_access(),
1122 errmsg("could not write to file \"%s\": %m", path
)));
1124 pgstat_report_wait_end();
1127 * Now fsync all previously written data. We could improve things and only
1128 * do this for the last write to a file, but the required bookkeeping
1129 * doesn't seem worth the trouble.
1131 pgstat_report_wait_start(WAIT_EVENT_LOGICAL_REWRITE_MAPPING_SYNC
);
1132 if (pg_fsync(fd
) != 0)
1133 ereport(data_sync_elevel(ERROR
),
1134 (errcode_for_file_access(),
1135 errmsg("could not fsync file \"%s\": %m", path
)));
1136 pgstat_report_wait_end();
1138 if (CloseTransientFile(fd
) != 0)
1140 (errcode_for_file_access(),
1141 errmsg("could not close file \"%s\": %m", path
)));
1145 * Perform a checkpoint for logical rewrite mappings
1147 * This serves two tasks:
1148 * 1) Remove all mappings not needed anymore based on the logical restart LSN
1149 * 2) Flush all remaining mappings to disk, so that replay after a checkpoint
1150 * only has to deal with the parts of a mapping that have been written out
1151 * after the checkpoint started.
1155 CheckPointLogicalRewriteHeap(void)
1160 struct dirent
*mapping_de
;
1161 char path
[MAXPGPATH
+ sizeof(PG_LOGICAL_MAPPINGS_DIR
)];
1164 * We start of with a minimum of the last redo pointer. No new decoding
1165 * slot will start before that, so that's a safe upper bound for removal.
1167 redo
= GetRedoRecPtr();
1169 /* now check for the restart ptrs from existing slots */
1170 cutoff
= ReplicationSlotsComputeLogicalRestartLSN();
1172 /* don't start earlier than the restart lsn */
1173 if (cutoff
!= InvalidXLogRecPtr
&& redo
< cutoff
)
1176 mappings_dir
= AllocateDir(PG_LOGICAL_MAPPINGS_DIR
);
1177 while ((mapping_de
= ReadDir(mappings_dir
, PG_LOGICAL_MAPPINGS_DIR
)) != NULL
)
1182 TransactionId rewrite_xid
;
1183 TransactionId create_xid
;
1188 if (strcmp(mapping_de
->d_name
, ".") == 0 ||
1189 strcmp(mapping_de
->d_name
, "..") == 0)
1192 snprintf(path
, sizeof(path
), "%s/%s", PG_LOGICAL_MAPPINGS_DIR
, mapping_de
->d_name
);
1193 de_type
= get_dirent_type(path
, mapping_de
, false, DEBUG1
);
1195 if (de_type
!= PGFILETYPE_ERROR
&& de_type
!= PGFILETYPE_REG
)
1198 /* Skip over files that cannot be ours. */
1199 if (strncmp(mapping_de
->d_name
, "map-", 4) != 0)
1202 if (sscanf(mapping_de
->d_name
, LOGICAL_REWRITE_FORMAT
,
1203 &dboid
, &relid
, &hi
, &lo
, &rewrite_xid
, &create_xid
) != 6)
1204 elog(ERROR
, "could not parse filename \"%s\"", mapping_de
->d_name
);
1206 lsn
= ((uint64
) hi
) << 32 | lo
;
1208 if (lsn
< cutoff
|| cutoff
== InvalidXLogRecPtr
)
1210 elog(DEBUG1
, "removing logical rewrite file \"%s\"", path
);
1211 if (unlink(path
) < 0)
1213 (errcode_for_file_access(),
1214 errmsg("could not remove file \"%s\": %m", path
)));
1218 /* on some operating systems fsyncing a file requires O_RDWR */
1219 int fd
= OpenTransientFile(path
, O_RDWR
| PG_BINARY
);
1222 * The file cannot vanish due to concurrency since this function
1223 * is the only one removing logical mappings and only one
1224 * checkpoint can be in progress at a time.
1228 (errcode_for_file_access(),
1229 errmsg("could not open file \"%s\": %m", path
)));
1232 * We could try to avoid fsyncing files that either haven't
1233 * changed or have only been created since the checkpoint's start,
1234 * but it's currently not deemed worth the effort.
1236 pgstat_report_wait_start(WAIT_EVENT_LOGICAL_REWRITE_CHECKPOINT_SYNC
);
1237 if (pg_fsync(fd
) != 0)
1238 ereport(data_sync_elevel(ERROR
),
1239 (errcode_for_file_access(),
1240 errmsg("could not fsync file \"%s\": %m", path
)));
1241 pgstat_report_wait_end();
1243 if (CloseTransientFile(fd
) != 0)
1245 (errcode_for_file_access(),
1246 errmsg("could not close file \"%s\": %m", path
)));
1249 FreeDir(mappings_dir
);
1251 /* persist directory entries to disk */
1252 fsync_fname(PG_LOGICAL_MAPPINGS_DIR
, true);