Thanks to visit codestin.com
Credit goes to doxygen.postgresql.org

PostgreSQL Source Code git master
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-2025, 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
52#define AUTOPREWARM_FILE "autoprewarm.blocks"
53
54/* Metadata for each block we dump. */
55typedef struct BlockInfoRecord
56{
63
64/* Shared state information for autoprewarm bgworker. */
66{
67 LWLock lock; /* mutual exclusion */
68 pid_t bgworker_pid; /* for main bgworker */
69 pid_t pid_using_dumpfile; /* for autoprewarm or block dump */
70
71 /* Following items are for communication with per-database worker */
78
79/*
80 * Private data passed through the read stream API for our use in the
81 * callback.
82 */
84{
85 /* The array of records containing the blocks we should prewarm. */
87
88 /*
89 * pos is the read stream callback's index into block_info. Because the
90 * read stream may read ahead, pos is likely to be ahead of the index in
91 * the main loop in autoprewarm_database_main().
92 */
93 int pos;
99
100
101PGDLLEXPORT void autoprewarm_main(Datum main_arg);
103
106
107static void apw_load_buffers(void);
108static int apw_dump_now(bool is_bgworker, bool dump_unlogged);
109static void apw_start_leader_worker(void);
110static void apw_start_database_worker(void);
111static bool apw_init_shmem(void);
112static void apw_detach_shmem(int code, Datum arg);
113static int apw_compare_blockinfo(const void *p, const void *q);
114
115/* Pointer to shared-memory state. */
117
118/* GUC variables. */
119static bool autoprewarm = true; /* start worker? */
120static int autoprewarm_interval = 300; /* dump interval */
121
122/*
123 * Module load callback.
124 */
125void
127{
128 DefineCustomIntVariable("pg_prewarm.autoprewarm_interval",
129 "Sets the interval between dumps of shared buffers",
130 "If set to zero, time-based dumping is disabled.",
132 300,
133 0, INT_MAX / 1000,
136 NULL,
137 NULL,
138 NULL);
139
141 return;
142
143 /* can't define PGC_POSTMASTER variable after startup */
144 DefineCustomBoolVariable("pg_prewarm.autoprewarm",
145 "Starts the autoprewarm worker.",
146 NULL,
148 true,
150 0,
151 NULL,
152 NULL,
153 NULL);
154
155 MarkGUCPrefixReserved("pg_prewarm");
156
157 /* Register autoprewarm worker, if enabled. */
158 if (autoprewarm)
160}
161
162/*
163 * Main entry point for the leader autoprewarm process. Per-database workers
164 * have a separate entry point.
165 */
166void
168{
169 bool first_time = true;
170 bool final_dump_allowed = true;
171 TimestampTz last_dump_time = 0;
172
173 /* Establish signal handlers; once that's done, unblock signals. */
178
179 /* Create (if necessary) and attach to our shared memory area. */
180 if (apw_init_shmem())
181 first_time = false;
182
183 /*
184 * Set on-detach hook so that our PID will be cleared on exit.
185 *
186 * NB: Autoprewarm's state is stored in a DSM segment, and DSM segments
187 * are detached before calling the on_shmem_exit callbacks, so we must put
188 * apw_detach_shmem in the before_shmem_exit callback list.
189 */
191
192 /*
193 * Store our PID in the shared memory area --- unless there's already
194 * another worker running, in which case just exit.
195 */
198 {
200 ereport(LOG,
201 (errmsg("autoprewarm worker is already running under PID %d",
202 (int) apw_state->bgworker_pid)));
203 return;
204 }
207
208 /*
209 * Preload buffers from the dump file only if we just created the shared
210 * memory region. Otherwise, it's either already been done or shouldn't
211 * be done - e.g. because the old dump file has been overwritten since the
212 * server was started.
213 *
214 * There's not much point in performing a dump immediately after we finish
215 * preloading; so, if we do end up preloading, consider the last dump time
216 * to be equal to the current time.
217 *
218 * If apw_load_buffers() is terminated early by a shutdown request,
219 * prevent dumping out our state below the loop, because we'd effectively
220 * just truncate the saved state to however much we'd managed to preload.
221 */
222 if (first_time)
223 {
225 final_dump_allowed = !ShutdownRequestPending;
226 last_dump_time = GetCurrentTimestamp();
227 }
228
229 /* Periodically dump buffers until terminated. */
231 {
232 /* In case of a SIGHUP, just reload the configuration. */
234 {
235 ConfigReloadPending = false;
237 }
238
239 if (autoprewarm_interval <= 0)
240 {
241 /* We're only dumping at shutdown, so just wait forever. */
242 (void) WaitLatch(MyLatch,
244 -1L,
246 }
247 else
248 {
249 TimestampTz next_dump_time;
250 long delay_in_ms;
251
252 /* Compute the next dump time. */
253 next_dump_time =
254 TimestampTzPlusMilliseconds(last_dump_time,
255 autoprewarm_interval * 1000);
256 delay_in_ms =
258 next_dump_time);
259
260 /* Perform a dump if it's time. */
261 if (delay_in_ms <= 0)
262 {
263 last_dump_time = GetCurrentTimestamp();
264 apw_dump_now(true, false);
265 continue;
266 }
267
268 /* Sleep until the next dump time. */
269 (void) WaitLatch(MyLatch,
271 delay_in_ms,
273 }
274
275 /* Reset the latch, loop. */
277 }
278
279 /*
280 * Dump one last time. We assume this is probably the result of a system
281 * shutdown, although it's possible that we've merely been terminated.
282 */
283 if (final_dump_allowed)
284 apw_dump_now(true, true);
285}
286
287/*
288 * Read the dump file and launch per-database workers one at a time to
289 * prewarm the buffers found there.
290 */
291static void
293{
294 FILE *file = NULL;
295 int num_elements,
296 i;
297 BlockInfoRecord *blkinfo;
298 dsm_segment *seg;
299
300 /*
301 * Skip the prewarm if the dump file is in use; otherwise, prevent any
302 * other process from writing it while we're using it.
303 */
307 else
308 {
310 ereport(LOG,
311 (errmsg("skipping prewarm because block dump file is being written by PID %d",
313 return;
314 }
316
317 /*
318 * Open the block dump file. Exit quietly if it doesn't exist, but report
319 * any other error.
320 */
321 file = AllocateFile(AUTOPREWARM_FILE, "r");
322 if (!file)
323 {
324 if (errno == ENOENT)
325 {
329 return; /* No file to load. */
330 }
333 errmsg("could not read file \"%s\": %m",
335 }
336
337 /* First line of the file is a record count. */
338 if (fscanf(file, "<<%d>>\n", &num_elements) != 1)
341 errmsg("could not read from file \"%s\": %m",
343
344 /* Allocate a dynamic shared memory segment to store the record data. */
345 seg = dsm_create(sizeof(BlockInfoRecord) * num_elements, 0);
346 blkinfo = (BlockInfoRecord *) dsm_segment_address(seg);
347
348 /* Read records, one per line. */
349 for (i = 0; i < num_elements; i++)
350 {
351 unsigned forknum;
352
353 if (fscanf(file, "%u,%u,%u,%u,%u\n", &blkinfo[i].database,
354 &blkinfo[i].tablespace, &blkinfo[i].filenumber,
355 &forknum, &blkinfo[i].blocknum) != 5)
357 (errmsg("autoprewarm block dump file is corrupted at line %d",
358 i + 1)));
359 blkinfo[i].forknum = forknum;
360 }
361
362 FreeFile(file);
363
364 /* Sort the blocks to be loaded. */
365 qsort(blkinfo, num_elements, sizeof(BlockInfoRecord),
367
368 /* Populate shared memory state. */
372
373 /* Don't prewarm more than we can fit. */
374 if (num_elements > NBuffers)
375 {
376 num_elements = NBuffers;
377 ereport(LOG,
378 (errmsg("autoprewarm capping prewarmed blocks to %d (shared_buffers size)",
379 NBuffers)));
380 }
381
382 /* Get the info position of the first block of the next database. */
383 while (apw_state->prewarm_start_idx < num_elements)
384 {
386 Oid current_db = blkinfo[j].database;
387
388 /*
389 * Advance the prewarm_stop_idx to the first BlockInfoRecord that does
390 * not belong to this database.
391 */
392 j++;
393 while (j < num_elements)
394 {
395 if (current_db != blkinfo[j].database)
396 {
397 /*
398 * Combine BlockInfoRecords for global objects with those of
399 * the database.
400 */
401 if (current_db != InvalidOid)
402 break;
403 current_db = blkinfo[j].database;
404 }
405
406 j++;
407 }
408
409 /*
410 * If we reach this point with current_db == InvalidOid, then only
411 * BlockInfoRecords belonging to global objects exist. We can't
412 * prewarm without a database connection, so just bail out.
413 */
414 if (current_db == InvalidOid)
415 break;
416
417 /* Configure stop point and database for next per-database worker. */
419 apw_state->database = current_db;
421
422 /*
423 * Likewise, don't launch if we've already been told to shut down.
424 * (The launch would fail anyway, but we might as well skip it.)
425 */
427 break;
428
429 /*
430 * Start a per-database worker to load blocks for this database; this
431 * function will return once the per-database worker exits.
432 */
434
435 /* Prepare for next database. */
437 }
438
439 /* Clean up. */
440 dsm_detach(seg);
445
446 /* Report our success, if we were able to finish. */
448 ereport(LOG,
449 (errmsg("autoprewarm successfully prewarmed %d of %d previously-loaded blocks",
450 apw_state->prewarmed_blocks, num_elements)));
451}
452
453/*
454 * Return the next block number of a specific relation and fork to read
455 * according to the array of BlockInfoRecord.
456 */
457static BlockNumber
459 void *callback_private_data,
460 void *per_buffer_data)
461{
462 AutoPrewarmReadStreamData *p = callback_private_data;
463
465
466 while (p->pos < apw_state->prewarm_stop_idx)
467 {
468 BlockInfoRecord blk = p->block_info[p->pos];
469
470 if (blk.tablespace != p->tablespace)
471 return InvalidBlockNumber;
472
473 if (blk.filenumber != p->filenumber)
474 return InvalidBlockNumber;
475
476 if (blk.forknum != p->forknum)
477 return InvalidBlockNumber;
478
479 p->pos++;
480
481 /*
482 * Check whether blocknum is valid and within fork file size.
483 * Fast-forward through any invalid blocks. We want p->pos to reflect
484 * the location of the next relation or fork before ending the stream.
485 */
486 if (blk.blocknum >= p->nblocks)
487 continue;
488
489 return blk.blocknum;
490 }
491
492 return InvalidBlockNumber;
493}
494
495/*
496 * Prewarm all blocks for one database (and possibly also global objects, if
497 * those got grouped with this database).
498 */
499void
501{
502 BlockInfoRecord *block_info;
503 int i;
504 BlockInfoRecord blk;
505 dsm_segment *seg;
506
507 /* Establish signal handlers; once that's done, unblock signals. */
508 pqsignal(SIGTERM, die);
510
511 /* Connect to correct database and get block information. */
514 if (seg == NULL)
516 (errcode(ERRCODE_OBJECT_NOT_IN_PREREQUISITE_STATE),
517 errmsg("could not map dynamic shared memory segment")));
519 block_info = (BlockInfoRecord *) dsm_segment_address(seg);
520
522 blk = block_info[i];
523
524 /*
525 * Loop until we run out of blocks to prewarm or until we run out of
526 * buffers.
527 */
528 while (i < apw_state->prewarm_stop_idx)
529 {
531 RelFileNumber filenumber = blk.filenumber;
532 Oid reloid;
533 Relation rel;
534
535 /*
536 * All blocks between prewarm_start_idx and prewarm_stop_idx should
537 * belong either to global objects or the same database.
538 */
539 Assert(blk.database == apw_state->database || blk.database == 0);
540
542
543 reloid = RelidByRelfilenumber(blk.tablespace, blk.filenumber);
544 if (!OidIsValid(reloid) ||
545 (rel = try_relation_open(reloid, AccessShareLock)) == NULL)
546 {
547 /* We failed to open the relation, so there is nothing to close. */
549
550 /*
551 * Fast-forward to the next relation. We want to skip all of the
552 * other records referencing this relation since we know we can't
553 * open it. That way, we avoid repeatedly trying and failing to
554 * open the same relation.
555 */
556 for (; i < apw_state->prewarm_stop_idx; i++)
557 {
558 blk = block_info[i];
559 if (blk.tablespace != tablespace ||
560 blk.filenumber != filenumber)
561 break;
562 }
563
564 /* Time to try and open our newfound relation */
565 continue;
566 }
567
568 /*
569 * We have a relation; now let's loop until we find a valid fork of
570 * the relation or we run out of buffers. Once we've read from all
571 * valid forks or run out of options, we'll close the relation and
572 * move on.
573 */
574 while (i < apw_state->prewarm_stop_idx &&
575 blk.tablespace == tablespace &&
576 blk.filenumber == filenumber)
577 {
578 ForkNumber forknum = blk.forknum;
579 BlockNumber nblocks;
581 ReadStream *stream;
582 Buffer buf;
583
584 /*
585 * smgrexists is not safe for illegal forknum, hence check whether
586 * the passed forknum is valid before using it in smgrexists.
587 */
588 if (blk.forknum <= InvalidForkNumber ||
589 blk.forknum > MAX_FORKNUM ||
591 {
592 /*
593 * Fast-forward to the next fork. We want to skip all of the
594 * other records referencing this fork since we already know
595 * it's not valid.
596 */
597 for (; i < apw_state->prewarm_stop_idx; i++)
598 {
599 blk = block_info[i];
600 if (blk.tablespace != tablespace ||
601 blk.filenumber != filenumber ||
602 blk.forknum != forknum)
603 break;
604 }
605
606 /* Time to check if this newfound fork is valid */
607 continue;
608 }
609
611
612 p = (struct AutoPrewarmReadStreamData)
613 {
615 .pos = i,
616 .tablespace = tablespace,
617 .filenumber = filenumber,
618 .forknum = forknum,
619 .nblocks = nblocks,
620 };
621
625 NULL,
626 rel,
627 p.forknum,
629 &p,
630 0);
631
632 /*
633 * Loop until we've prewarmed all the blocks from this fork. The
634 * read stream callback will check that we still have free buffers
635 * before requesting each block from the read stream API.
636 */
637 while ((buf = read_stream_next_buffer(stream, NULL)) != InvalidBuffer)
638 {
641 }
642
643 read_stream_end(stream);
644
645 /* Advance i past all the blocks just prewarmed. */
646 i = p.pos;
647 blk = block_info[i];
648 }
649
652 }
653
654 dsm_detach(seg);
655}
656
657/*
658 * Dump information on blocks in shared buffers. We use a text format here
659 * so that it's easy to understand and even change the file contents if
660 * necessary.
661 * Returns the number of blocks dumped.
662 */
663static int
664apw_dump_now(bool is_bgworker, bool dump_unlogged)
665{
666 int num_blocks;
667 int i;
668 int ret;
669 BlockInfoRecord *block_info_array;
670 BufferDesc *bufHdr;
671 FILE *file;
672 char transient_dump_file_path[MAXPGPATH];
673 pid_t pid;
674
680
681 if (pid != InvalidPid)
682 {
683 if (!is_bgworker)
685 (errmsg("could not perform block dump because dump file is being used by PID %d",
687
688 ereport(LOG,
689 (errmsg("skipping block dump because it is already being performed by PID %d",
691 return 0;
692 }
693
694 /*
695 * With sufficiently large shared_buffers, allocation will exceed 1GB, so
696 * allow for a huge allocation to prevent outright failure.
697 *
698 * (In the future, it might be a good idea to redesign this to use a more
699 * memory-efficient data structure.)
700 */
701 block_info_array = (BlockInfoRecord *)
703
704 for (num_blocks = 0, i = 0; i < NBuffers; i++)
705 {
706 uint32 buf_state;
707
709
710 bufHdr = GetBufferDescriptor(i);
711
712 /* Lock each buffer header before inspecting. */
713 buf_state = LockBufHdr(bufHdr);
714
715 /*
716 * Unlogged tables will be automatically truncated after a crash or
717 * unclean shutdown. In such cases we need not prewarm them. Dump them
718 * only if requested by caller.
719 */
720 if (buf_state & BM_TAG_VALID &&
721 ((buf_state & BM_PERMANENT) || dump_unlogged))
722 {
723 block_info_array[num_blocks].database = bufHdr->tag.dbOid;
724 block_info_array[num_blocks].tablespace = bufHdr->tag.spcOid;
725 block_info_array[num_blocks].filenumber =
726 BufTagGetRelNumber(&bufHdr->tag);
727 block_info_array[num_blocks].forknum =
728 BufTagGetForkNum(&bufHdr->tag);
729 block_info_array[num_blocks].blocknum = bufHdr->tag.blockNum;
730 ++num_blocks;
731 }
732
733 UnlockBufHdr(bufHdr, buf_state);
734 }
735
736 snprintf(transient_dump_file_path, MAXPGPATH, "%s.tmp", AUTOPREWARM_FILE);
737 file = AllocateFile(transient_dump_file_path, "w");
738 if (!file)
741 errmsg("could not open file \"%s\": %m",
742 transient_dump_file_path)));
743
744 ret = fprintf(file, "<<%d>>\n", num_blocks);
745 if (ret < 0)
746 {
747 int save_errno = errno;
748
749 FreeFile(file);
750 unlink(transient_dump_file_path);
751 errno = save_errno;
754 errmsg("could not write to file \"%s\": %m",
755 transient_dump_file_path)));
756 }
757
758 for (i = 0; i < num_blocks; i++)
759 {
761
762 ret = fprintf(file, "%u,%u,%u,%u,%u\n",
763 block_info_array[i].database,
764 block_info_array[i].tablespace,
765 block_info_array[i].filenumber,
766 (uint32) block_info_array[i].forknum,
767 block_info_array[i].blocknum);
768 if (ret < 0)
769 {
770 int save_errno = errno;
771
772 FreeFile(file);
773 unlink(transient_dump_file_path);
774 errno = save_errno;
777 errmsg("could not write to file \"%s\": %m",
778 transient_dump_file_path)));
779 }
780 }
781
782 pfree(block_info_array);
783
784 /*
785 * Rename transient_dump_file_path to AUTOPREWARM_FILE to make things
786 * permanent.
787 */
788 ret = FreeFile(file);
789 if (ret != 0)
790 {
791 int save_errno = errno;
792
793 unlink(transient_dump_file_path);
794 errno = save_errno;
797 errmsg("could not close file \"%s\": %m",
798 transient_dump_file_path)));
799 }
800
801 (void) durable_rename(transient_dump_file_path, AUTOPREWARM_FILE, ERROR);
803
805 (errmsg_internal("wrote block details for %d blocks", num_blocks)));
806 return num_blocks;
807}
808
809/*
810 * SQL-callable function to launch autoprewarm.
811 */
812Datum
814{
815 pid_t pid;
816
817 if (!autoprewarm)
819 (errcode(ERRCODE_OBJECT_NOT_IN_PREREQUISITE_STATE),
820 errmsg("autoprewarm is disabled")));
821
824 pid = apw_state->bgworker_pid;
826
827 if (pid != InvalidPid)
829 (errcode(ERRCODE_OBJECT_NOT_IN_PREREQUISITE_STATE),
830 errmsg("autoprewarm worker is already running under PID %d",
831 (int) pid)));
832
834
836}
837
838/*
839 * SQL-callable function to perform an immediate block dump.
840 *
841 * Note: this is declared to return int8, as insurance against some
842 * very distant day when we might make NBuffers wider than int.
843 */
844Datum
846{
847 int num_blocks;
848
850
852 {
853 num_blocks = apw_dump_now(false, true);
854 }
856
857 PG_RETURN_INT64((int64) num_blocks);
858}
859
860static void
862{
864
865 LWLockInitialize(&state->lock, LWLockNewTrancheId("autoprewarm"));
866 state->bgworker_pid = InvalidPid;
867 state->pid_using_dumpfile = InvalidPid;
868}
869
870/*
871 * Allocate and initialize autoprewarm related shared memory, if not already
872 * done, and set up backend-local pointer to that state. Returns true if an
873 * existing shared memory segment was found.
874 */
875static bool
877{
878 bool found;
879
880 apw_state = GetNamedDSMSegment("autoprewarm",
883 &found);
884
885 return found;
886}
887
888/*
889 * Clear our PID from autoprewarm shared state.
890 */
891static void
893{
900}
901
902/*
903 * Start autoprewarm leader worker process.
904 */
905static void
907{
908 BackgroundWorker worker = {0};
910 BgwHandleStatus status;
911 pid_t pid;
912
915 strcpy(worker.bgw_library_name, "pg_prewarm");
916 strcpy(worker.bgw_function_name, "autoprewarm_main");
917 strcpy(worker.bgw_name, "autoprewarm leader");
918 strcpy(worker.bgw_type, "autoprewarm leader");
919
921 {
923 return;
924 }
925
926 /* must set notify PID to wait for startup */
927 worker.bgw_notify_pid = MyProcPid;
928
929 if (!RegisterDynamicBackgroundWorker(&worker, &handle))
931 (errcode(ERRCODE_INSUFFICIENT_RESOURCES),
932 errmsg("could not register background process"),
933 errhint("You may need to increase \"max_worker_processes\".")));
934
935 status = WaitForBackgroundWorkerStartup(handle, &pid);
936 if (status != BGWH_STARTED)
938 (errcode(ERRCODE_INSUFFICIENT_RESOURCES),
939 errmsg("could not start background process"),
940 errhint("More details may be available in the server log.")));
941}
942
943/*
944 * Start autoprewarm per-database worker process.
945 */
946static void
948{
949 BackgroundWorker worker = {0};
951
952 worker.bgw_flags =
956 strcpy(worker.bgw_library_name, "pg_prewarm");
957 strcpy(worker.bgw_function_name, "autoprewarm_database_main");
958 strcpy(worker.bgw_name, "autoprewarm worker");
959 strcpy(worker.bgw_type, "autoprewarm worker");
960
961 /* must set notify PID to wait for shutdown */
962 worker.bgw_notify_pid = MyProcPid;
963
964 if (!RegisterDynamicBackgroundWorker(&worker, &handle))
966 (errcode(ERRCODE_INSUFFICIENT_RESOURCES),
967 errmsg("registering dynamic bgworker autoprewarm failed"),
968 errhint("Consider increasing the configuration parameter \"%s\".", "max_worker_processes")));
969
970 /*
971 * Ignore return value; if it fails, postmaster has died, but we have
972 * checks for that elsewhere.
973 */
975}
976
977/* Compare member elements to check whether they are not equal. */
978#define cmp_member_elem(fld) \
979do { \
980 if (a->fld < b->fld) \
981 return -1; \
982 else if (a->fld > b->fld) \
983 return 1; \
984} while(0)
985
986/*
987 * apw_compare_blockinfo
988 *
989 * We depend on all records for a particular database being consecutive
990 * in the dump file; each per-database worker will preload blocks until
991 * it sees a block for some other database. Sorting by tablespace,
992 * filenumber, forknum, and blocknum isn't critical for correctness, but
993 * helps us get a sequential I/O pattern.
994 */
995static int
996apw_compare_blockinfo(const void *p, const void *q)
997{
998 const BlockInfoRecord *a = (const BlockInfoRecord *) p;
999 const BlockInfoRecord *b = (const BlockInfoRecord *) q;
1000
1001 cmp_member_elem(database);
1003 cmp_member_elem(filenumber);
1004 cmp_member_elem(forknum);
1005 cmp_member_elem(blocknum);
1006
1007 return 0;
1008}
static int apw_compare_blockinfo(const void *p, const void *q)
Definition: autoprewarm.c:996
Datum autoprewarm_start_worker(PG_FUNCTION_ARGS)
Definition: autoprewarm.c:813
static AutoPrewarmSharedState * apw_state
Definition: autoprewarm.c:116
static void apw_detach_shmem(int code, Datum arg)
Definition: autoprewarm.c:892
void _PG_init(void)
Definition: autoprewarm.c:126
PGDLLEXPORT void autoprewarm_main(Datum main_arg)
Definition: autoprewarm.c:167
#define cmp_member_elem(fld)
Definition: autoprewarm.c:978
static bool apw_init_shmem(void)
Definition: autoprewarm.c:876
static bool autoprewarm
Definition: autoprewarm.c:119
#define AUTOPREWARM_FILE
Definition: autoprewarm.c:52
static void apw_start_leader_worker(void)
Definition: autoprewarm.c:906
PGDLLEXPORT void autoprewarm_database_main(Datum main_arg)
Definition: autoprewarm.c:500
struct AutoPrewarmReadStreamData AutoPrewarmReadStreamData
static void apw_start_database_worker(void)
Definition: autoprewarm.c:947
static void apw_load_buffers(void)
Definition: autoprewarm.c:292
static void apw_init_state(void *ptr)
Definition: autoprewarm.c:861
Datum autoprewarm_dump_now(PG_FUNCTION_ARGS)
Definition: autoprewarm.c:845
static BlockNumber apw_read_stream_next_block(ReadStream *stream, void *callback_private_data, void *per_buffer_data)
Definition: autoprewarm.c:458
static int autoprewarm_interval
Definition: autoprewarm.c:120
static int apw_dump_now(bool is_bgworker, bool dump_unlogged)
Definition: autoprewarm.c:664
struct AutoPrewarmSharedState AutoPrewarmSharedState
PG_FUNCTION_INFO_V1(autoprewarm_start_worker)
struct BlockInfoRecord BlockInfoRecord
long TimestampDifferenceMilliseconds(TimestampTz start_time, TimestampTz stop_time)
Definition: timestamp.c:1757
TimestampTz GetCurrentTimestamp(void)
Definition: timestamp.c:1645
void RegisterBackgroundWorker(BackgroundWorker *worker)
Definition: bgworker.c:940
BgwHandleStatus WaitForBackgroundWorkerStartup(BackgroundWorkerHandle *handle, pid_t *pidp)
Definition: bgworker.c:1213
BgwHandleStatus WaitForBackgroundWorkerShutdown(BackgroundWorkerHandle *handle)
Definition: bgworker.c:1258
void BackgroundWorkerUnblockSignals(void)
Definition: bgworker.c:927
void BackgroundWorkerInitializeConnectionByOid(Oid dboid, Oid useroid, uint32 flags)
Definition: bgworker.c:887
bool RegisterDynamicBackgroundWorker(BackgroundWorker *worker, BackgroundWorkerHandle **handle)
Definition: bgworker.c:1046
#define BGW_NEVER_RESTART
Definition: bgworker.h:85
BgwHandleStatus
Definition: bgworker.h:104
@ BGWH_STARTED
Definition: bgworker.h:105
@ BgWorkerStart_ConsistentState
Definition: bgworker.h:80
#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
Definition: buf_internals.h:71
#define BM_PERMANENT
Definition: buf_internals.h:77
static ForkNumber BufTagGetForkNum(const BufferTag *tag)
static void UnlockBufHdr(BufferDesc *desc, uint32 buf_state)
static RelFileNumber BufTagGetRelNumber(const BufferTag *tag)
static BufferDesc * GetBufferDescriptor(uint32 id)
BlockNumber RelationGetNumberOfBlocksInFork(Relation relation, ForkNumber forkNum)
Definition: bufmgr.c:4398
void ReleaseBuffer(Buffer buffer)
Definition: bufmgr.c:5338
uint32 LockBufHdr(BufferDesc *desc)
Definition: bufmgr.c:6224
int64_t int64
Definition: c.h:535
#define PGDLLEXPORT
Definition: c.h:1334
uint32_t uint32
Definition: c.h:538
#define OidIsValid(objectId)
Definition: c.h:774
#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), bool *found)
Definition: dsm_registry.c:185
int errmsg_internal(const char *fmt,...)
Definition: elog.c:1161
int errcode_for_file_access(void)
Definition: elog.c:877
int errhint(const char *fmt,...)
Definition: elog.c:1321
int errcode(int sqlerrcode)
Definition: elog.c:854
int errmsg(const char *fmt,...)
Definition: elog.c:1071
#define LOG
Definition: elog.h:31
#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:779
int FreeFile(FILE *file)
Definition: fd.c:2840
FILE * AllocateFile(const char *name, const char *mode)
Definition: fd.c:2641
#define MCXT_ALLOC_HUGE
Definition: fe_memutils.h:28
#define PG_RETURN_VOID()
Definition: fmgr.h:349
#define PG_RETURN_INT64(x)
Definition: fmgr.h:368
#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:5154
void MarkGUCPrefixReserved(const char *className)
Definition: guc.c:5301
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:5180
@ PGC_POSTMASTER
Definition: guc.h:74
@ PGC_SIGHUP
Definition: guc.h:75
#define GUC_UNIT_S
Definition: guc.h:240
Assert(PointerIsAligned(start, uint64))
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:337
#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:1174
int LWLockNewTrancheId(const char *name)
Definition: lwlock.c:596
void LWLockRelease(LWLock *lock)
Definition: lwlock.c:1894
void LWLockInitialize(LWLock *lock, int tranche_id)
Definition: lwlock.c:698
@ LW_EXCLUSIVE
Definition: lwlock.h:112
void pfree(void *pointer)
Definition: mcxt.c:1594
void * palloc_extended(Size size, int flags)
Definition: mcxt.c:1417
#define CHECK_FOR_INTERRUPTS()
Definition: miscadmin.h:122
#define InvalidPid
Definition: miscadmin.h:32
bool process_shared_preload_libraries_in_progress
Definition: miscinit.c:1786
void * arg
#define MAXPGPATH
#define die(msg)
static char * buf
Definition: pg_test_fsync.c:72
static char * tablespace
Definition: pgbench.c:217
#define pqsignal
Definition: port.h:531
#define snprintf
Definition: port.h:239
#define qsort(a, b, c, d)
Definition: port.h:479
uint64_t Datum
Definition: postgres.h:70
#define InvalidOid
Definition: postgres_ext.h:37
unsigned int Oid
Definition: postgres_ext.h:32
void procsignal_sigusr1_handler(SIGNAL_ARGS)
Definition: procsignal.c:674
Buffer read_stream_next_buffer(ReadStream *stream, void **per_buffer_data)
Definition: read_stream.c:791
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)
Definition: read_stream.c:737
void read_stream_end(ReadStream *stream)
Definition: read_stream.c:1089
#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
RelFileNumber filenumber
Definition: autoprewarm.c:95
BlockInfoRecord * block_info
Definition: autoprewarm.c:86
dsm_handle block_info_handle
Definition: autoprewarm.c:72
char bgw_function_name[BGW_MAXLEN]
Definition: bgworker.h:97
char bgw_name[BGW_MAXLEN]
Definition: bgworker.h:91
int bgw_restart_time
Definition: bgworker.h:95
char bgw_type[BGW_MAXLEN]
Definition: bgworker.h:92
BgWorkerStartTime bgw_start_time
Definition: bgworker.h:94
pid_t bgw_notify_pid
Definition: bgworker.h:100
char bgw_library_name[MAXPGPATH]
Definition: bgworker.h:96
ForkNumber forknum
Definition: autoprewarm.c:60
RelFileNumber filenumber
Definition: autoprewarm.c:59
BlockNumber blocknum
Definition: autoprewarm.c:61
BufferTag tag
Definition: lwlock.h:42
BlockNumber blockNum
Oid spcOid
Definition: regguts.h:323
#define TimestampTzPlusMilliseconds(tz, ms)
Definition: timestamp.h:85
#define PG_WAIT_EXTENSION
Definition: wait_classes.h:23
#define WL_TIMEOUT
Definition: waiteventset.h:37
#define WL_EXIT_ON_PM_DEATH
Definition: waiteventset.h:39
#define WL_LATCH_SET
Definition: waiteventset.h:34
#define SIGHUP
Definition: win32_port.h:158
#define SIGUSR1
Definition: win32_port.h:170
void StartTransactionCommand(void)
Definition: xact.c:3071
void CommitTransactionCommand(void)
Definition: xact.c:3169