PostgreSQL Source Code git master
Loading...
Searching...
No Matches
autoprewarm.c
Go to the documentation of this file.
1/*-------------------------------------------------------------------------
2 *
3 * autoprewarm.c
4 * Periodically dump information about the blocks present in
5 * shared_buffers, and reload them on server restart.
6 *
7 * Due to locking considerations, we can't actually begin prewarming
8 * until the server reaches a consistent state. We need the catalogs
9 * to be consistent so that we can figure out which relation to lock,
10 * and we need to lock the relations so that we don't try to prewarm
11 * pages from a relation that is in the process of being dropped.
12 *
13 * While prewarming, autoprewarm will use two workers. There's a
14 * leader worker that reads and sorts the list of blocks to be
15 * prewarmed and then launches a per-database worker for each
16 * relevant database in turn. The former keeps running after the
17 * initial prewarm is complete to update the dump file periodically.
18 *
19 * Copyright (c) 2016-2026, PostgreSQL Global Development Group
20 *
21 * IDENTIFICATION
22 * contrib/pg_prewarm/autoprewarm.c
23 *
24 *-------------------------------------------------------------------------
25 */
26
27#include "postgres.h"
28
29#include <unistd.h>
30
31#include "access/relation.h"
32#include "access/xact.h"
33#include "pgstat.h"
34#include "postmaster/bgworker.h"
37#include "storage/dsm.h"
39#include "storage/fd.h"
40#include "storage/ipc.h"
41#include "storage/latch.h"
42#include "storage/lwlock.h"
43#include "storage/procsignal.h"
44#include "storage/read_stream.h"
45#include "storage/smgr.h"
46#include "tcop/tcopprot.h"
47#include "utils/guc.h"
48#include "utils/rel.h"
50#include "utils/timestamp.h"
51#include "utils/wait_event.h"
52
53#define AUTOPREWARM_FILE "autoprewarm.blocks"
54
55/* Metadata for each block we dump. */
64
65/* Shared state information for autoprewarm bgworker. */
67{
68 LWLock lock; /* mutual exclusion */
69 pid_t bgworker_pid; /* for main bgworker */
70 pid_t pid_using_dumpfile; /* for autoprewarm or block dump */
71
72 /* Following items are for communication with per-database worker */
79
80/*
81 * Private data passed through the read stream API for our use in the
82 * callback.
83 */
85{
86 /* The array of records containing the blocks we should prewarm. */
88
89 /*
90 * pos is the read stream callback's index into block_info. Because the
91 * read stream may read ahead, pos is likely to be ahead of the index in
92 * the main loop in autoprewarm_database_main().
93 */
94 int pos;
100
101
104
107
108static void apw_load_buffers(void);
109static int apw_dump_now(bool is_bgworker, bool dump_unlogged);
110static void apw_start_leader_worker(void);
111static void apw_start_database_worker(void);
112static bool apw_init_shmem(void);
113static void apw_detach_shmem(int code, Datum arg);
114static int apw_compare_blockinfo(const void *p, const void *q);
115
116/* Pointer to shared-memory state. */
118
119/* GUC variables. */
120static bool autoprewarm = true; /* start worker? */
121static int autoprewarm_interval = 300; /* dump interval */
122
123/*
124 * Module load callback.
125 */
126void
128{
129 DefineCustomIntVariable("pg_prewarm.autoprewarm_interval",
130 "Sets the interval between dumps of shared buffers",
131 "If set to zero, time-based dumping is disabled.",
133 300,
134 0, INT_MAX / 1000,
137 NULL,
138 NULL,
139 NULL);
140
142 return;
143
144 /* can't define PGC_POSTMASTER variable after startup */
145 DefineCustomBoolVariable("pg_prewarm.autoprewarm",
146 "Starts the autoprewarm worker.",
147 NULL,
149 true,
151 0,
152 NULL,
153 NULL,
154 NULL);
155
156 MarkGUCPrefixReserved("pg_prewarm");
157
158 /* Register autoprewarm worker, if enabled. */
159 if (autoprewarm)
161}
162
163/*
164 * Main entry point for the leader autoprewarm process. Per-database workers
165 * have a separate entry point.
166 */
167void
169{
170 bool first_time = true;
171 bool final_dump_allowed = true;
173
174 /* Establish signal handlers; once that's done, unblock signals. */
179
180 /* Create (if necessary) and attach to our shared memory area. */
181 if (apw_init_shmem())
182 first_time = false;
183
184 /*
185 * Set on-detach hook so that our PID will be cleared on exit.
186 *
187 * NB: Autoprewarm's state is stored in a DSM segment, and DSM segments
188 * are detached before calling the on_shmem_exit callbacks, so we must put
189 * apw_detach_shmem in the before_shmem_exit callback list.
190 */
192
193 /*
194 * Store our PID in the shared memory area --- unless there's already
195 * another worker running, in which case just exit.
196 */
199 {
201 ereport(LOG,
202 (errmsg("autoprewarm worker is already running under PID %d",
203 (int) apw_state->bgworker_pid)));
204 return;
205 }
208
209 /*
210 * Preload buffers from the dump file only if we just created the shared
211 * memory region. Otherwise, it's either already been done or shouldn't
212 * be done - e.g. because the old dump file has been overwritten since the
213 * server was started.
214 *
215 * There's not much point in performing a dump immediately after we finish
216 * preloading; so, if we do end up preloading, consider the last dump time
217 * to be equal to the current time.
218 *
219 * If apw_load_buffers() is terminated early by a shutdown request,
220 * prevent dumping out our state below the loop, because we'd effectively
221 * just truncate the saved state to however much we'd managed to preload.
222 */
223 if (first_time)
224 {
228 }
229
230 /* Periodically dump buffers until terminated. */
232 {
233 /* In case of a SIGHUP, just reload the configuration. */
235 {
236 ConfigReloadPending = false;
238 }
239
240 if (autoprewarm_interval <= 0)
241 {
242 /* We're only dumping at shutdown, so just wait forever. */
245 -1L,
247 }
248 else
249 {
251 long delay_in_ms;
252
253 /* Compute the next dump time. */
256 autoprewarm_interval * 1000);
260
261 /* Perform a dump if it's time. */
262 if (delay_in_ms <= 0)
263 {
265 apw_dump_now(true, false);
266 continue;
267 }
268
269 /* Sleep until the next dump time. */
274 }
275
276 /* Reset the latch, loop. */
278 }
279
280 /*
281 * Dump one last time. We assume this is probably the result of a system
282 * shutdown, although it's possible that we've merely been terminated.
283 */
285 apw_dump_now(true, true);
286}
287
288/*
289 * Read the dump file and launch per-database workers one at a time to
290 * prewarm the buffers found there.
291 */
292static void
294{
295 FILE *file = NULL;
296 int num_elements,
297 i;
299 dsm_segment *seg;
300
301 /*
302 * Skip the prewarm if the dump file is in use; otherwise, prevent any
303 * other process from writing it while we're using it.
304 */
308 else
309 {
311 ereport(LOG,
312 (errmsg("skipping prewarm because block dump file is being written by PID %d",
314 return;
315 }
317
318 /*
319 * Open the block dump file. Exit quietly if it doesn't exist, but report
320 * any other error.
321 */
322 file = AllocateFile(AUTOPREWARM_FILE, "r");
323 if (!file)
324 {
325 if (errno == ENOENT)
326 {
330 return; /* No file to load. */
331 }
334 errmsg("could not read file \"%s\": %m",
336 }
337
338 /* First line of the file is a record count. */
339 if (fscanf(file, "<<%d>>\n", &num_elements) != 1)
342 errmsg("could not read from file \"%s\": %m",
344
345 /* Allocate a dynamic shared memory segment to store the record data. */
346 seg = dsm_create(sizeof(BlockInfoRecord) * num_elements, 0);
348
349 /* Read records, one per line. */
350 for (i = 0; i < num_elements; i++)
351 {
352 unsigned forknum;
353
354 if (fscanf(file, "%u,%u,%u,%u,%u\n", &blkinfo[i].database,
355 &blkinfo[i].tablespace, &blkinfo[i].filenumber,
356 &forknum, &blkinfo[i].blocknum) != 5)
358 (errmsg("autoprewarm block dump file is corrupted at line %d",
359 i + 1)));
360 blkinfo[i].forknum = forknum;
361 }
362
363 FreeFile(file);
364
365 /* Sort the blocks to be loaded. */
368
369 /* Populate shared memory state. */
373
374 /* Don't prewarm more than we can fit. */
376 {
378 ereport(LOG,
379 (errmsg("autoprewarm capping prewarmed blocks to %d (shared_buffers size)",
380 NBuffers)));
381 }
382
383 /* Get the info position of the first block of the next database. */
385 {
387 Oid current_db = blkinfo[j].database;
388
389 /*
390 * Advance the prewarm_stop_idx to the first BlockInfoRecord that does
391 * not belong to this database.
392 */
393 j++;
394 while (j < num_elements)
395 {
396 if (current_db != blkinfo[j].database)
397 {
398 /*
399 * Combine BlockInfoRecords for global objects with those of
400 * the database.
401 */
402 if (current_db != InvalidOid)
403 break;
404 current_db = blkinfo[j].database;
405 }
406
407 j++;
408 }
409
410 /*
411 * If we reach this point with current_db == InvalidOid, then only
412 * BlockInfoRecords belonging to global objects exist. We can't
413 * prewarm without a database connection, so just bail out.
414 */
415 if (current_db == InvalidOid)
416 break;
417
418 /* Configure stop point and database for next per-database worker. */
422
423 /*
424 * Likewise, don't launch if we've already been told to shut down.
425 * (The launch would fail anyway, but we might as well skip it.)
426 */
428 break;
429
430 /*
431 * Start a per-database worker to load blocks for this database; this
432 * function will return once the per-database worker exits.
433 */
435
436 /* Prepare for next database. */
438 }
439
440 /* Clean up. */
441 dsm_detach(seg);
446
447 /* Report our success, if we were able to finish. */
449 ereport(LOG,
450 (errmsg("autoprewarm successfully prewarmed %d of %d previously-loaded blocks",
452}
453
454/*
455 * Return the next block number of a specific relation and fork to read
456 * according to the array of BlockInfoRecord.
457 */
458static BlockNumber
460 void *callback_private_data,
461 void *per_buffer_data)
462{
463 AutoPrewarmReadStreamData *p = callback_private_data;
464
466
467 while (p->pos < apw_state->prewarm_stop_idx)
468 {
470
471 if (blk.tablespace != p->tablespace)
472 return InvalidBlockNumber;
473
474 if (blk.filenumber != p->filenumber)
475 return InvalidBlockNumber;
476
477 if (blk.forknum != p->forknum)
478 return InvalidBlockNumber;
479
480 p->pos++;
481
482 /*
483 * Check whether blocknum is valid and within fork file size.
484 * Fast-forward through any invalid blocks. We want p->pos to reflect
485 * the location of the next relation or fork before ending the stream.
486 */
487 if (blk.blocknum >= p->nblocks)
488 continue;
489
490 return blk.blocknum;
491 }
492
493 return InvalidBlockNumber;
494}
495
496/*
497 * Prewarm all blocks for one database (and possibly also global objects, if
498 * those got grouped with this database).
499 */
500void
502{
503 BlockInfoRecord *block_info;
504 int i;
506 dsm_segment *seg;
507
508 /* Establish signal handlers; once that's done, unblock signals. */
511
512 /* Connect to correct database and get block information. */
515 if (seg == NULL)
518 errmsg("could not map dynamic shared memory segment")));
520 block_info = (BlockInfoRecord *) dsm_segment_address(seg);
521
523 blk = block_info[i];
524
525 /*
526 * Loop until we run out of blocks to prewarm or until we run out of
527 * buffers.
528 */
529 while (i < apw_state->prewarm_stop_idx)
530 {
532 RelFileNumber filenumber = blk.filenumber;
533 Oid reloid;
534 Relation rel;
535
536 /*
537 * All blocks between prewarm_start_idx and prewarm_stop_idx should
538 * belong either to global objects or the same database.
539 */
540 Assert(blk.database == apw_state->database || blk.database == 0);
541
543
544 reloid = RelidByRelfilenumber(blk.tablespace, blk.filenumber);
545 if (!OidIsValid(reloid) ||
546 (rel = try_relation_open(reloid, AccessShareLock)) == NULL)
547 {
548 /* We failed to open the relation, so there is nothing to close. */
550
551 /*
552 * Fast-forward to the next relation. We want to skip all of the
553 * other records referencing this relation since we know we can't
554 * open it. That way, we avoid repeatedly trying and failing to
555 * open the same relation.
556 */
557 for (; i < apw_state->prewarm_stop_idx; i++)
558 {
559 blk = block_info[i];
560 if (blk.tablespace != tablespace ||
561 blk.filenumber != filenumber)
562 break;
563 }
564
565 /* Time to try and open our newfound relation */
566 continue;
567 }
568
569 /*
570 * We have a relation; now let's loop until we find a valid fork of
571 * the relation or we run out of buffers. Once we've read from all
572 * valid forks or run out of options, we'll close the relation and
573 * move on.
574 */
575 while (i < apw_state->prewarm_stop_idx &&
576 blk.tablespace == tablespace &&
577 blk.filenumber == filenumber)
578 {
579 ForkNumber forknum = blk.forknum;
580 BlockNumber nblocks;
582 ReadStream *stream;
583 Buffer buf;
584
585 /*
586 * smgrexists is not safe for illegal forknum, hence check whether
587 * the passed forknum is valid before using it in smgrexists.
588 */
589 if (blk.forknum <= InvalidForkNumber ||
590 blk.forknum > MAX_FORKNUM ||
591 !smgrexists(RelationGetSmgr(rel), blk.forknum))
592 {
593 /*
594 * Fast-forward to the next fork. We want to skip all of the
595 * other records referencing this fork since we already know
596 * it's not valid.
597 */
598 for (; i < apw_state->prewarm_stop_idx; i++)
599 {
600 blk = block_info[i];
601 if (blk.tablespace != tablespace ||
602 blk.filenumber != filenumber ||
603 blk.forknum != forknum)
604 break;
605 }
606
607 /* Time to check if this newfound fork is valid */
608 continue;
609 }
610
612
613 p = (struct AutoPrewarmReadStreamData)
614 {
616 .pos = i,
618 .filenumber = filenumber,
619 .forknum = forknum,
620 .nblocks = nblocks,
621 };
622
626 NULL,
627 rel,
628 p.forknum,
630 &p,
631 0);
632
633 /*
634 * Loop until we've prewarmed all the blocks from this fork. The
635 * read stream callback will check that we still have free buffers
636 * before requesting each block from the read stream API.
637 */
638 while ((buf = read_stream_next_buffer(stream, NULL)) != InvalidBuffer)
639 {
642 }
643
644 read_stream_end(stream);
645
646 /* Advance i past all the blocks just prewarmed. */
647 i = p.pos;
648 blk = block_info[i];
649 }
650
653 }
654
655 dsm_detach(seg);
656}
657
658/*
659 * Dump information on blocks in shared buffers. We use a text format here
660 * so that it's easy to understand and even change the file contents if
661 * necessary.
662 * Returns the number of blocks dumped.
663 */
664static int
666{
667 int num_blocks;
668 int i;
669 int ret;
672 FILE *file;
674 pid_t pid;
675
681
682 if (pid != InvalidPid)
683 {
684 if (!is_bgworker)
686 (errmsg("could not perform block dump because dump file is being used by PID %d",
688
689 ereport(LOG,
690 (errmsg("skipping block dump because it is already being performed by PID %d",
692 return 0;
693 }
694
695 /*
696 * With sufficiently large shared_buffers, allocation will exceed 1GB, so
697 * allow for a huge allocation to prevent outright failure.
698 *
699 * (In the future, it might be a good idea to redesign this to use a more
700 * memory-efficient data structure.)
701 */
704
705 for (num_blocks = 0, i = 0; i < NBuffers; i++)
706 {
708
710
712
713 /* Lock each buffer header before inspecting. */
715
716 /*
717 * Unlogged tables will be automatically truncated after a crash or
718 * unclean shutdown. In such cases we need not prewarm them. Dump them
719 * only if requested by caller.
720 */
721 if (buf_state & BM_TAG_VALID &&
723 {
724 block_info_array[num_blocks].database = bufHdr->tag.dbOid;
725 block_info_array[num_blocks].tablespace = bufHdr->tag.spcOid;
726 block_info_array[num_blocks].filenumber =
728 block_info_array[num_blocks].forknum =
730 block_info_array[num_blocks].blocknum = bufHdr->tag.blockNum;
731 ++num_blocks;
732 }
733
735 }
736
739 if (!file)
742 errmsg("could not open file \"%s\": %m",
744
745 ret = fprintf(file, "<<%d>>\n", num_blocks);
746 if (ret < 0)
747 {
748 int save_errno = errno;
749
750 FreeFile(file);
755 errmsg("could not write to file \"%s\": %m",
757 }
758
759 for (i = 0; i < num_blocks; i++)
760 {
762
763 ret = fprintf(file, "%u,%u,%u,%u,%u\n",
764 block_info_array[i].database,
766 block_info_array[i].filenumber,
767 (uint32) block_info_array[i].forknum,
768 block_info_array[i].blocknum);
769 if (ret < 0)
770 {
771 int save_errno = errno;
772
773 FreeFile(file);
778 errmsg("could not write to file \"%s\": %m",
780 }
781 }
782
784
785 /*
786 * Rename transient_dump_file_path to AUTOPREWARM_FILE to make things
787 * permanent.
788 */
789 ret = FreeFile(file);
790 if (ret != 0)
791 {
792 int save_errno = errno;
793
798 errmsg("could not close file \"%s\": %m",
800 }
801
804
806 (errmsg_internal("wrote block details for %d blocks", num_blocks)));
807 return num_blocks;
808}
809
810/*
811 * SQL-callable function to launch autoprewarm.
812 */
813Datum
815{
816 pid_t pid;
817
818 if (!autoprewarm)
821 errmsg("autoprewarm is disabled")));
822
825 pid = apw_state->bgworker_pid;
827
828 if (pid != InvalidPid)
831 errmsg("autoprewarm worker is already running under PID %d",
832 (int) pid)));
833
835
837}
838
839/*
840 * SQL-callable function to perform an immediate block dump.
841 *
842 * Note: this is declared to return int8, as insurance against some
843 * very distant day when we might make NBuffers wider than int.
844 */
845Datum
847{
848 int num_blocks;
849
851
853 {
854 num_blocks = apw_dump_now(false, true);
855 }
857
858 PG_RETURN_INT64((int64) num_blocks);
859}
860
861static void
862apw_init_state(void *ptr, void *arg)
863{
865
866 LWLockInitialize(&state->lock, LWLockNewTrancheId("autoprewarm"));
867 state->bgworker_pid = InvalidPid;
868 state->pid_using_dumpfile = InvalidPid;
869}
870
871/*
872 * Allocate and initialize autoprewarm related shared memory, if not already
873 * done, and set up backend-local pointer to that state. Returns true if an
874 * existing shared memory segment was found.
875 */
876static bool
878{
879 bool found;
880
881 apw_state = GetNamedDSMSegment("autoprewarm",
884 &found, NULL);
885
886 return found;
887}
888
889/*
890 * Clear our PID from autoprewarm shared state.
891 */
892static void
902
903/*
904 * Start autoprewarm leader worker process.
905 */
906static void
908{
909 BackgroundWorker worker = {0};
911 BgwHandleStatus status;
912 pid_t pid;
913
916 strcpy(worker.bgw_library_name, "pg_prewarm");
917 strcpy(worker.bgw_function_name, "autoprewarm_main");
918 strcpy(worker.bgw_name, "autoprewarm leader");
919 strcpy(worker.bgw_type, "autoprewarm leader");
920
922 {
924 return;
925 }
926
927 /* must set notify PID to wait for startup */
928 worker.bgw_notify_pid = MyProcPid;
929
930 if (!RegisterDynamicBackgroundWorker(&worker, &handle))
933 errmsg("could not register background process"),
934 errhint("You may need to increase \"max_worker_processes\".")));
935
936 status = WaitForBackgroundWorkerStartup(handle, &pid);
937 if (status != BGWH_STARTED)
940 errmsg("could not start background process"),
941 errhint("More details may be available in the server log.")));
942}
943
944/*
945 * Start autoprewarm per-database worker process.
946 */
947static void
949{
950 BackgroundWorker worker = {0};
952
953 worker.bgw_flags =
957 strcpy(worker.bgw_library_name, "pg_prewarm");
958 strcpy(worker.bgw_function_name, "autoprewarm_database_main");
959 strcpy(worker.bgw_name, "autoprewarm worker");
960 strcpy(worker.bgw_type, "autoprewarm worker");
961
962 /* must set notify PID to wait for shutdown */
963 worker.bgw_notify_pid = MyProcPid;
964
965 if (!RegisterDynamicBackgroundWorker(&worker, &handle))
968 errmsg("registering dynamic bgworker autoprewarm failed"),
969 errhint("Consider increasing the configuration parameter \"%s\".", "max_worker_processes")));
970
971 /*
972 * Ignore return value; if it fails, postmaster has died, but we have
973 * checks for that elsewhere.
974 */
976}
977
978/* Compare member elements to check whether they are not equal. */
979#define cmp_member_elem(fld) \
980do { \
981 if (a->fld < b->fld) \
982 return -1; \
983 else if (a->fld > b->fld) \
984 return 1; \
985} while(0)
986
987/*
988 * apw_compare_blockinfo
989 *
990 * We depend on all records for a particular database being consecutive
991 * in the dump file; each per-database worker will preload blocks until
992 * it sees a block for some other database. Sorting by tablespace,
993 * filenumber, forknum, and blocknum isn't critical for correctness, but
994 * helps us get a sequential I/O pattern.
995 */
996static int
997apw_compare_blockinfo(const void *p, const void *q)
998{
999 const BlockInfoRecord *a = (const BlockInfoRecord *) p;
1000 const BlockInfoRecord *b = (const BlockInfoRecord *) q;
1001
1002 cmp_member_elem(database);
1004 cmp_member_elem(filenumber);
1005 cmp_member_elem(forknum);
1006 cmp_member_elem(blocknum);
1007
1008 return 0;
1009}
static int apw_compare_blockinfo(const void *p, const void *q)
Datum autoprewarm_start_worker(PG_FUNCTION_ARGS)
static AutoPrewarmSharedState * apw_state
static void apw_detach_shmem(int code, Datum arg)
void _PG_init(void)
PGDLLEXPORT void autoprewarm_main(Datum main_arg)
#define cmp_member_elem(fld)
static bool apw_init_shmem(void)
static bool autoprewarm
#define AUTOPREWARM_FILE
Definition autoprewarm.c:53
static void apw_start_leader_worker(void)
static void apw_init_state(void *ptr, void *arg)
PGDLLEXPORT void autoprewarm_database_main(Datum main_arg)
static void apw_start_database_worker(void)
static void apw_load_buffers(void)
Datum autoprewarm_dump_now(PG_FUNCTION_ARGS)
static BlockNumber apw_read_stream_next_block(ReadStream *stream, void *callback_private_data, void *per_buffer_data)
static int autoprewarm_interval
static int apw_dump_now(bool is_bgworker, bool dump_unlogged)
long TimestampDifferenceMilliseconds(TimestampTz start_time, TimestampTz stop_time)
Definition timestamp.c:1755
TimestampTz GetCurrentTimestamp(void)
Definition timestamp.c:1643
void RegisterBackgroundWorker(BackgroundWorker *worker)
Definition bgworker.c:947
BgwHandleStatus WaitForBackgroundWorkerStartup(BackgroundWorkerHandle *handle, pid_t *pidp)
Definition bgworker.c:1220
BgwHandleStatus WaitForBackgroundWorkerShutdown(BackgroundWorkerHandle *handle)
Definition bgworker.c:1265
void BackgroundWorkerUnblockSignals(void)
Definition bgworker.c:934
void BackgroundWorkerInitializeConnectionByOid(Oid dboid, Oid useroid, uint32 flags)
Definition bgworker.c:894
bool RegisterDynamicBackgroundWorker(BackgroundWorker *worker, BackgroundWorkerHandle **handle)
Definition bgworker.c:1053
#define BGW_NEVER_RESTART
Definition bgworker.h:92
BgwHandleStatus
Definition bgworker.h:111
@ BGWH_STARTED
Definition bgworker.h:112
@ BgWorkerStart_ConsistentState
Definition bgworker.h:87
#define BGWORKER_BACKEND_DATABASE_CONNECTION
Definition bgworker.h:60
#define BGWORKER_SHMEM_ACCESS
Definition bgworker.h:53
uint32 BlockNumber
Definition block.h:31
#define InvalidBlockNumber
Definition block.h:33
int Buffer
Definition buf.h:23
#define InvalidBuffer
Definition buf.h:25
#define BM_TAG_VALID
#define BM_PERMANENT
static ForkNumber BufTagGetForkNum(const BufferTag *tag)
static RelFileNumber BufTagGetRelNumber(const BufferTag *tag)
static void UnlockBufHdr(BufferDesc *desc)
static BufferDesc * GetBufferDescriptor(uint32 id)
uint64 LockBufHdr(BufferDesc *desc)
Definition bufmgr.c:7301
BlockNumber RelationGetNumberOfBlocksInFork(Relation relation, ForkNumber forkNum)
Definition bufmgr.c:4564
void ReleaseBuffer(Buffer buffer)
Definition bufmgr.c:5505
#define Assert(condition)
Definition c.h:915
int64_t int64
Definition c.h:585
#define PGDLLEXPORT
Definition c.h:1408
uint64_t uint64
Definition c.h:589
uint32_t uint32
Definition c.h:588
#define OidIsValid(objectId)
Definition c.h:830
#define fprintf(file, fmt, msg)
Definition cubescan.l:21
int64 TimestampTz
Definition timestamp.h:39
dsm_handle dsm_segment_handle(dsm_segment *seg)
Definition dsm.c:1123
void dsm_detach(dsm_segment *seg)
Definition dsm.c:803
void * dsm_segment_address(dsm_segment *seg)
Definition dsm.c:1095
dsm_segment * dsm_create(Size size, int flags)
Definition dsm.c:516
dsm_segment * dsm_attach(dsm_handle h)
Definition dsm.c:665
uint32 dsm_handle
Definition dsm_impl.h:55
#define DSM_HANDLE_INVALID
Definition dsm_impl.h:58
void * GetNamedDSMSegment(const char *name, size_t size, void(*init_callback)(void *ptr, void *arg), bool *found, void *arg)
Datum arg
Definition elog.c:1322
int errcode_for_file_access(void)
Definition elog.c:897
int errcode(int sqlerrcode)
Definition elog.c:874
#define LOG
Definition elog.h:31
int errhint(const char *fmt,...) pg_attribute_printf(1
int int errmsg_internal(const char *fmt,...) pg_attribute_printf(1
#define DEBUG1
Definition elog.h:30
#define ERROR
Definition elog.h:39
#define ereport(elevel,...)
Definition elog.h:150
int durable_rename(const char *oldfile, const char *newfile, int elevel)
Definition fd.c:783
int FreeFile(FILE *file)
Definition fd.c:2827
FILE * AllocateFile(const char *name, const char *mode)
Definition fd.c:2628
#define MCXT_ALLOC_HUGE
Definition fe_memutils.h:28
#define PG_RETURN_VOID()
Definition fmgr.h:350
#define PG_RETURN_INT64(x)
Definition fmgr.h:370
#define PG_FUNCTION_INFO_V1(funcname)
Definition fmgr.h:417
#define PG_FUNCTION_ARGS
Definition fmgr.h:193
int NBuffers
Definition globals.c:142
int MyProcPid
Definition globals.c:47
struct Latch * MyLatch
Definition globals.c:63
void ProcessConfigFile(GucContext context)
Definition guc-file.l:120
void DefineCustomBoolVariable(const char *name, const char *short_desc, const char *long_desc, bool *valueAddr, bool bootValue, GucContext context, int flags, GucBoolCheckHook check_hook, GucBoolAssignHook assign_hook, GucShowHook show_hook)
Definition guc.c:5011
void MarkGUCPrefixReserved(const char *className)
Definition guc.c:5148
void DefineCustomIntVariable(const char *name, const char *short_desc, const char *long_desc, int *valueAddr, int bootValue, int minValue, int maxValue, GucContext context, int flags, GucIntCheckHook check_hook, GucIntAssignHook assign_hook, GucShowHook show_hook)
Definition guc.c:5035
@ PGC_POSTMASTER
Definition guc.h:74
@ PGC_SIGHUP
Definition guc.h:75
#define GUC_UNIT_S
Definition guc.h:240
void SignalHandlerForShutdownRequest(SIGNAL_ARGS)
Definition interrupt.c:104
volatile sig_atomic_t ShutdownRequestPending
Definition interrupt.c:28
volatile sig_atomic_t ConfigReloadPending
Definition interrupt.c:27
void SignalHandlerForConfigReload(SIGNAL_ARGS)
Definition interrupt.c:61
void before_shmem_exit(pg_on_exit_callback function, Datum arg)
Definition ipc.c:344
#define PG_ENSURE_ERROR_CLEANUP(cleanup_function, arg)
Definition ipc.h:47
#define PG_END_ENSURE_ERROR_CLEANUP(cleanup_function, arg)
Definition ipc.h:52
int b
Definition isn.c:74
int a
Definition isn.c:73
int j
Definition isn.c:78
int i
Definition isn.c:77
void ResetLatch(Latch *latch)
Definition latch.c:374
int WaitLatch(Latch *latch, int wakeEvents, long timeout, uint32 wait_event_info)
Definition latch.c:172
#define AccessShareLock
Definition lockdefs.h:36
bool LWLockAcquire(LWLock *lock, LWLockMode mode)
Definition lwlock.c:1177
int LWLockNewTrancheId(const char *name)
Definition lwlock.c:597
void LWLockRelease(LWLock *lock)
Definition lwlock.c:1794
void LWLockInitialize(LWLock *lock, int tranche_id)
Definition lwlock.c:699
@ LW_EXCLUSIVE
Definition lwlock.h:112
void pfree(void *pointer)
Definition mcxt.c:1616
void * palloc_extended(Size size, int flags)
Definition mcxt.c:1439
#define CHECK_FOR_INTERRUPTS()
Definition miscadmin.h:123
#define InvalidPid
Definition miscadmin.h:32
bool process_shared_preload_libraries_in_progress
Definition miscinit.c:1787
static char * errmsg
#define MAXPGPATH
static char buf[DEFAULT_XLOG_SEG_SIZE]
#define die(msg)
static char * tablespace
Definition pgbench.c:217
#define pqsignal
Definition port.h:547
#define snprintf
Definition port.h:260
#define qsort(a, b, c, d)
Definition port.h:495
uint64_t Datum
Definition postgres.h:70
#define InvalidOid
unsigned int Oid
static int fb(int x)
void procsignal_sigusr1_handler(SIGNAL_ARGS)
Definition procsignal.c:680
Buffer read_stream_next_buffer(ReadStream *stream, void **per_buffer_data)
ReadStream * read_stream_begin_relation(int flags, BufferAccessStrategy strategy, Relation rel, ForkNumber forknum, ReadStreamBlockNumberCB callback, void *callback_private_data, size_t per_buffer_data_size)
void read_stream_end(ReadStream *stream)
#define READ_STREAM_MAINTENANCE
Definition read_stream.h:28
#define READ_STREAM_USE_BATCHING
Definition read_stream.h:64
#define READ_STREAM_DEFAULT
Definition read_stream.h:21
static SMgrRelation RelationGetSmgr(Relation rel)
Definition rel.h:576
Oid RelidByRelfilenumber(Oid reltablespace, RelFileNumber relfilenumber)
Oid RelFileNumber
Definition relpath.h:25
ForkNumber
Definition relpath.h:56
@ InvalidForkNumber
Definition relpath.h:57
#define MAX_FORKNUM
Definition relpath.h:70
bool smgrexists(SMgrRelation reln, ForkNumber forknum)
Definition smgr.c:462
void relation_close(Relation relation, LOCKMODE lockmode)
Definition relation.c:205
Relation try_relation_open(Oid relationId, LOCKMODE lockmode)
Definition relation.c:88
BlockInfoRecord * block_info
Definition autoprewarm.c:87
dsm_handle block_info_handle
Definition autoprewarm.c:73
char bgw_function_name[BGW_MAXLEN]
Definition bgworker.h:104
char bgw_name[BGW_MAXLEN]
Definition bgworker.h:98
char bgw_type[BGW_MAXLEN]
Definition bgworker.h:99
BgWorkerStartTime bgw_start_time
Definition bgworker.h:101
pid_t bgw_notify_pid
Definition bgworker.h:107
char bgw_library_name[MAXPGPATH]
Definition bgworker.h:103
ForkNumber forknum
Definition autoprewarm.c:61
RelFileNumber filenumber
Definition autoprewarm.c:60
BlockNumber blocknum
Definition autoprewarm.c:62
#define TimestampTzPlusMilliseconds(tz, ms)
Definition timestamp.h:85
#define PG_WAIT_EXTENSION
#define WL_TIMEOUT
#define WL_EXIT_ON_PM_DEATH
#define WL_LATCH_SET
#define SIGHUP
Definition win32_port.h:158
#define SIGUSR1
Definition win32_port.h:170
void StartTransactionCommand(void)
Definition xact.c:3081
void CommitTransactionCommand(void)
Definition xact.c:3179