Line data Source code
1 : /*-------------------------------------------------------------------------
2 : *
3 : * analyze.c
4 : * the Postgres statistics generator
5 : *
6 : * Portions Copyright (c) 1996-2025, PostgreSQL Global Development Group
7 : * Portions Copyright (c) 1994, Regents of the University of California
8 : *
9 : *
10 : * IDENTIFICATION
11 : * src/backend/commands/analyze.c
12 : *
13 : *-------------------------------------------------------------------------
14 : */
15 : #include "postgres.h"
16 :
17 : #include <math.h>
18 :
19 : #include "access/detoast.h"
20 : #include "access/genam.h"
21 : #include "access/multixact.h"
22 : #include "access/relation.h"
23 : #include "access/table.h"
24 : #include "access/tableam.h"
25 : #include "access/transam.h"
26 : #include "access/tupconvert.h"
27 : #include "access/visibilitymap.h"
28 : #include "access/xact.h"
29 : #include "catalog/index.h"
30 : #include "catalog/indexing.h"
31 : #include "catalog/pg_inherits.h"
32 : #include "commands/progress.h"
33 : #include "commands/tablecmds.h"
34 : #include "commands/vacuum.h"
35 : #include "common/pg_prng.h"
36 : #include "executor/executor.h"
37 : #include "foreign/fdwapi.h"
38 : #include "miscadmin.h"
39 : #include "nodes/nodeFuncs.h"
40 : #include "parser/parse_oper.h"
41 : #include "parser/parse_relation.h"
42 : #include "pgstat.h"
43 : #include "statistics/extended_stats_internal.h"
44 : #include "statistics/statistics.h"
45 : #include "storage/bufmgr.h"
46 : #include "storage/procarray.h"
47 : #include "utils/attoptcache.h"
48 : #include "utils/datum.h"
49 : #include "utils/guc.h"
50 : #include "utils/lsyscache.h"
51 : #include "utils/memutils.h"
52 : #include "utils/pg_rusage.h"
53 : #include "utils/sampling.h"
54 : #include "utils/sortsupport.h"
55 : #include "utils/syscache.h"
56 : #include "utils/timestamp.h"
57 :
58 :
59 : /* Per-index data for ANALYZE */
60 : typedef struct AnlIndexData
61 : {
62 : IndexInfo *indexInfo; /* BuildIndexInfo result */
63 : double tupleFract; /* fraction of rows for partial index */
64 : VacAttrStats **vacattrstats; /* index attrs to analyze */
65 : int attr_cnt;
66 : } AnlIndexData;
67 :
68 :
69 : /* Default statistics target (GUC parameter) */
70 : int default_statistics_target = 100;
71 :
72 : /* A few variables that don't seem worth passing around as parameters */
73 : static MemoryContext anl_context = NULL;
74 : static BufferAccessStrategy vac_strategy;
75 :
76 :
77 : static void do_analyze_rel(Relation onerel,
78 : const VacuumParams params, List *va_cols,
79 : AcquireSampleRowsFunc acquirefunc, BlockNumber relpages,
80 : bool inh, bool in_outer_xact, int elevel);
81 : static void compute_index_stats(Relation onerel, double totalrows,
82 : AnlIndexData *indexdata, int nindexes,
83 : HeapTuple *rows, int numrows,
84 : MemoryContext col_context);
85 : static VacAttrStats *examine_attribute(Relation onerel, int attnum,
86 : Node *index_expr);
87 : static int acquire_sample_rows(Relation onerel, int elevel,
88 : HeapTuple *rows, int targrows,
89 : double *totalrows, double *totaldeadrows);
90 : static int compare_rows(const void *a, const void *b, void *arg);
91 : static int acquire_inherited_sample_rows(Relation onerel, int elevel,
92 : HeapTuple *rows, int targrows,
93 : double *totalrows, double *totaldeadrows);
94 : static void update_attstats(Oid relid, bool inh,
95 : int natts, VacAttrStats **vacattrstats);
96 : static Datum std_fetch_func(VacAttrStatsP stats, int rownum, bool *isNull);
97 : static Datum ind_fetch_func(VacAttrStatsP stats, int rownum, bool *isNull);
98 :
99 :
100 : /*
101 : * analyze_rel() -- analyze one relation
102 : *
103 : * relid identifies the relation to analyze. If relation is supplied, use
104 : * the name therein for reporting any failure to open/lock the rel; do not
105 : * use it once we've successfully opened the rel, since it might be stale.
106 : */
107 : void
108 16368 : analyze_rel(Oid relid, RangeVar *relation,
109 : const VacuumParams params, List *va_cols, bool in_outer_xact,
110 : BufferAccessStrategy bstrategy)
111 : {
112 : Relation onerel;
113 : int elevel;
114 16368 : AcquireSampleRowsFunc acquirefunc = NULL;
115 16368 : BlockNumber relpages = 0;
116 :
117 : /* Select logging level */
118 16368 : if (params.options & VACOPT_VERBOSE)
119 0 : elevel = INFO;
120 : else
121 16368 : elevel = DEBUG2;
122 :
123 : /* Set up static variables */
124 16368 : vac_strategy = bstrategy;
125 :
126 : /*
127 : * Check for user-requested abort.
128 : */
129 16368 : CHECK_FOR_INTERRUPTS();
130 :
131 : /*
132 : * Open the relation, getting ShareUpdateExclusiveLock to ensure that two
133 : * ANALYZEs don't run on it concurrently. (This also locks out a
134 : * concurrent VACUUM, which doesn't matter much at the moment but might
135 : * matter if we ever try to accumulate stats on dead tuples.) If the rel
136 : * has been dropped since we last saw it, we don't need to process it.
137 : *
138 : * Make sure to generate only logs for ANALYZE in this case.
139 : */
140 16368 : onerel = vacuum_open_relation(relid, relation, params.options & ~(VACOPT_VACUUM),
141 16368 : params.log_min_duration >= 0,
142 : ShareUpdateExclusiveLock);
143 :
144 : /* leave if relation could not be opened or locked */
145 16368 : if (!onerel)
146 212 : return;
147 :
148 : /*
149 : * Check if relation needs to be skipped based on privileges. This check
150 : * happens also when building the relation list to analyze for a manual
151 : * operation, and needs to be done additionally here as ANALYZE could
152 : * happen across multiple transactions where privileges could have changed
153 : * in-between. Make sure to generate only logs for ANALYZE in this case.
154 : */
155 16360 : if (!vacuum_is_permitted_for_relation(RelationGetRelid(onerel),
156 : onerel->rd_rel,
157 16360 : params.options & ~VACOPT_VACUUM))
158 : {
159 36 : relation_close(onerel, ShareUpdateExclusiveLock);
160 36 : return;
161 : }
162 :
163 : /*
164 : * Silently ignore tables that are temp tables of other backends ---
165 : * trying to analyze these is rather pointless, since their contents are
166 : * probably not up-to-date on disk. (We don't throw a warning here; it
167 : * would just lead to chatter during a database-wide ANALYZE.)
168 : */
169 16324 : if (RELATION_IS_OTHER_TEMP(onerel))
170 : {
171 0 : relation_close(onerel, ShareUpdateExclusiveLock);
172 0 : return;
173 : }
174 :
175 : /*
176 : * We can ANALYZE any table except pg_statistic. See update_attstats
177 : */
178 16324 : if (RelationGetRelid(onerel) == StatisticRelationId)
179 : {
180 168 : relation_close(onerel, ShareUpdateExclusiveLock);
181 168 : return;
182 : }
183 :
184 : /*
185 : * Check that it's of an analyzable relkind, and set up appropriately.
186 : */
187 16156 : if (onerel->rd_rel->relkind == RELKIND_RELATION ||
188 838 : onerel->rd_rel->relkind == RELKIND_MATVIEW)
189 : {
190 : /* Regular table, so we'll use the regular row acquisition function */
191 15322 : acquirefunc = acquire_sample_rows;
192 : /* Also get regular table's size */
193 15322 : relpages = RelationGetNumberOfBlocks(onerel);
194 : }
195 834 : else if (onerel->rd_rel->relkind == RELKIND_FOREIGN_TABLE)
196 : {
197 : /*
198 : * For a foreign table, call the FDW's hook function to see whether it
199 : * supports analysis.
200 : */
201 : FdwRoutine *fdwroutine;
202 66 : bool ok = false;
203 :
204 66 : fdwroutine = GetFdwRoutineForRelation(onerel, false);
205 :
206 66 : if (fdwroutine->AnalyzeForeignTable != NULL)
207 66 : ok = fdwroutine->AnalyzeForeignTable(onerel,
208 : &acquirefunc,
209 : &relpages);
210 :
211 66 : if (!ok)
212 : {
213 0 : ereport(WARNING,
214 : (errmsg("skipping \"%s\" --- cannot analyze this foreign table",
215 : RelationGetRelationName(onerel))));
216 0 : relation_close(onerel, ShareUpdateExclusiveLock);
217 0 : return;
218 : }
219 : }
220 768 : else if (onerel->rd_rel->relkind == RELKIND_PARTITIONED_TABLE)
221 : {
222 : /*
223 : * For partitioned tables, we want to do the recursive ANALYZE below.
224 : */
225 : }
226 : else
227 : {
228 : /* No need for a WARNING if we already complained during VACUUM */
229 0 : if (!(params.options & VACOPT_VACUUM))
230 0 : ereport(WARNING,
231 : (errmsg("skipping \"%s\" --- cannot analyze non-tables or special system tables",
232 : RelationGetRelationName(onerel))));
233 0 : relation_close(onerel, ShareUpdateExclusiveLock);
234 0 : return;
235 : }
236 :
237 : /*
238 : * OK, let's do it. First, initialize progress reporting.
239 : */
240 16156 : pgstat_progress_start_command(PROGRESS_COMMAND_ANALYZE,
241 : RelationGetRelid(onerel));
242 :
243 : /*
244 : * Do the normal non-recursive ANALYZE. We can skip this for partitioned
245 : * tables, which don't contain any rows.
246 : */
247 16156 : if (onerel->rd_rel->relkind != RELKIND_PARTITIONED_TABLE)
248 15388 : do_analyze_rel(onerel, params, va_cols, acquirefunc,
249 : relpages, false, in_outer_xact, elevel);
250 :
251 : /*
252 : * If there are child tables, do recursive ANALYZE.
253 : */
254 16116 : if (onerel->rd_rel->relhassubclass)
255 896 : do_analyze_rel(onerel, params, va_cols, acquirefunc, relpages,
256 : true, in_outer_xact, elevel);
257 :
258 : /*
259 : * Close source relation now, but keep lock so that no one deletes it
260 : * before we commit. (If someone did, they'd fail to clean up the entries
261 : * we made in pg_statistic. Also, releasing the lock before commit would
262 : * expose us to concurrent-update failures in update_attstats.)
263 : */
264 16098 : relation_close(onerel, NoLock);
265 :
266 16098 : pgstat_progress_end_command();
267 : }
268 :
269 : /*
270 : * do_analyze_rel() -- analyze one relation, recursively or not
271 : *
272 : * Note that "acquirefunc" is only relevant for the non-inherited case.
273 : * For the inherited case, acquire_inherited_sample_rows() determines the
274 : * appropriate acquirefunc for each child table.
275 : */
276 : static void
277 16284 : do_analyze_rel(Relation onerel, const VacuumParams params,
278 : List *va_cols, AcquireSampleRowsFunc acquirefunc,
279 : BlockNumber relpages, bool inh, bool in_outer_xact,
280 : int elevel)
281 : {
282 : int attr_cnt,
283 : tcnt,
284 : i,
285 : ind;
286 : Relation *Irel;
287 : int nindexes;
288 : bool verbose,
289 : instrument,
290 : hasindex;
291 : VacAttrStats **vacattrstats;
292 : AnlIndexData *indexdata;
293 : int targrows,
294 : numrows,
295 : minrows;
296 : double totalrows,
297 : totaldeadrows;
298 : HeapTuple *rows;
299 : PGRUsage ru0;
300 16284 : TimestampTz starttime = 0;
301 : MemoryContext caller_context;
302 : Oid save_userid;
303 : int save_sec_context;
304 : int save_nestlevel;
305 16284 : WalUsage startwalusage = pgWalUsage;
306 16284 : BufferUsage startbufferusage = pgBufferUsage;
307 : BufferUsage bufferusage;
308 16284 : PgStat_Counter startreadtime = 0;
309 16284 : PgStat_Counter startwritetime = 0;
310 :
311 16284 : verbose = (params.options & VACOPT_VERBOSE) != 0;
312 16704 : instrument = (verbose || (AmAutoVacuumWorkerProcess() &&
313 420 : params.log_min_duration >= 0));
314 16284 : if (inh)
315 896 : ereport(elevel,
316 : (errmsg("analyzing \"%s.%s\" inheritance tree",
317 : get_namespace_name(RelationGetNamespace(onerel)),
318 : RelationGetRelationName(onerel))));
319 : else
320 15388 : ereport(elevel,
321 : (errmsg("analyzing \"%s.%s\"",
322 : get_namespace_name(RelationGetNamespace(onerel)),
323 : RelationGetRelationName(onerel))));
324 :
325 : /*
326 : * Set up a working context so that we can easily free whatever junk gets
327 : * created.
328 : */
329 16284 : anl_context = AllocSetContextCreate(CurrentMemoryContext,
330 : "Analyze",
331 : ALLOCSET_DEFAULT_SIZES);
332 16284 : caller_context = MemoryContextSwitchTo(anl_context);
333 :
334 : /*
335 : * Switch to the table owner's userid, so that any index functions are run
336 : * as that user. Also lock down security-restricted operations and
337 : * arrange to make GUC variable changes local to this command.
338 : */
339 16284 : GetUserIdAndSecContext(&save_userid, &save_sec_context);
340 16284 : SetUserIdAndSecContext(onerel->rd_rel->relowner,
341 : save_sec_context | SECURITY_RESTRICTED_OPERATION);
342 16284 : save_nestlevel = NewGUCNestLevel();
343 16284 : RestrictSearchPath();
344 :
345 : /*
346 : * When verbose or autovacuum logging is used, initialize a resource usage
347 : * snapshot and optionally track I/O timing.
348 : */
349 16284 : if (instrument)
350 : {
351 420 : if (track_io_timing)
352 : {
353 0 : startreadtime = pgStatBlockReadTime;
354 0 : startwritetime = pgStatBlockWriteTime;
355 : }
356 :
357 420 : pg_rusage_init(&ru0);
358 : }
359 :
360 : /* Used for instrumentation and stats report */
361 16284 : starttime = GetCurrentTimestamp();
362 :
363 : /*
364 : * Determine which columns to analyze
365 : *
366 : * Note that system attributes are never analyzed, so we just reject them
367 : * at the lookup stage. We also reject duplicate column mentions. (We
368 : * could alternatively ignore duplicates, but analyzing a column twice
369 : * won't work; we'd end up making a conflicting update in pg_statistic.)
370 : */
371 16284 : if (va_cols != NIL)
372 : {
373 100 : Bitmapset *unique_cols = NULL;
374 : ListCell *le;
375 :
376 100 : vacattrstats = (VacAttrStats **) palloc(list_length(va_cols) *
377 : sizeof(VacAttrStats *));
378 100 : tcnt = 0;
379 182 : foreach(le, va_cols)
380 : {
381 132 : char *col = strVal(lfirst(le));
382 :
383 132 : i = attnameAttNum(onerel, col, false);
384 132 : if (i == InvalidAttrNumber)
385 38 : ereport(ERROR,
386 : (errcode(ERRCODE_UNDEFINED_COLUMN),
387 : errmsg("column \"%s\" of relation \"%s\" does not exist",
388 : col, RelationGetRelationName(onerel))));
389 94 : if (bms_is_member(i, unique_cols))
390 12 : ereport(ERROR,
391 : (errcode(ERRCODE_DUPLICATE_COLUMN),
392 : errmsg("column \"%s\" of relation \"%s\" appears more than once",
393 : col, RelationGetRelationName(onerel))));
394 82 : unique_cols = bms_add_member(unique_cols, i);
395 :
396 82 : vacattrstats[tcnt] = examine_attribute(onerel, i, NULL);
397 82 : if (vacattrstats[tcnt] != NULL)
398 82 : tcnt++;
399 : }
400 50 : attr_cnt = tcnt;
401 : }
402 : else
403 : {
404 16184 : attr_cnt = onerel->rd_att->natts;
405 : vacattrstats = (VacAttrStats **)
406 16184 : palloc(attr_cnt * sizeof(VacAttrStats *));
407 16184 : tcnt = 0;
408 133824 : for (i = 1; i <= attr_cnt; i++)
409 : {
410 117640 : vacattrstats[tcnt] = examine_attribute(onerel, i, NULL);
411 117640 : if (vacattrstats[tcnt] != NULL)
412 117572 : tcnt++;
413 : }
414 16184 : attr_cnt = tcnt;
415 : }
416 :
417 : /*
418 : * Open all indexes of the relation, and see if there are any analyzable
419 : * columns in the indexes. We do not analyze index columns if there was
420 : * an explicit column list in the ANALYZE command, however.
421 : *
422 : * If we are doing a recursive scan, we don't want to touch the parent's
423 : * indexes at all. If we're processing a partitioned table, we need to
424 : * know if there are any indexes, but we don't want to process them.
425 : */
426 16234 : if (onerel->rd_rel->relkind == RELKIND_PARTITIONED_TABLE)
427 : {
428 750 : List *idxs = RelationGetIndexList(onerel);
429 :
430 750 : Irel = NULL;
431 750 : nindexes = 0;
432 750 : hasindex = idxs != NIL;
433 750 : list_free(idxs);
434 : }
435 15484 : else if (!inh)
436 : {
437 15356 : vac_open_indexes(onerel, AccessShareLock, &nindexes, &Irel);
438 15356 : hasindex = nindexes > 0;
439 : }
440 : else
441 : {
442 128 : Irel = NULL;
443 128 : nindexes = 0;
444 128 : hasindex = false;
445 : }
446 16234 : indexdata = NULL;
447 16234 : if (nindexes > 0)
448 : {
449 12058 : indexdata = (AnlIndexData *) palloc0(nindexes * sizeof(AnlIndexData));
450 34780 : for (ind = 0; ind < nindexes; ind++)
451 : {
452 22722 : AnlIndexData *thisdata = &indexdata[ind];
453 : IndexInfo *indexInfo;
454 :
455 22722 : thisdata->indexInfo = indexInfo = BuildIndexInfo(Irel[ind]);
456 22722 : thisdata->tupleFract = 1.0; /* fix later if partial */
457 22722 : if (indexInfo->ii_Expressions != NIL && va_cols == NIL)
458 : {
459 104 : ListCell *indexpr_item = list_head(indexInfo->ii_Expressions);
460 :
461 104 : thisdata->vacattrstats = (VacAttrStats **)
462 104 : palloc(indexInfo->ii_NumIndexAttrs * sizeof(VacAttrStats *));
463 104 : tcnt = 0;
464 212 : for (i = 0; i < indexInfo->ii_NumIndexAttrs; i++)
465 : {
466 108 : int keycol = indexInfo->ii_IndexAttrNumbers[i];
467 :
468 108 : if (keycol == 0)
469 : {
470 : /* Found an index expression */
471 : Node *indexkey;
472 :
473 104 : if (indexpr_item == NULL) /* shouldn't happen */
474 0 : elog(ERROR, "too few entries in indexprs list");
475 104 : indexkey = (Node *) lfirst(indexpr_item);
476 104 : indexpr_item = lnext(indexInfo->ii_Expressions,
477 : indexpr_item);
478 208 : thisdata->vacattrstats[tcnt] =
479 104 : examine_attribute(Irel[ind], i + 1, indexkey);
480 104 : if (thisdata->vacattrstats[tcnt] != NULL)
481 104 : tcnt++;
482 : }
483 : }
484 104 : thisdata->attr_cnt = tcnt;
485 : }
486 : }
487 : }
488 :
489 : /*
490 : * Determine how many rows we need to sample, using the worst case from
491 : * all analyzable columns. We use a lower bound of 100 rows to avoid
492 : * possible overflow in Vitter's algorithm. (Note: that will also be the
493 : * target in the corner case where there are no analyzable columns.)
494 : */
495 16234 : targrows = 100;
496 133864 : for (i = 0; i < attr_cnt; i++)
497 : {
498 117630 : if (targrows < vacattrstats[i]->minrows)
499 16162 : targrows = vacattrstats[i]->minrows;
500 : }
501 38956 : for (ind = 0; ind < nindexes; ind++)
502 : {
503 22722 : AnlIndexData *thisdata = &indexdata[ind];
504 :
505 22826 : for (i = 0; i < thisdata->attr_cnt; i++)
506 : {
507 104 : if (targrows < thisdata->vacattrstats[i]->minrows)
508 12 : targrows = thisdata->vacattrstats[i]->minrows;
509 : }
510 : }
511 :
512 : /*
513 : * Look at extended statistics objects too, as those may define custom
514 : * statistics target. So we may need to sample more rows and then build
515 : * the statistics with enough detail.
516 : */
517 16234 : minrows = ComputeExtStatisticsRows(onerel, attr_cnt, vacattrstats);
518 :
519 16234 : if (targrows < minrows)
520 0 : targrows = minrows;
521 :
522 : /*
523 : * Acquire the sample rows
524 : */
525 16234 : rows = (HeapTuple *) palloc(targrows * sizeof(HeapTuple));
526 16234 : pgstat_progress_update_param(PROGRESS_ANALYZE_PHASE,
527 : inh ? PROGRESS_ANALYZE_PHASE_ACQUIRE_SAMPLE_ROWS_INH :
528 : PROGRESS_ANALYZE_PHASE_ACQUIRE_SAMPLE_ROWS);
529 16234 : if (inh)
530 878 : numrows = acquire_inherited_sample_rows(onerel, elevel,
531 : rows, targrows,
532 : &totalrows, &totaldeadrows);
533 : else
534 15356 : numrows = (*acquirefunc) (onerel, elevel,
535 : rows, targrows,
536 : &totalrows, &totaldeadrows);
537 :
538 : /*
539 : * Compute the statistics. Temporary results during the calculations for
540 : * each column are stored in a child context. The calc routines are
541 : * responsible to make sure that whatever they store into the VacAttrStats
542 : * structure is allocated in anl_context.
543 : */
544 16232 : if (numrows > 0)
545 : {
546 : MemoryContext col_context,
547 : old_context;
548 :
549 10966 : pgstat_progress_update_param(PROGRESS_ANALYZE_PHASE,
550 : PROGRESS_ANALYZE_PHASE_COMPUTE_STATS);
551 :
552 10966 : col_context = AllocSetContextCreate(anl_context,
553 : "Analyze Column",
554 : ALLOCSET_DEFAULT_SIZES);
555 10966 : old_context = MemoryContextSwitchTo(col_context);
556 :
557 97044 : for (i = 0; i < attr_cnt; i++)
558 : {
559 86078 : VacAttrStats *stats = vacattrstats[i];
560 : AttributeOpts *aopt;
561 :
562 86078 : stats->rows = rows;
563 86078 : stats->tupDesc = onerel->rd_att;
564 86078 : stats->compute_stats(stats,
565 : std_fetch_func,
566 : numrows,
567 : totalrows);
568 :
569 : /*
570 : * If the appropriate flavor of the n_distinct option is
571 : * specified, override with the corresponding value.
572 : */
573 86078 : aopt = get_attribute_options(onerel->rd_id, stats->tupattnum);
574 86078 : if (aopt != NULL)
575 : {
576 : float8 n_distinct;
577 :
578 6 : n_distinct = inh ? aopt->n_distinct_inherited : aopt->n_distinct;
579 6 : if (n_distinct != 0.0)
580 6 : stats->stadistinct = n_distinct;
581 : }
582 :
583 86078 : MemoryContextReset(col_context);
584 : }
585 :
586 10966 : if (nindexes > 0)
587 7086 : compute_index_stats(onerel, totalrows,
588 : indexdata, nindexes,
589 : rows, numrows,
590 : col_context);
591 :
592 10960 : MemoryContextSwitchTo(old_context);
593 10960 : MemoryContextDelete(col_context);
594 :
595 : /*
596 : * Emit the completed stats rows into pg_statistic, replacing any
597 : * previous statistics for the target columns. (If there are stats in
598 : * pg_statistic for columns we didn't process, we leave them alone.)
599 : */
600 10960 : update_attstats(RelationGetRelid(onerel), inh,
601 : attr_cnt, vacattrstats);
602 :
603 24812 : for (ind = 0; ind < nindexes; ind++)
604 : {
605 13852 : AnlIndexData *thisdata = &indexdata[ind];
606 :
607 13852 : update_attstats(RelationGetRelid(Irel[ind]), false,
608 : thisdata->attr_cnt, thisdata->vacattrstats);
609 : }
610 :
611 : /* Build extended statistics (if there are any). */
612 10960 : BuildRelationExtStatistics(onerel, inh, totalrows, numrows, rows,
613 : attr_cnt, vacattrstats);
614 : }
615 :
616 16226 : pgstat_progress_update_param(PROGRESS_ANALYZE_PHASE,
617 : PROGRESS_ANALYZE_PHASE_FINALIZE_ANALYZE);
618 :
619 : /*
620 : * Update pages/tuples stats in pg_class ... but not if we're doing
621 : * inherited stats.
622 : *
623 : * We assume that VACUUM hasn't set pg_class.reltuples already, even
624 : * during a VACUUM ANALYZE. Although VACUUM often updates pg_class,
625 : * exceptions exist. A "VACUUM (ANALYZE, INDEX_CLEANUP OFF)" command will
626 : * never update pg_class entries for index relations. It's also possible
627 : * that an individual index's pg_class entry won't be updated during
628 : * VACUUM if the index AM returns NULL from its amvacuumcleanup() routine.
629 : */
630 16226 : if (!inh)
631 : {
632 15348 : BlockNumber relallvisible = 0;
633 15348 : BlockNumber relallfrozen = 0;
634 :
635 15348 : if (RELKIND_HAS_STORAGE(onerel->rd_rel->relkind))
636 15284 : visibilitymap_count(onerel, &relallvisible, &relallfrozen);
637 :
638 : /*
639 : * Update pg_class for table relation. CCI first, in case acquirefunc
640 : * updated pg_class.
641 : */
642 15348 : CommandCounterIncrement();
643 15348 : vac_update_relstats(onerel,
644 : relpages,
645 : totalrows,
646 : relallvisible,
647 : relallfrozen,
648 : hasindex,
649 : InvalidTransactionId,
650 : InvalidMultiXactId,
651 : NULL, NULL,
652 : in_outer_xact);
653 :
654 : /* Same for indexes */
655 38058 : for (ind = 0; ind < nindexes; ind++)
656 : {
657 22710 : AnlIndexData *thisdata = &indexdata[ind];
658 : double totalindexrows;
659 :
660 22710 : totalindexrows = ceil(thisdata->tupleFract * totalrows);
661 22710 : vac_update_relstats(Irel[ind],
662 22710 : RelationGetNumberOfBlocks(Irel[ind]),
663 : totalindexrows,
664 : 0, 0,
665 : false,
666 : InvalidTransactionId,
667 : InvalidMultiXactId,
668 : NULL, NULL,
669 : in_outer_xact);
670 : }
671 : }
672 878 : else if (onerel->rd_rel->relkind == RELKIND_PARTITIONED_TABLE)
673 : {
674 : /*
675 : * Partitioned tables don't have storage, so we don't set any fields
676 : * in their pg_class entries except for reltuples and relhasindex.
677 : */
678 750 : CommandCounterIncrement();
679 750 : vac_update_relstats(onerel, -1, totalrows,
680 : 0, 0, hasindex, InvalidTransactionId,
681 : InvalidMultiXactId,
682 : NULL, NULL,
683 : in_outer_xact);
684 : }
685 :
686 : /*
687 : * Now report ANALYZE to the cumulative stats system. For regular tables,
688 : * we do it only if not doing inherited stats. For partitioned tables, we
689 : * only do it for inherited stats. (We're never called for not-inherited
690 : * stats on partitioned tables anyway.)
691 : *
692 : * Reset the mod_since_analyze counter only if we analyzed all columns;
693 : * otherwise, there is still work for auto-analyze to do.
694 : */
695 16226 : if (!inh)
696 15348 : pgstat_report_analyze(onerel, totalrows, totaldeadrows,
697 : (va_cols == NIL), starttime);
698 878 : else if (onerel->rd_rel->relkind == RELKIND_PARTITIONED_TABLE)
699 750 : pgstat_report_analyze(onerel, 0, 0, (va_cols == NIL), starttime);
700 :
701 : /*
702 : * If this isn't part of VACUUM ANALYZE, let index AMs do cleanup.
703 : *
704 : * Note that most index AMs perform a no-op as a matter of policy for
705 : * amvacuumcleanup() when called in ANALYZE-only mode. The only exception
706 : * among core index AMs is GIN/ginvacuumcleanup().
707 : */
708 16226 : if (!(params.options & VACOPT_VACUUM))
709 : {
710 31266 : for (ind = 0; ind < nindexes; ind++)
711 : {
712 : IndexBulkDeleteResult *stats;
713 : IndexVacuumInfo ivinfo;
714 :
715 17964 : ivinfo.index = Irel[ind];
716 17964 : ivinfo.heaprel = onerel;
717 17964 : ivinfo.analyze_only = true;
718 17964 : ivinfo.estimated_count = true;
719 17964 : ivinfo.message_level = elevel;
720 17964 : ivinfo.num_heap_tuples = onerel->rd_rel->reltuples;
721 17964 : ivinfo.strategy = vac_strategy;
722 :
723 17964 : stats = index_vacuum_cleanup(&ivinfo, NULL);
724 :
725 17964 : if (stats)
726 0 : pfree(stats);
727 : }
728 : }
729 :
730 : /* Done with indexes */
731 16226 : vac_close_indexes(nindexes, Irel, NoLock);
732 :
733 : /* Log the action if appropriate */
734 16226 : if (instrument)
735 : {
736 420 : TimestampTz endtime = GetCurrentTimestamp();
737 :
738 722 : if (verbose || params.log_min_duration == 0 ||
739 302 : TimestampDifferenceExceeds(starttime, endtime,
740 302 : params.log_min_duration))
741 : {
742 : long delay_in_ms;
743 : WalUsage walusage;
744 118 : double read_rate = 0;
745 118 : double write_rate = 0;
746 : char *msgfmt;
747 : StringInfoData buf;
748 : int64 total_blks_hit;
749 : int64 total_blks_read;
750 : int64 total_blks_dirtied;
751 :
752 118 : memset(&bufferusage, 0, sizeof(BufferUsage));
753 118 : BufferUsageAccumDiff(&bufferusage, &pgBufferUsage, &startbufferusage);
754 118 : memset(&walusage, 0, sizeof(WalUsage));
755 118 : WalUsageAccumDiff(&walusage, &pgWalUsage, &startwalusage);
756 :
757 118 : total_blks_hit = bufferusage.shared_blks_hit +
758 118 : bufferusage.local_blks_hit;
759 118 : total_blks_read = bufferusage.shared_blks_read +
760 118 : bufferusage.local_blks_read;
761 118 : total_blks_dirtied = bufferusage.shared_blks_dirtied +
762 118 : bufferusage.local_blks_dirtied;
763 :
764 : /*
765 : * We do not expect an analyze to take > 25 days and it simplifies
766 : * things a bit to use TimestampDifferenceMilliseconds.
767 : */
768 118 : delay_in_ms = TimestampDifferenceMilliseconds(starttime, endtime);
769 :
770 : /*
771 : * Note that we are reporting these read/write rates in the same
772 : * manner as VACUUM does, which means that while the 'average read
773 : * rate' here actually corresponds to page misses and resulting
774 : * reads which are also picked up by track_io_timing, if enabled,
775 : * the 'average write rate' is actually talking about the rate of
776 : * pages being dirtied, not being written out, so it's typical to
777 : * have a non-zero 'avg write rate' while I/O timings only reports
778 : * reads.
779 : *
780 : * It's not clear that an ANALYZE will ever result in
781 : * FlushBuffer() being called, but we track and support reporting
782 : * on I/O write time in case that changes as it's practically free
783 : * to do so anyway.
784 : */
785 :
786 118 : if (delay_in_ms > 0)
787 : {
788 118 : read_rate = (double) BLCKSZ * total_blks_read /
789 118 : (1024 * 1024) / (delay_in_ms / 1000.0);
790 118 : write_rate = (double) BLCKSZ * total_blks_dirtied /
791 118 : (1024 * 1024) / (delay_in_ms / 1000.0);
792 : }
793 :
794 : /*
795 : * We split this up so we don't emit empty I/O timing values when
796 : * track_io_timing isn't enabled.
797 : */
798 :
799 118 : initStringInfo(&buf);
800 :
801 118 : if (AmAutoVacuumWorkerProcess())
802 118 : msgfmt = _("automatic analyze of table \"%s.%s.%s\"\n");
803 : else
804 0 : msgfmt = _("finished analyzing table \"%s.%s.%s\"\n");
805 :
806 118 : appendStringInfo(&buf, msgfmt,
807 : get_database_name(MyDatabaseId),
808 118 : get_namespace_name(RelationGetNamespace(onerel)),
809 118 : RelationGetRelationName(onerel));
810 118 : if (track_cost_delay_timing)
811 : {
812 : /*
813 : * We bypass the changecount mechanism because this value is
814 : * only updated by the calling process.
815 : */
816 0 : appendStringInfo(&buf, _("delay time: %.3f ms\n"),
817 0 : (double) MyBEEntry->st_progress_param[PROGRESS_ANALYZE_DELAY_TIME] / 1000000.0);
818 : }
819 118 : if (track_io_timing)
820 : {
821 0 : double read_ms = (double) (pgStatBlockReadTime - startreadtime) / 1000;
822 0 : double write_ms = (double) (pgStatBlockWriteTime - startwritetime) / 1000;
823 :
824 0 : appendStringInfo(&buf, _("I/O timings: read: %.3f ms, write: %.3f ms\n"),
825 : read_ms, write_ms);
826 : }
827 118 : appendStringInfo(&buf, _("avg read rate: %.3f MB/s, avg write rate: %.3f MB/s\n"),
828 : read_rate, write_rate);
829 118 : appendStringInfo(&buf, _("buffer usage: %" PRId64 " hits, %" PRId64 " reads, %" PRId64 " dirtied\n"),
830 : total_blks_hit,
831 : total_blks_read,
832 : total_blks_dirtied);
833 118 : appendStringInfo(&buf,
834 118 : _("WAL usage: %" PRId64 " records, %" PRId64 " full page images, %" PRIu64 " bytes, %" PRId64 " buffers full\n"),
835 : walusage.wal_records,
836 : walusage.wal_fpi,
837 : walusage.wal_bytes,
838 : walusage.wal_buffers_full);
839 118 : appendStringInfo(&buf, _("system usage: %s"), pg_rusage_show(&ru0));
840 :
841 118 : ereport(verbose ? INFO : LOG,
842 : (errmsg_internal("%s", buf.data)));
843 :
844 118 : pfree(buf.data);
845 : }
846 : }
847 :
848 : /* Roll back any GUC changes executed by index functions */
849 16226 : AtEOXact_GUC(false, save_nestlevel);
850 :
851 : /* Restore userid and security context */
852 16226 : SetUserIdAndSecContext(save_userid, save_sec_context);
853 :
854 : /* Restore current context and release memory */
855 16226 : MemoryContextSwitchTo(caller_context);
856 16226 : MemoryContextDelete(anl_context);
857 16226 : anl_context = NULL;
858 16226 : }
859 :
860 : /*
861 : * Compute statistics about indexes of a relation
862 : */
863 : static void
864 7086 : compute_index_stats(Relation onerel, double totalrows,
865 : AnlIndexData *indexdata, int nindexes,
866 : HeapTuple *rows, int numrows,
867 : MemoryContext col_context)
868 : {
869 : MemoryContext ind_context,
870 : old_context;
871 : Datum values[INDEX_MAX_KEYS];
872 : bool isnull[INDEX_MAX_KEYS];
873 : int ind,
874 : i;
875 :
876 7086 : ind_context = AllocSetContextCreate(anl_context,
877 : "Analyze Index",
878 : ALLOCSET_DEFAULT_SIZES);
879 7086 : old_context = MemoryContextSwitchTo(ind_context);
880 :
881 20944 : for (ind = 0; ind < nindexes; ind++)
882 : {
883 13864 : AnlIndexData *thisdata = &indexdata[ind];
884 13864 : IndexInfo *indexInfo = thisdata->indexInfo;
885 13864 : int attr_cnt = thisdata->attr_cnt;
886 : TupleTableSlot *slot;
887 : EState *estate;
888 : ExprContext *econtext;
889 : ExprState *predicate;
890 : Datum *exprvals;
891 : bool *exprnulls;
892 : int numindexrows,
893 : tcnt,
894 : rowno;
895 : double totalindexrows;
896 :
897 : /* Ignore index if no columns to analyze and not partial */
898 13864 : if (attr_cnt == 0 && indexInfo->ii_Predicate == NIL)
899 13734 : continue;
900 :
901 : /*
902 : * Need an EState for evaluation of index expressions and
903 : * partial-index predicates. Create it in the per-index context to be
904 : * sure it gets cleaned up at the bottom of the loop.
905 : */
906 130 : estate = CreateExecutorState();
907 130 : econtext = GetPerTupleExprContext(estate);
908 : /* Need a slot to hold the current heap tuple, too */
909 130 : slot = MakeSingleTupleTableSlot(RelationGetDescr(onerel),
910 : &TTSOpsHeapTuple);
911 :
912 : /* Arrange for econtext's scan tuple to be the tuple under test */
913 130 : econtext->ecxt_scantuple = slot;
914 :
915 : /* Set up execution state for predicate. */
916 130 : predicate = ExecPrepareQual(indexInfo->ii_Predicate, estate);
917 :
918 : /* Compute and save index expression values */
919 130 : exprvals = (Datum *) palloc(numrows * attr_cnt * sizeof(Datum));
920 130 : exprnulls = (bool *) palloc(numrows * attr_cnt * sizeof(bool));
921 130 : numindexrows = 0;
922 130 : tcnt = 0;
923 95240 : for (rowno = 0; rowno < numrows; rowno++)
924 : {
925 95116 : HeapTuple heapTuple = rows[rowno];
926 :
927 95116 : vacuum_delay_point(true);
928 :
929 : /*
930 : * Reset the per-tuple context each time, to reclaim any cruft
931 : * left behind by evaluating the predicate or index expressions.
932 : */
933 95116 : ResetExprContext(econtext);
934 :
935 : /* Set up for predicate or expression evaluation */
936 95116 : ExecStoreHeapTuple(heapTuple, slot, false);
937 :
938 : /* If index is partial, check predicate */
939 95116 : if (predicate != NULL)
940 : {
941 20066 : if (!ExecQual(predicate, econtext))
942 19328 : continue;
943 : }
944 75788 : numindexrows++;
945 :
946 75788 : if (attr_cnt > 0)
947 : {
948 : /*
949 : * Evaluate the index row to compute expression values. We
950 : * could do this by hand, but FormIndexDatum is convenient.
951 : */
952 75050 : FormIndexDatum(indexInfo,
953 : slot,
954 : estate,
955 : values,
956 : isnull);
957 :
958 : /*
959 : * Save just the columns we care about. We copy the values
960 : * into ind_context from the estate's per-tuple context.
961 : */
962 150088 : for (i = 0; i < attr_cnt; i++)
963 : {
964 75044 : VacAttrStats *stats = thisdata->vacattrstats[i];
965 75044 : int attnum = stats->tupattnum;
966 :
967 75044 : if (isnull[attnum - 1])
968 : {
969 6 : exprvals[tcnt] = (Datum) 0;
970 6 : exprnulls[tcnt] = true;
971 : }
972 : else
973 : {
974 150076 : exprvals[tcnt] = datumCopy(values[attnum - 1],
975 75038 : stats->attrtype->typbyval,
976 75038 : stats->attrtype->typlen);
977 75038 : exprnulls[tcnt] = false;
978 : }
979 75044 : tcnt++;
980 : }
981 : }
982 : }
983 :
984 : /*
985 : * Having counted the number of rows that pass the predicate in the
986 : * sample, we can estimate the total number of rows in the index.
987 : */
988 124 : thisdata->tupleFract = (double) numindexrows / (double) numrows;
989 124 : totalindexrows = ceil(thisdata->tupleFract * totalrows);
990 :
991 : /*
992 : * Now we can compute the statistics for the expression columns.
993 : */
994 124 : if (numindexrows > 0)
995 : {
996 116 : MemoryContextSwitchTo(col_context);
997 196 : for (i = 0; i < attr_cnt; i++)
998 : {
999 80 : VacAttrStats *stats = thisdata->vacattrstats[i];
1000 :
1001 80 : stats->exprvals = exprvals + i;
1002 80 : stats->exprnulls = exprnulls + i;
1003 80 : stats->rowstride = attr_cnt;
1004 80 : stats->compute_stats(stats,
1005 : ind_fetch_func,
1006 : numindexrows,
1007 : totalindexrows);
1008 :
1009 80 : MemoryContextReset(col_context);
1010 : }
1011 : }
1012 :
1013 : /* And clean up */
1014 124 : MemoryContextSwitchTo(ind_context);
1015 :
1016 124 : ExecDropSingleTupleTableSlot(slot);
1017 124 : FreeExecutorState(estate);
1018 124 : MemoryContextReset(ind_context);
1019 : }
1020 :
1021 7080 : MemoryContextSwitchTo(old_context);
1022 7080 : MemoryContextDelete(ind_context);
1023 7080 : }
1024 :
1025 : /*
1026 : * examine_attribute -- pre-analysis of a single column
1027 : *
1028 : * Determine whether the column is analyzable; if so, create and initialize
1029 : * a VacAttrStats struct for it. If not, return NULL.
1030 : *
1031 : * If index_expr isn't NULL, then we're trying to analyze an expression index,
1032 : * and index_expr is the expression tree representing the column's data.
1033 : */
1034 : static VacAttrStats *
1035 117826 : examine_attribute(Relation onerel, int attnum, Node *index_expr)
1036 : {
1037 117826 : Form_pg_attribute attr = TupleDescAttr(onerel->rd_att, attnum - 1);
1038 : int attstattarget;
1039 : HeapTuple atttuple;
1040 : Datum dat;
1041 : bool isnull;
1042 : HeapTuple typtuple;
1043 : VacAttrStats *stats;
1044 : int i;
1045 : bool ok;
1046 :
1047 : /* Never analyze dropped columns */
1048 117826 : if (attr->attisdropped)
1049 6 : return NULL;
1050 :
1051 : /* Don't analyze virtual generated columns */
1052 117820 : if (attr->attgenerated == ATTRIBUTE_GENERATED_VIRTUAL)
1053 56 : return NULL;
1054 :
1055 : /*
1056 : * Get attstattarget value. Set to -1 if null. (Analyze functions expect
1057 : * -1 to mean use default_statistics_target; see for example
1058 : * std_typanalyze.)
1059 : */
1060 117764 : atttuple = SearchSysCache2(ATTNUM, ObjectIdGetDatum(RelationGetRelid(onerel)), Int16GetDatum(attnum));
1061 117764 : if (!HeapTupleIsValid(atttuple))
1062 0 : elog(ERROR, "cache lookup failed for attribute %d of relation %u",
1063 : attnum, RelationGetRelid(onerel));
1064 117764 : dat = SysCacheGetAttr(ATTNUM, atttuple, Anum_pg_attribute_attstattarget, &isnull);
1065 117764 : attstattarget = isnull ? -1 : DatumGetInt16(dat);
1066 117764 : ReleaseSysCache(atttuple);
1067 :
1068 : /* Don't analyze column if user has specified not to */
1069 117764 : if (attstattarget == 0)
1070 6 : return NULL;
1071 :
1072 : /*
1073 : * Create the VacAttrStats struct.
1074 : */
1075 117758 : stats = (VacAttrStats *) palloc0(sizeof(VacAttrStats));
1076 117758 : stats->attstattarget = attstattarget;
1077 :
1078 : /*
1079 : * When analyzing an expression index, believe the expression tree's type
1080 : * not the column datatype --- the latter might be the opckeytype storage
1081 : * type of the opclass, which is not interesting for our purposes. (Note:
1082 : * if we did anything with non-expression index columns, we'd need to
1083 : * figure out where to get the correct type info from, but for now that's
1084 : * not a problem.) It's not clear whether anyone will care about the
1085 : * typmod, but we store that too just in case.
1086 : */
1087 117758 : if (index_expr)
1088 : {
1089 104 : stats->attrtypid = exprType(index_expr);
1090 104 : stats->attrtypmod = exprTypmod(index_expr);
1091 :
1092 : /*
1093 : * If a collation has been specified for the index column, use that in
1094 : * preference to anything else; but if not, fall back to whatever we
1095 : * can get from the expression.
1096 : */
1097 104 : if (OidIsValid(onerel->rd_indcollation[attnum - 1]))
1098 12 : stats->attrcollid = onerel->rd_indcollation[attnum - 1];
1099 : else
1100 92 : stats->attrcollid = exprCollation(index_expr);
1101 : }
1102 : else
1103 : {
1104 117654 : stats->attrtypid = attr->atttypid;
1105 117654 : stats->attrtypmod = attr->atttypmod;
1106 117654 : stats->attrcollid = attr->attcollation;
1107 : }
1108 :
1109 117758 : typtuple = SearchSysCacheCopy1(TYPEOID,
1110 : ObjectIdGetDatum(stats->attrtypid));
1111 117758 : if (!HeapTupleIsValid(typtuple))
1112 0 : elog(ERROR, "cache lookup failed for type %u", stats->attrtypid);
1113 117758 : stats->attrtype = (Form_pg_type) GETSTRUCT(typtuple);
1114 117758 : stats->anl_context = anl_context;
1115 117758 : stats->tupattnum = attnum;
1116 :
1117 : /*
1118 : * The fields describing the stats->stavalues[n] element types default to
1119 : * the type of the data being analyzed, but the type-specific typanalyze
1120 : * function can change them if it wants to store something else.
1121 : */
1122 706548 : for (i = 0; i < STATISTIC_NUM_SLOTS; i++)
1123 : {
1124 588790 : stats->statypid[i] = stats->attrtypid;
1125 588790 : stats->statyplen[i] = stats->attrtype->typlen;
1126 588790 : stats->statypbyval[i] = stats->attrtype->typbyval;
1127 588790 : stats->statypalign[i] = stats->attrtype->typalign;
1128 : }
1129 :
1130 : /*
1131 : * Call the type-specific typanalyze function. If none is specified, use
1132 : * std_typanalyze().
1133 : */
1134 117758 : if (OidIsValid(stats->attrtype->typanalyze))
1135 7592 : ok = DatumGetBool(OidFunctionCall1(stats->attrtype->typanalyze,
1136 : PointerGetDatum(stats)));
1137 : else
1138 110166 : ok = std_typanalyze(stats);
1139 :
1140 117758 : if (!ok || stats->compute_stats == NULL || stats->minrows <= 0)
1141 : {
1142 0 : heap_freetuple(typtuple);
1143 0 : pfree(stats);
1144 0 : return NULL;
1145 : }
1146 :
1147 117758 : return stats;
1148 : }
1149 :
1150 : /*
1151 : * Read stream callback returning the next BlockNumber as chosen by the
1152 : * BlockSampling algorithm.
1153 : */
1154 : static BlockNumber
1155 152616 : block_sampling_read_stream_next(ReadStream *stream,
1156 : void *callback_private_data,
1157 : void *per_buffer_data)
1158 : {
1159 152616 : BlockSamplerData *bs = callback_private_data;
1160 :
1161 152616 : return BlockSampler_HasMore(bs) ? BlockSampler_Next(bs) : InvalidBlockNumber;
1162 : }
1163 :
1164 : /*
1165 : * acquire_sample_rows -- acquire a random sample of rows from the table
1166 : *
1167 : * Selected rows are returned in the caller-allocated array rows[], which
1168 : * must have at least targrows entries.
1169 : * The actual number of rows selected is returned as the function result.
1170 : * We also estimate the total numbers of live and dead rows in the table,
1171 : * and return them into *totalrows and *totaldeadrows, respectively.
1172 : *
1173 : * The returned list of tuples is in order by physical position in the table.
1174 : * (We will rely on this later to derive correlation estimates.)
1175 : *
1176 : * As of May 2004 we use a new two-stage method: Stage one selects up
1177 : * to targrows random blocks (or all blocks, if there aren't so many).
1178 : * Stage two scans these blocks and uses the Vitter algorithm to create
1179 : * a random sample of targrows rows (or less, if there are less in the
1180 : * sample of blocks). The two stages are executed simultaneously: each
1181 : * block is processed as soon as stage one returns its number and while
1182 : * the rows are read stage two controls which ones are to be inserted
1183 : * into the sample.
1184 : *
1185 : * Although every row has an equal chance of ending up in the final
1186 : * sample, this sampling method is not perfect: not every possible
1187 : * sample has an equal chance of being selected. For large relations
1188 : * the number of different blocks represented by the sample tends to be
1189 : * too small. We can live with that for now. Improvements are welcome.
1190 : *
1191 : * An important property of this sampling method is that because we do
1192 : * look at a statistically unbiased set of blocks, we should get
1193 : * unbiased estimates of the average numbers of live and dead rows per
1194 : * block. The previous sampling method put too much credence in the row
1195 : * density near the start of the table.
1196 : */
1197 : static int
1198 17340 : acquire_sample_rows(Relation onerel, int elevel,
1199 : HeapTuple *rows, int targrows,
1200 : double *totalrows, double *totaldeadrows)
1201 : {
1202 17340 : int numrows = 0; /* # rows now in reservoir */
1203 17340 : double samplerows = 0; /* total # rows collected */
1204 17340 : double liverows = 0; /* # live rows seen */
1205 17340 : double deadrows = 0; /* # dead rows seen */
1206 17340 : double rowstoskip = -1; /* -1 means not set yet */
1207 : uint32 randseed; /* Seed for block sampler(s) */
1208 : BlockNumber totalblocks;
1209 : TransactionId OldestXmin;
1210 : BlockSamplerData bs;
1211 : ReservoirStateData rstate;
1212 : TupleTableSlot *slot;
1213 : TableScanDesc scan;
1214 : BlockNumber nblocks;
1215 17340 : BlockNumber blksdone = 0;
1216 : ReadStream *stream;
1217 :
1218 : Assert(targrows > 0);
1219 :
1220 17340 : totalblocks = RelationGetNumberOfBlocks(onerel);
1221 :
1222 : /* Need a cutoff xmin for HeapTupleSatisfiesVacuum */
1223 17340 : OldestXmin = GetOldestNonRemovableTransactionId(onerel);
1224 :
1225 : /* Prepare for sampling block numbers */
1226 17340 : randseed = pg_prng_uint32(&pg_global_prng_state);
1227 17340 : nblocks = BlockSampler_Init(&bs, totalblocks, targrows, randseed);
1228 :
1229 : /* Report sampling block numbers */
1230 17340 : pgstat_progress_update_param(PROGRESS_ANALYZE_BLOCKS_TOTAL,
1231 : nblocks);
1232 :
1233 : /* Prepare for sampling rows */
1234 17340 : reservoir_init_selection_state(&rstate, targrows);
1235 :
1236 17340 : scan = table_beginscan_analyze(onerel);
1237 17340 : slot = table_slot_create(onerel, NULL);
1238 :
1239 : /*
1240 : * It is safe to use batching, as block_sampling_read_stream_next never
1241 : * blocks.
1242 : */
1243 17340 : stream = read_stream_begin_relation(READ_STREAM_MAINTENANCE |
1244 : READ_STREAM_USE_BATCHING,
1245 : vac_strategy,
1246 : scan->rs_rd,
1247 : MAIN_FORKNUM,
1248 : block_sampling_read_stream_next,
1249 : &bs,
1250 : 0);
1251 :
1252 : /* Outer loop over blocks to sample */
1253 152616 : while (table_scan_analyze_next_block(scan, stream))
1254 : {
1255 135276 : vacuum_delay_point(true);
1256 :
1257 10560290 : while (table_scan_analyze_next_tuple(scan, OldestXmin, &liverows, &deadrows, slot))
1258 : {
1259 : /*
1260 : * The first targrows sample rows are simply copied into the
1261 : * reservoir. Then we start replacing tuples in the sample until
1262 : * we reach the end of the relation. This algorithm is from Jeff
1263 : * Vitter's paper (see full citation in utils/misc/sampling.c). It
1264 : * works by repeatedly computing the number of tuples to skip
1265 : * before selecting a tuple, which replaces a randomly chosen
1266 : * element of the reservoir (current set of tuples). At all times
1267 : * the reservoir is a true random sample of the tuples we've
1268 : * passed over so far, so when we fall off the end of the relation
1269 : * we're done.
1270 : */
1271 10425014 : if (numrows < targrows)
1272 10172100 : rows[numrows++] = ExecCopySlotHeapTuple(slot);
1273 : else
1274 : {
1275 : /*
1276 : * t in Vitter's paper is the number of records already
1277 : * processed. If we need to compute a new S value, we must
1278 : * use the not-yet-incremented value of samplerows as t.
1279 : */
1280 252914 : if (rowstoskip < 0)
1281 115766 : rowstoskip = reservoir_get_next_S(&rstate, samplerows, targrows);
1282 :
1283 252914 : if (rowstoskip <= 0)
1284 : {
1285 : /*
1286 : * Found a suitable tuple, so save it, replacing one old
1287 : * tuple at random
1288 : */
1289 115716 : int k = (int) (targrows * sampler_random_fract(&rstate.randstate));
1290 :
1291 : Assert(k >= 0 && k < targrows);
1292 115716 : heap_freetuple(rows[k]);
1293 115716 : rows[k] = ExecCopySlotHeapTuple(slot);
1294 : }
1295 :
1296 252914 : rowstoskip -= 1;
1297 : }
1298 :
1299 10425014 : samplerows += 1;
1300 : }
1301 :
1302 135276 : pgstat_progress_update_param(PROGRESS_ANALYZE_BLOCKS_DONE,
1303 : ++blksdone);
1304 : }
1305 :
1306 17340 : read_stream_end(stream);
1307 :
1308 17340 : ExecDropSingleTupleTableSlot(slot);
1309 17340 : table_endscan(scan);
1310 :
1311 : /*
1312 : * If we didn't find as many tuples as we wanted then we're done. No sort
1313 : * is needed, since they're already in order.
1314 : *
1315 : * Otherwise we need to sort the collected tuples by position
1316 : * (itempointer). It's not worth worrying about corner cases where the
1317 : * tuples are already sorted.
1318 : */
1319 17340 : if (numrows == targrows)
1320 162 : qsort_interruptible(rows, numrows, sizeof(HeapTuple),
1321 : compare_rows, NULL);
1322 :
1323 : /*
1324 : * Estimate total numbers of live and dead rows in relation, extrapolating
1325 : * on the assumption that the average tuple density in pages we didn't
1326 : * scan is the same as in the pages we did scan. Since what we scanned is
1327 : * a random sample of the pages in the relation, this should be a good
1328 : * assumption.
1329 : */
1330 17340 : if (bs.m > 0)
1331 : {
1332 12172 : *totalrows = floor((liverows / bs.m) * totalblocks + 0.5);
1333 12172 : *totaldeadrows = floor((deadrows / bs.m) * totalblocks + 0.5);
1334 : }
1335 : else
1336 : {
1337 5168 : *totalrows = 0.0;
1338 5168 : *totaldeadrows = 0.0;
1339 : }
1340 :
1341 : /*
1342 : * Emit some interesting relation info
1343 : */
1344 17340 : ereport(elevel,
1345 : (errmsg("\"%s\": scanned %d of %u pages, "
1346 : "containing %.0f live rows and %.0f dead rows; "
1347 : "%d rows in sample, %.0f estimated total rows",
1348 : RelationGetRelationName(onerel),
1349 : bs.m, totalblocks,
1350 : liverows, deadrows,
1351 : numrows, *totalrows)));
1352 :
1353 17340 : return numrows;
1354 : }
1355 :
1356 : /*
1357 : * Comparator for sorting rows[] array
1358 : */
1359 : static int
1360 4023770 : compare_rows(const void *a, const void *b, void *arg)
1361 : {
1362 4023770 : HeapTuple ha = *(const HeapTuple *) a;
1363 4023770 : HeapTuple hb = *(const HeapTuple *) b;
1364 4023770 : BlockNumber ba = ItemPointerGetBlockNumber(&ha->t_self);
1365 4023770 : OffsetNumber oa = ItemPointerGetOffsetNumber(&ha->t_self);
1366 4023770 : BlockNumber bb = ItemPointerGetBlockNumber(&hb->t_self);
1367 4023770 : OffsetNumber ob = ItemPointerGetOffsetNumber(&hb->t_self);
1368 :
1369 4023770 : if (ba < bb)
1370 914710 : return -1;
1371 3109060 : if (ba > bb)
1372 838204 : return 1;
1373 2270856 : if (oa < ob)
1374 1527142 : return -1;
1375 743714 : if (oa > ob)
1376 743714 : return 1;
1377 0 : return 0;
1378 : }
1379 :
1380 :
1381 : /*
1382 : * acquire_inherited_sample_rows -- acquire sample rows from inheritance tree
1383 : *
1384 : * This has the same API as acquire_sample_rows, except that rows are
1385 : * collected from all inheritance children as well as the specified table.
1386 : * We fail and return zero if there are no inheritance children, or if all
1387 : * children are foreign tables that don't support ANALYZE.
1388 : */
1389 : static int
1390 878 : acquire_inherited_sample_rows(Relation onerel, int elevel,
1391 : HeapTuple *rows, int targrows,
1392 : double *totalrows, double *totaldeadrows)
1393 : {
1394 : List *tableOIDs;
1395 : Relation *rels;
1396 : AcquireSampleRowsFunc *acquirefuncs;
1397 : double *relblocks;
1398 : double totalblocks;
1399 : int numrows,
1400 : nrels,
1401 : i;
1402 : ListCell *lc;
1403 : bool has_child;
1404 :
1405 : /* Initialize output parameters to zero now, in case we exit early */
1406 878 : *totalrows = 0;
1407 878 : *totaldeadrows = 0;
1408 :
1409 : /*
1410 : * Find all members of inheritance set. We only need AccessShareLock on
1411 : * the children.
1412 : */
1413 : tableOIDs =
1414 878 : find_all_inheritors(RelationGetRelid(onerel), AccessShareLock, NULL);
1415 :
1416 : /*
1417 : * Check that there's at least one descendant, else fail. This could
1418 : * happen despite analyze_rel's relhassubclass check, if table once had a
1419 : * child but no longer does. In that case, we can clear the
1420 : * relhassubclass field so as not to make the same mistake again later.
1421 : * (This is safe because we hold ShareUpdateExclusiveLock.)
1422 : */
1423 878 : if (list_length(tableOIDs) < 2)
1424 : {
1425 : /* CCI because we already updated the pg_class row in this command */
1426 20 : CommandCounterIncrement();
1427 20 : SetRelationHasSubclass(RelationGetRelid(onerel), false);
1428 20 : ereport(elevel,
1429 : (errmsg("skipping analyze of \"%s.%s\" inheritance tree --- this inheritance tree contains no child tables",
1430 : get_namespace_name(RelationGetNamespace(onerel)),
1431 : RelationGetRelationName(onerel))));
1432 20 : return 0;
1433 : }
1434 :
1435 : /*
1436 : * Identify acquirefuncs to use, and count blocks in all the relations.
1437 : * The result could overflow BlockNumber, so we use double arithmetic.
1438 : */
1439 858 : rels = (Relation *) palloc(list_length(tableOIDs) * sizeof(Relation));
1440 : acquirefuncs = (AcquireSampleRowsFunc *)
1441 858 : palloc(list_length(tableOIDs) * sizeof(AcquireSampleRowsFunc));
1442 858 : relblocks = (double *) palloc(list_length(tableOIDs) * sizeof(double));
1443 858 : totalblocks = 0;
1444 858 : nrels = 0;
1445 858 : has_child = false;
1446 3926 : foreach(lc, tableOIDs)
1447 : {
1448 3068 : Oid childOID = lfirst_oid(lc);
1449 : Relation childrel;
1450 3068 : AcquireSampleRowsFunc acquirefunc = NULL;
1451 3068 : BlockNumber relpages = 0;
1452 :
1453 : /* We already got the needed lock */
1454 3068 : childrel = table_open(childOID, NoLock);
1455 :
1456 : /* Ignore if temp table of another backend */
1457 3068 : if (RELATION_IS_OTHER_TEMP(childrel))
1458 : {
1459 : /* ... but release the lock on it */
1460 : Assert(childrel != onerel);
1461 0 : table_close(childrel, AccessShareLock);
1462 822 : continue;
1463 : }
1464 :
1465 : /* Check table type (MATVIEW can't happen, but might as well allow) */
1466 3068 : if (childrel->rd_rel->relkind == RELKIND_RELATION ||
1467 852 : childrel->rd_rel->relkind == RELKIND_MATVIEW)
1468 : {
1469 : /* Regular table, so use the regular row acquisition function */
1470 2216 : acquirefunc = acquire_sample_rows;
1471 2216 : relpages = RelationGetNumberOfBlocks(childrel);
1472 : }
1473 852 : else if (childrel->rd_rel->relkind == RELKIND_FOREIGN_TABLE)
1474 : {
1475 : /*
1476 : * For a foreign table, call the FDW's hook function to see
1477 : * whether it supports analysis.
1478 : */
1479 : FdwRoutine *fdwroutine;
1480 30 : bool ok = false;
1481 :
1482 30 : fdwroutine = GetFdwRoutineForRelation(childrel, false);
1483 :
1484 30 : if (fdwroutine->AnalyzeForeignTable != NULL)
1485 30 : ok = fdwroutine->AnalyzeForeignTable(childrel,
1486 : &acquirefunc,
1487 : &relpages);
1488 :
1489 30 : if (!ok)
1490 : {
1491 : /* ignore, but release the lock on it */
1492 : Assert(childrel != onerel);
1493 0 : table_close(childrel, AccessShareLock);
1494 0 : continue;
1495 : }
1496 : }
1497 : else
1498 : {
1499 : /*
1500 : * ignore, but release the lock on it. don't try to unlock the
1501 : * passed-in relation
1502 : */
1503 : Assert(childrel->rd_rel->relkind == RELKIND_PARTITIONED_TABLE);
1504 822 : if (childrel != onerel)
1505 78 : table_close(childrel, AccessShareLock);
1506 : else
1507 744 : table_close(childrel, NoLock);
1508 822 : continue;
1509 : }
1510 :
1511 : /* OK, we'll process this child */
1512 2246 : has_child = true;
1513 2246 : rels[nrels] = childrel;
1514 2246 : acquirefuncs[nrels] = acquirefunc;
1515 2246 : relblocks[nrels] = (double) relpages;
1516 2246 : totalblocks += (double) relpages;
1517 2246 : nrels++;
1518 : }
1519 :
1520 : /*
1521 : * If we don't have at least one child table to consider, fail. If the
1522 : * relation is a partitioned table, it's not counted as a child table.
1523 : */
1524 858 : if (!has_child)
1525 : {
1526 0 : ereport(elevel,
1527 : (errmsg("skipping analyze of \"%s.%s\" inheritance tree --- this inheritance tree contains no analyzable child tables",
1528 : get_namespace_name(RelationGetNamespace(onerel)),
1529 : RelationGetRelationName(onerel))));
1530 0 : return 0;
1531 : }
1532 :
1533 : /*
1534 : * Now sample rows from each relation, proportionally to its fraction of
1535 : * the total block count. (This might be less than desirable if the child
1536 : * rels have radically different free-space percentages, but it's not
1537 : * clear that it's worth working harder.)
1538 : */
1539 858 : pgstat_progress_update_param(PROGRESS_ANALYZE_CHILD_TABLES_TOTAL,
1540 : nrels);
1541 858 : numrows = 0;
1542 3104 : for (i = 0; i < nrels; i++)
1543 : {
1544 2246 : Relation childrel = rels[i];
1545 2246 : AcquireSampleRowsFunc acquirefunc = acquirefuncs[i];
1546 2246 : double childblocks = relblocks[i];
1547 :
1548 : /*
1549 : * Report progress. The sampling function will normally report blocks
1550 : * done/total, but we need to reset them to 0 here, so that they don't
1551 : * show an old value until that.
1552 : */
1553 : {
1554 2246 : const int progress_index[] = {
1555 : PROGRESS_ANALYZE_CURRENT_CHILD_TABLE_RELID,
1556 : PROGRESS_ANALYZE_BLOCKS_DONE,
1557 : PROGRESS_ANALYZE_BLOCKS_TOTAL
1558 : };
1559 2246 : const int64 progress_vals[] = {
1560 2246 : RelationGetRelid(childrel),
1561 : 0,
1562 : 0,
1563 : };
1564 :
1565 2246 : pgstat_progress_update_multi_param(3, progress_index, progress_vals);
1566 : }
1567 :
1568 2246 : if (childblocks > 0)
1569 : {
1570 : int childtargrows;
1571 :
1572 2080 : childtargrows = (int) rint(targrows * childblocks / totalblocks);
1573 : /* Make sure we don't overrun due to roundoff error */
1574 2080 : childtargrows = Min(childtargrows, targrows - numrows);
1575 2080 : if (childtargrows > 0)
1576 : {
1577 : int childrows;
1578 : double trows,
1579 : tdrows;
1580 :
1581 : /* Fetch a random sample of the child's rows */
1582 2080 : childrows = (*acquirefunc) (childrel, elevel,
1583 2080 : rows + numrows, childtargrows,
1584 : &trows, &tdrows);
1585 :
1586 : /* We may need to convert from child's rowtype to parent's */
1587 2080 : if (childrows > 0 &&
1588 2080 : !equalRowTypes(RelationGetDescr(childrel),
1589 : RelationGetDescr(onerel)))
1590 : {
1591 : TupleConversionMap *map;
1592 :
1593 1990 : map = convert_tuples_by_name(RelationGetDescr(childrel),
1594 : RelationGetDescr(onerel));
1595 1990 : if (map != NULL)
1596 : {
1597 : int j;
1598 :
1599 106604 : for (j = 0; j < childrows; j++)
1600 : {
1601 : HeapTuple newtup;
1602 :
1603 106472 : newtup = execute_attr_map_tuple(rows[numrows + j], map);
1604 106472 : heap_freetuple(rows[numrows + j]);
1605 106472 : rows[numrows + j] = newtup;
1606 : }
1607 132 : free_conversion_map(map);
1608 : }
1609 : }
1610 :
1611 : /* And add to counts */
1612 2080 : numrows += childrows;
1613 2080 : *totalrows += trows;
1614 2080 : *totaldeadrows += tdrows;
1615 : }
1616 : }
1617 :
1618 : /*
1619 : * Note: we cannot release the child-table locks, since we may have
1620 : * pointers to their TOAST tables in the sampled rows.
1621 : */
1622 2246 : table_close(childrel, NoLock);
1623 2246 : pgstat_progress_update_param(PROGRESS_ANALYZE_CHILD_TABLES_DONE,
1624 2246 : i + 1);
1625 : }
1626 :
1627 858 : return numrows;
1628 : }
1629 :
1630 :
1631 : /*
1632 : * update_attstats() -- update attribute statistics for one relation
1633 : *
1634 : * Statistics are stored in several places: the pg_class row for the
1635 : * relation has stats about the whole relation, and there is a
1636 : * pg_statistic row for each (non-system) attribute that has ever
1637 : * been analyzed. The pg_class values are updated by VACUUM, not here.
1638 : *
1639 : * pg_statistic rows are just added or updated normally. This means
1640 : * that pg_statistic will probably contain some deleted rows at the
1641 : * completion of a vacuum cycle, unless it happens to get vacuumed last.
1642 : *
1643 : * To keep things simple, we punt for pg_statistic, and don't try
1644 : * to compute or store rows for pg_statistic itself in pg_statistic.
1645 : * This could possibly be made to work, but it's not worth the trouble.
1646 : * Note analyze_rel() has seen to it that we won't come here when
1647 : * vacuuming pg_statistic itself.
1648 : *
1649 : * Note: there would be a race condition here if two backends could
1650 : * ANALYZE the same table concurrently. Presently, we lock that out
1651 : * by taking a self-exclusive lock on the relation in analyze_rel().
1652 : */
1653 : static void
1654 24812 : update_attstats(Oid relid, bool inh, int natts, VacAttrStats **vacattrstats)
1655 : {
1656 : Relation sd;
1657 : int attno;
1658 24812 : CatalogIndexState indstate = NULL;
1659 :
1660 24812 : if (natts <= 0)
1661 13784 : return; /* nothing to do */
1662 :
1663 11028 : sd = table_open(StatisticRelationId, RowExclusiveLock);
1664 :
1665 97186 : for (attno = 0; attno < natts; attno++)
1666 : {
1667 86158 : VacAttrStats *stats = vacattrstats[attno];
1668 : HeapTuple stup,
1669 : oldtup;
1670 : int i,
1671 : k,
1672 : n;
1673 : Datum values[Natts_pg_statistic];
1674 : bool nulls[Natts_pg_statistic];
1675 : bool replaces[Natts_pg_statistic];
1676 :
1677 : /* Ignore attr if we weren't able to collect stats */
1678 86158 : if (!stats->stats_valid)
1679 6 : continue;
1680 :
1681 : /*
1682 : * Construct a new pg_statistic tuple
1683 : */
1684 2756864 : for (i = 0; i < Natts_pg_statistic; ++i)
1685 : {
1686 2670712 : nulls[i] = false;
1687 2670712 : replaces[i] = true;
1688 : }
1689 :
1690 86152 : values[Anum_pg_statistic_starelid - 1] = ObjectIdGetDatum(relid);
1691 86152 : values[Anum_pg_statistic_staattnum - 1] = Int16GetDatum(stats->tupattnum);
1692 86152 : values[Anum_pg_statistic_stainherit - 1] = BoolGetDatum(inh);
1693 86152 : values[Anum_pg_statistic_stanullfrac - 1] = Float4GetDatum(stats->stanullfrac);
1694 86152 : values[Anum_pg_statistic_stawidth - 1] = Int32GetDatum(stats->stawidth);
1695 86152 : values[Anum_pg_statistic_stadistinct - 1] = Float4GetDatum(stats->stadistinct);
1696 86152 : i = Anum_pg_statistic_stakind1 - 1;
1697 516912 : for (k = 0; k < STATISTIC_NUM_SLOTS; k++)
1698 : {
1699 430760 : values[i++] = Int16GetDatum(stats->stakind[k]); /* stakindN */
1700 : }
1701 86152 : i = Anum_pg_statistic_staop1 - 1;
1702 516912 : for (k = 0; k < STATISTIC_NUM_SLOTS; k++)
1703 : {
1704 430760 : values[i++] = ObjectIdGetDatum(stats->staop[k]); /* staopN */
1705 : }
1706 86152 : i = Anum_pg_statistic_stacoll1 - 1;
1707 516912 : for (k = 0; k < STATISTIC_NUM_SLOTS; k++)
1708 : {
1709 430760 : values[i++] = ObjectIdGetDatum(stats->stacoll[k]); /* stacollN */
1710 : }
1711 86152 : i = Anum_pg_statistic_stanumbers1 - 1;
1712 516912 : for (k = 0; k < STATISTIC_NUM_SLOTS; k++)
1713 : {
1714 430760 : if (stats->stanumbers[k] != NULL)
1715 : {
1716 134728 : int nnum = stats->numnumbers[k];
1717 134728 : Datum *numdatums = (Datum *) palloc(nnum * sizeof(Datum));
1718 : ArrayType *arry;
1719 :
1720 1115296 : for (n = 0; n < nnum; n++)
1721 980568 : numdatums[n] = Float4GetDatum(stats->stanumbers[k][n]);
1722 134728 : arry = construct_array_builtin(numdatums, nnum, FLOAT4OID);
1723 134728 : values[i++] = PointerGetDatum(arry); /* stanumbersN */
1724 : }
1725 : else
1726 : {
1727 296032 : nulls[i] = true;
1728 296032 : values[i++] = (Datum) 0;
1729 : }
1730 : }
1731 86152 : i = Anum_pg_statistic_stavalues1 - 1;
1732 516912 : for (k = 0; k < STATISTIC_NUM_SLOTS; k++)
1733 : {
1734 430760 : if (stats->stavalues[k] != NULL)
1735 : {
1736 : ArrayType *arry;
1737 :
1738 94824 : arry = construct_array(stats->stavalues[k],
1739 : stats->numvalues[k],
1740 : stats->statypid[k],
1741 94824 : stats->statyplen[k],
1742 94824 : stats->statypbyval[k],
1743 94824 : stats->statypalign[k]);
1744 94824 : values[i++] = PointerGetDatum(arry); /* stavaluesN */
1745 : }
1746 : else
1747 : {
1748 335936 : nulls[i] = true;
1749 335936 : values[i++] = (Datum) 0;
1750 : }
1751 : }
1752 :
1753 : /* Is there already a pg_statistic tuple for this attribute? */
1754 172304 : oldtup = SearchSysCache3(STATRELATTINH,
1755 : ObjectIdGetDatum(relid),
1756 86152 : Int16GetDatum(stats->tupattnum),
1757 : BoolGetDatum(inh));
1758 :
1759 : /* Open index information when we know we need it */
1760 86152 : if (indstate == NULL)
1761 11022 : indstate = CatalogOpenIndexes(sd);
1762 :
1763 86152 : if (HeapTupleIsValid(oldtup))
1764 : {
1765 : /* Yes, replace it */
1766 38554 : stup = heap_modify_tuple(oldtup,
1767 : RelationGetDescr(sd),
1768 : values,
1769 : nulls,
1770 : replaces);
1771 38554 : ReleaseSysCache(oldtup);
1772 38554 : CatalogTupleUpdateWithInfo(sd, &stup->t_self, stup, indstate);
1773 : }
1774 : else
1775 : {
1776 : /* No, insert new tuple */
1777 47598 : stup = heap_form_tuple(RelationGetDescr(sd), values, nulls);
1778 47598 : CatalogTupleInsertWithInfo(sd, stup, indstate);
1779 : }
1780 :
1781 86152 : heap_freetuple(stup);
1782 : }
1783 :
1784 11028 : if (indstate != NULL)
1785 11022 : CatalogCloseIndexes(indstate);
1786 11028 : table_close(sd, RowExclusiveLock);
1787 : }
1788 :
1789 : /*
1790 : * Standard fetch function for use by compute_stats subroutines.
1791 : *
1792 : * This exists to provide some insulation between compute_stats routines
1793 : * and the actual storage of the sample data.
1794 : */
1795 : static Datum
1796 81967386 : std_fetch_func(VacAttrStatsP stats, int rownum, bool *isNull)
1797 : {
1798 81967386 : int attnum = stats->tupattnum;
1799 81967386 : HeapTuple tuple = stats->rows[rownum];
1800 81967386 : TupleDesc tupDesc = stats->tupDesc;
1801 :
1802 81967386 : return heap_getattr(tuple, attnum, tupDesc, isNull);
1803 : }
1804 :
1805 : /*
1806 : * Fetch function for analyzing index expressions.
1807 : *
1808 : * We have not bothered to construct index tuples, instead the data is
1809 : * just in Datum arrays.
1810 : */
1811 : static Datum
1812 75044 : ind_fetch_func(VacAttrStatsP stats, int rownum, bool *isNull)
1813 : {
1814 : int i;
1815 :
1816 : /* exprvals and exprnulls are already offset for proper column */
1817 75044 : i = rownum * stats->rowstride;
1818 75044 : *isNull = stats->exprnulls[i];
1819 75044 : return stats->exprvals[i];
1820 : }
1821 :
1822 :
1823 : /*==========================================================================
1824 : *
1825 : * Code below this point represents the "standard" type-specific statistics
1826 : * analysis algorithms. This code can be replaced on a per-data-type basis
1827 : * by setting a nonzero value in pg_type.typanalyze.
1828 : *
1829 : *==========================================================================
1830 : */
1831 :
1832 :
1833 : /*
1834 : * To avoid consuming too much memory during analysis and/or too much space
1835 : * in the resulting pg_statistic rows, we ignore varlena datums that are wider
1836 : * than WIDTH_THRESHOLD (after detoasting!). This is legitimate for MCV
1837 : * and distinct-value calculations since a wide value is unlikely to be
1838 : * duplicated at all, much less be a most-common value. For the same reason,
1839 : * ignoring wide values will not affect our estimates of histogram bin
1840 : * boundaries very much.
1841 : */
1842 : #define WIDTH_THRESHOLD 1024
1843 :
1844 : #define swapInt(a,b) do {int _tmp; _tmp=a; a=b; b=_tmp;} while(0)
1845 : #define swapDatum(a,b) do {Datum _tmp; _tmp=a; a=b; b=_tmp;} while(0)
1846 :
1847 : /*
1848 : * Extra information used by the default analysis routines
1849 : */
1850 : typedef struct
1851 : {
1852 : int count; /* # of duplicates */
1853 : int first; /* values[] index of first occurrence */
1854 : } ScalarMCVItem;
1855 :
1856 : typedef struct
1857 : {
1858 : SortSupport ssup;
1859 : int *tupnoLink;
1860 : } CompareScalarsContext;
1861 :
1862 :
1863 : static void compute_trivial_stats(VacAttrStatsP stats,
1864 : AnalyzeAttrFetchFunc fetchfunc,
1865 : int samplerows,
1866 : double totalrows);
1867 : static void compute_distinct_stats(VacAttrStatsP stats,
1868 : AnalyzeAttrFetchFunc fetchfunc,
1869 : int samplerows,
1870 : double totalrows);
1871 : static void compute_scalar_stats(VacAttrStatsP stats,
1872 : AnalyzeAttrFetchFunc fetchfunc,
1873 : int samplerows,
1874 : double totalrows);
1875 : static int compare_scalars(const void *a, const void *b, void *arg);
1876 : static int compare_mcvs(const void *a, const void *b, void *arg);
1877 : static int analyze_mcv_list(int *mcv_counts,
1878 : int num_mcv,
1879 : double stadistinct,
1880 : double stanullfrac,
1881 : int samplerows,
1882 : double totalrows);
1883 :
1884 :
1885 : /*
1886 : * std_typanalyze -- the default type-specific typanalyze function
1887 : */
1888 : bool
1889 118940 : std_typanalyze(VacAttrStats *stats)
1890 : {
1891 : Oid ltopr;
1892 : Oid eqopr;
1893 : StdAnalyzeData *mystats;
1894 :
1895 : /* If the attstattarget column is negative, use the default value */
1896 118940 : if (stats->attstattarget < 0)
1897 118322 : stats->attstattarget = default_statistics_target;
1898 :
1899 : /* Look for default "<" and "=" operators for column's type */
1900 118940 : get_sort_group_operators(stats->attrtypid,
1901 : false, false, false,
1902 : <opr, &eqopr, NULL,
1903 : NULL);
1904 :
1905 : /* Save the operator info for compute_stats routines */
1906 118940 : mystats = (StdAnalyzeData *) palloc(sizeof(StdAnalyzeData));
1907 118940 : mystats->eqopr = eqopr;
1908 118940 : mystats->eqfunc = OidIsValid(eqopr) ? get_opcode(eqopr) : InvalidOid;
1909 118940 : mystats->ltopr = ltopr;
1910 118940 : stats->extra_data = mystats;
1911 :
1912 : /*
1913 : * Determine which standard statistics algorithm to use
1914 : */
1915 118940 : if (OidIsValid(eqopr) && OidIsValid(ltopr))
1916 : {
1917 : /* Seems to be a scalar datatype */
1918 115276 : stats->compute_stats = compute_scalar_stats;
1919 : /*--------------------
1920 : * The following choice of minrows is based on the paper
1921 : * "Random sampling for histogram construction: how much is enough?"
1922 : * by Surajit Chaudhuri, Rajeev Motwani and Vivek Narasayya, in
1923 : * Proceedings of ACM SIGMOD International Conference on Management
1924 : * of Data, 1998, Pages 436-447. Their Corollary 1 to Theorem 5
1925 : * says that for table size n, histogram size k, maximum relative
1926 : * error in bin size f, and error probability gamma, the minimum
1927 : * random sample size is
1928 : * r = 4 * k * ln(2*n/gamma) / f^2
1929 : * Taking f = 0.5, gamma = 0.01, n = 10^6 rows, we obtain
1930 : * r = 305.82 * k
1931 : * Note that because of the log function, the dependence on n is
1932 : * quite weak; even at n = 10^12, a 300*k sample gives <= 0.66
1933 : * bin size error with probability 0.99. So there's no real need to
1934 : * scale for n, which is a good thing because we don't necessarily
1935 : * know it at this point.
1936 : *--------------------
1937 : */
1938 115276 : stats->minrows = 300 * stats->attstattarget;
1939 : }
1940 3664 : else if (OidIsValid(eqopr))
1941 : {
1942 : /* We can still recognize distinct values */
1943 3158 : stats->compute_stats = compute_distinct_stats;
1944 : /* Might as well use the same minrows as above */
1945 3158 : stats->minrows = 300 * stats->attstattarget;
1946 : }
1947 : else
1948 : {
1949 : /* Can't do much but the trivial stuff */
1950 506 : stats->compute_stats = compute_trivial_stats;
1951 : /* Might as well use the same minrows as above */
1952 506 : stats->minrows = 300 * stats->attstattarget;
1953 : }
1954 :
1955 118940 : return true;
1956 : }
1957 :
1958 :
1959 : /*
1960 : * compute_trivial_stats() -- compute very basic column statistics
1961 : *
1962 : * We use this when we cannot find a hash "=" operator for the datatype.
1963 : *
1964 : * We determine the fraction of non-null rows and the average datum width.
1965 : */
1966 : static void
1967 340 : compute_trivial_stats(VacAttrStatsP stats,
1968 : AnalyzeAttrFetchFunc fetchfunc,
1969 : int samplerows,
1970 : double totalrows)
1971 : {
1972 : int i;
1973 340 : int null_cnt = 0;
1974 340 : int nonnull_cnt = 0;
1975 340 : double total_width = 0;
1976 680 : bool is_varlena = (!stats->attrtype->typbyval &&
1977 340 : stats->attrtype->typlen == -1);
1978 680 : bool is_varwidth = (!stats->attrtype->typbyval &&
1979 340 : stats->attrtype->typlen < 0);
1980 :
1981 1041598 : for (i = 0; i < samplerows; i++)
1982 : {
1983 : Datum value;
1984 : bool isnull;
1985 :
1986 1041258 : vacuum_delay_point(true);
1987 :
1988 1041258 : value = fetchfunc(stats, i, &isnull);
1989 :
1990 : /* Check for null/nonnull */
1991 1041258 : if (isnull)
1992 : {
1993 632382 : null_cnt++;
1994 632382 : continue;
1995 : }
1996 408876 : nonnull_cnt++;
1997 :
1998 : /*
1999 : * If it's a variable-width field, add up widths for average width
2000 : * calculation. Note that if the value is toasted, we use the toasted
2001 : * width. We don't bother with this calculation if it's a fixed-width
2002 : * type.
2003 : */
2004 408876 : if (is_varlena)
2005 : {
2006 79884 : total_width += VARSIZE_ANY(DatumGetPointer(value));
2007 : }
2008 328992 : else if (is_varwidth)
2009 : {
2010 : /* must be cstring */
2011 0 : total_width += strlen(DatumGetCString(value)) + 1;
2012 : }
2013 : }
2014 :
2015 : /* We can only compute average width if we found some non-null values. */
2016 340 : if (nonnull_cnt > 0)
2017 : {
2018 148 : stats->stats_valid = true;
2019 : /* Do the simple null-frac and width stats */
2020 148 : stats->stanullfrac = (double) null_cnt / (double) samplerows;
2021 148 : if (is_varwidth)
2022 68 : stats->stawidth = total_width / (double) nonnull_cnt;
2023 : else
2024 80 : stats->stawidth = stats->attrtype->typlen;
2025 148 : stats->stadistinct = 0.0; /* "unknown" */
2026 : }
2027 192 : else if (null_cnt > 0)
2028 : {
2029 : /* We found only nulls; assume the column is entirely null */
2030 192 : stats->stats_valid = true;
2031 192 : stats->stanullfrac = 1.0;
2032 192 : if (is_varwidth)
2033 192 : stats->stawidth = 0; /* "unknown" */
2034 : else
2035 0 : stats->stawidth = stats->attrtype->typlen;
2036 192 : stats->stadistinct = 0.0; /* "unknown" */
2037 : }
2038 340 : }
2039 :
2040 :
2041 : /*
2042 : * compute_distinct_stats() -- compute column statistics including ndistinct
2043 : *
2044 : * We use this when we can find only an "=" operator for the datatype.
2045 : *
2046 : * We determine the fraction of non-null rows, the average width, the
2047 : * most common values, and the (estimated) number of distinct values.
2048 : *
2049 : * The most common values are determined by brute force: we keep a list
2050 : * of previously seen values, ordered by number of times seen, as we scan
2051 : * the samples. A newly seen value is inserted just after the last
2052 : * multiply-seen value, causing the bottommost (oldest) singly-seen value
2053 : * to drop off the list. The accuracy of this method, and also its cost,
2054 : * depend mainly on the length of the list we are willing to keep.
2055 : */
2056 : static void
2057 2314 : compute_distinct_stats(VacAttrStatsP stats,
2058 : AnalyzeAttrFetchFunc fetchfunc,
2059 : int samplerows,
2060 : double totalrows)
2061 : {
2062 : int i;
2063 2314 : int null_cnt = 0;
2064 2314 : int nonnull_cnt = 0;
2065 2314 : int toowide_cnt = 0;
2066 2314 : double total_width = 0;
2067 3912 : bool is_varlena = (!stats->attrtype->typbyval &&
2068 1598 : stats->attrtype->typlen == -1);
2069 3912 : bool is_varwidth = (!stats->attrtype->typbyval &&
2070 1598 : stats->attrtype->typlen < 0);
2071 : FmgrInfo f_cmpeq;
2072 : typedef struct
2073 : {
2074 : Datum value;
2075 : int count;
2076 : } TrackItem;
2077 : TrackItem *track;
2078 : int track_cnt,
2079 : track_max;
2080 2314 : int num_mcv = stats->attstattarget;
2081 2314 : StdAnalyzeData *mystats = (StdAnalyzeData *) stats->extra_data;
2082 :
2083 : /*
2084 : * We track up to 2*n values for an n-element MCV list; but at least 10
2085 : */
2086 2314 : track_max = 2 * num_mcv;
2087 2314 : if (track_max < 10)
2088 78 : track_max = 10;
2089 2314 : track = (TrackItem *) palloc(track_max * sizeof(TrackItem));
2090 2314 : track_cnt = 0;
2091 :
2092 2314 : fmgr_info(mystats->eqfunc, &f_cmpeq);
2093 :
2094 1611914 : for (i = 0; i < samplerows; i++)
2095 : {
2096 : Datum value;
2097 : bool isnull;
2098 : bool match;
2099 : int firstcount1,
2100 : j;
2101 :
2102 1609600 : vacuum_delay_point(true);
2103 :
2104 1609600 : value = fetchfunc(stats, i, &isnull);
2105 :
2106 : /* Check for null/nonnull */
2107 1609600 : if (isnull)
2108 : {
2109 1343284 : null_cnt++;
2110 1343284 : continue;
2111 : }
2112 266316 : nonnull_cnt++;
2113 :
2114 : /*
2115 : * If it's a variable-width field, add up widths for average width
2116 : * calculation. Note that if the value is toasted, we use the toasted
2117 : * width. We don't bother with this calculation if it's a fixed-width
2118 : * type.
2119 : */
2120 266316 : if (is_varlena)
2121 : {
2122 97488 : total_width += VARSIZE_ANY(DatumGetPointer(value));
2123 :
2124 : /*
2125 : * If the value is toasted, we want to detoast it just once to
2126 : * avoid repeated detoastings and resultant excess memory usage
2127 : * during the comparisons. Also, check to see if the value is
2128 : * excessively wide, and if so don't detoast at all --- just
2129 : * ignore the value.
2130 : */
2131 97488 : if (toast_raw_datum_size(value) > WIDTH_THRESHOLD)
2132 : {
2133 0 : toowide_cnt++;
2134 0 : continue;
2135 : }
2136 97488 : value = PointerGetDatum(PG_DETOAST_DATUM(value));
2137 : }
2138 168828 : else if (is_varwidth)
2139 : {
2140 : /* must be cstring */
2141 0 : total_width += strlen(DatumGetCString(value)) + 1;
2142 : }
2143 :
2144 : /*
2145 : * See if the value matches anything we're already tracking.
2146 : */
2147 266316 : match = false;
2148 266316 : firstcount1 = track_cnt;
2149 520784 : for (j = 0; j < track_cnt; j++)
2150 : {
2151 513756 : if (DatumGetBool(FunctionCall2Coll(&f_cmpeq,
2152 : stats->attrcollid,
2153 513756 : value, track[j].value)))
2154 : {
2155 259288 : match = true;
2156 259288 : break;
2157 : }
2158 254468 : if (j < firstcount1 && track[j].count == 1)
2159 4646 : firstcount1 = j;
2160 : }
2161 :
2162 266316 : if (match)
2163 : {
2164 : /* Found a match */
2165 259288 : track[j].count++;
2166 : /* This value may now need to "bubble up" in the track list */
2167 266184 : while (j > 0 && track[j].count > track[j - 1].count)
2168 : {
2169 6896 : swapDatum(track[j].value, track[j - 1].value);
2170 6896 : swapInt(track[j].count, track[j - 1].count);
2171 6896 : j--;
2172 : }
2173 : }
2174 : else
2175 : {
2176 : /* No match. Insert at head of count-1 list */
2177 7028 : if (track_cnt < track_max)
2178 6876 : track_cnt++;
2179 109838 : for (j = track_cnt - 1; j > firstcount1; j--)
2180 : {
2181 102810 : track[j].value = track[j - 1].value;
2182 102810 : track[j].count = track[j - 1].count;
2183 : }
2184 7028 : if (firstcount1 < track_cnt)
2185 : {
2186 7028 : track[firstcount1].value = value;
2187 7028 : track[firstcount1].count = 1;
2188 : }
2189 : }
2190 : }
2191 :
2192 : /* We can only compute real stats if we found some non-null values. */
2193 2314 : if (nonnull_cnt > 0)
2194 : {
2195 : int nmultiple,
2196 : summultiple;
2197 :
2198 1694 : stats->stats_valid = true;
2199 : /* Do the simple null-frac and width stats */
2200 1694 : stats->stanullfrac = (double) null_cnt / (double) samplerows;
2201 1694 : if (is_varwidth)
2202 978 : stats->stawidth = total_width / (double) nonnull_cnt;
2203 : else
2204 716 : stats->stawidth = stats->attrtype->typlen;
2205 :
2206 : /* Count the number of values we found multiple times */
2207 1694 : summultiple = 0;
2208 6288 : for (nmultiple = 0; nmultiple < track_cnt; nmultiple++)
2209 : {
2210 5462 : if (track[nmultiple].count == 1)
2211 868 : break;
2212 4594 : summultiple += track[nmultiple].count;
2213 : }
2214 :
2215 1694 : if (nmultiple == 0)
2216 : {
2217 : /*
2218 : * If we found no repeated non-null values, assume it's a unique
2219 : * column; but be sure to discount for any nulls we found.
2220 : */
2221 196 : stats->stadistinct = -1.0 * (1.0 - stats->stanullfrac);
2222 : }
2223 1498 : else if (track_cnt < track_max && toowide_cnt == 0 &&
2224 : nmultiple == track_cnt)
2225 : {
2226 : /*
2227 : * Our track list includes every value in the sample, and every
2228 : * value appeared more than once. Assume the column has just
2229 : * these values. (This case is meant to address columns with
2230 : * small, fixed sets of possible values, such as boolean or enum
2231 : * columns. If there are any values that appear just once in the
2232 : * sample, including too-wide values, we should assume that that's
2233 : * not what we're dealing with.)
2234 : */
2235 826 : stats->stadistinct = track_cnt;
2236 : }
2237 : else
2238 : {
2239 : /*----------
2240 : * Estimate the number of distinct values using the estimator
2241 : * proposed by Haas and Stokes in IBM Research Report RJ 10025:
2242 : * n*d / (n - f1 + f1*n/N)
2243 : * where f1 is the number of distinct values that occurred
2244 : * exactly once in our sample of n rows (from a total of N),
2245 : * and d is the total number of distinct values in the sample.
2246 : * This is their Duj1 estimator; the other estimators they
2247 : * recommend are considerably more complex, and are numerically
2248 : * very unstable when n is much smaller than N.
2249 : *
2250 : * In this calculation, we consider only non-nulls. We used to
2251 : * include rows with null values in the n and N counts, but that
2252 : * leads to inaccurate answers in columns with many nulls, and
2253 : * it's intuitively bogus anyway considering the desired result is
2254 : * the number of distinct non-null values.
2255 : *
2256 : * We assume (not very reliably!) that all the multiply-occurring
2257 : * values are reflected in the final track[] list, and the other
2258 : * nonnull values all appeared but once. (XXX this usually
2259 : * results in a drastic overestimate of ndistinct. Can we do
2260 : * any better?)
2261 : *----------
2262 : */
2263 672 : int f1 = nonnull_cnt - summultiple;
2264 672 : int d = f1 + nmultiple;
2265 672 : double n = samplerows - null_cnt;
2266 672 : double N = totalrows * (1.0 - stats->stanullfrac);
2267 : double stadistinct;
2268 :
2269 : /* N == 0 shouldn't happen, but just in case ... */
2270 672 : if (N > 0)
2271 672 : stadistinct = (n * d) / ((n - f1) + f1 * n / N);
2272 : else
2273 0 : stadistinct = 0;
2274 :
2275 : /* Clamp to sane range in case of roundoff error */
2276 672 : if (stadistinct < d)
2277 182 : stadistinct = d;
2278 672 : if (stadistinct > N)
2279 0 : stadistinct = N;
2280 : /* And round to integer */
2281 672 : stats->stadistinct = floor(stadistinct + 0.5);
2282 : }
2283 :
2284 : /*
2285 : * If we estimated the number of distinct values at more than 10% of
2286 : * the total row count (a very arbitrary limit), then assume that
2287 : * stadistinct should scale with the row count rather than be a fixed
2288 : * value.
2289 : */
2290 1694 : if (stats->stadistinct > 0.1 * totalrows)
2291 390 : stats->stadistinct = -(stats->stadistinct / totalrows);
2292 :
2293 : /*
2294 : * Decide how many values are worth storing as most-common values. If
2295 : * we are able to generate a complete MCV list (all the values in the
2296 : * sample will fit, and we think these are all the ones in the table),
2297 : * then do so. Otherwise, store only those values that are
2298 : * significantly more common than the values not in the list.
2299 : *
2300 : * Note: the first of these cases is meant to address columns with
2301 : * small, fixed sets of possible values, such as boolean or enum
2302 : * columns. If we can *completely* represent the column population by
2303 : * an MCV list that will fit into the stats target, then we should do
2304 : * so and thus provide the planner with complete information. But if
2305 : * the MCV list is not complete, it's generally worth being more
2306 : * selective, and not just filling it all the way up to the stats
2307 : * target.
2308 : */
2309 1694 : if (track_cnt < track_max && toowide_cnt == 0 &&
2310 1684 : stats->stadistinct > 0 &&
2311 : track_cnt <= num_mcv)
2312 : {
2313 : /* Track list includes all values seen, and all will fit */
2314 1078 : num_mcv = track_cnt;
2315 : }
2316 : else
2317 : {
2318 : int *mcv_counts;
2319 :
2320 : /* Incomplete list; decide how many values are worth keeping */
2321 616 : if (num_mcv > track_cnt)
2322 554 : num_mcv = track_cnt;
2323 :
2324 616 : if (num_mcv > 0)
2325 : {
2326 616 : mcv_counts = (int *) palloc(num_mcv * sizeof(int));
2327 2116 : for (i = 0; i < num_mcv; i++)
2328 1500 : mcv_counts[i] = track[i].count;
2329 :
2330 616 : num_mcv = analyze_mcv_list(mcv_counts, num_mcv,
2331 616 : stats->stadistinct,
2332 616 : stats->stanullfrac,
2333 : samplerows, totalrows);
2334 : }
2335 : }
2336 :
2337 : /* Generate MCV slot entry */
2338 1694 : if (num_mcv > 0)
2339 : {
2340 : MemoryContext old_context;
2341 : Datum *mcv_values;
2342 : float4 *mcv_freqs;
2343 :
2344 : /* Must copy the target values into anl_context */
2345 1686 : old_context = MemoryContextSwitchTo(stats->anl_context);
2346 1686 : mcv_values = (Datum *) palloc(num_mcv * sizeof(Datum));
2347 1686 : mcv_freqs = (float4 *) palloc(num_mcv * sizeof(float4));
2348 7994 : for (i = 0; i < num_mcv; i++)
2349 : {
2350 12616 : mcv_values[i] = datumCopy(track[i].value,
2351 6308 : stats->attrtype->typbyval,
2352 6308 : stats->attrtype->typlen);
2353 6308 : mcv_freqs[i] = (double) track[i].count / (double) samplerows;
2354 : }
2355 1686 : MemoryContextSwitchTo(old_context);
2356 :
2357 1686 : stats->stakind[0] = STATISTIC_KIND_MCV;
2358 1686 : stats->staop[0] = mystats->eqopr;
2359 1686 : stats->stacoll[0] = stats->attrcollid;
2360 1686 : stats->stanumbers[0] = mcv_freqs;
2361 1686 : stats->numnumbers[0] = num_mcv;
2362 1686 : stats->stavalues[0] = mcv_values;
2363 1686 : stats->numvalues[0] = num_mcv;
2364 :
2365 : /*
2366 : * Accept the defaults for stats->statypid and others. They have
2367 : * been set before we were called (see vacuum.h)
2368 : */
2369 : }
2370 : }
2371 620 : else if (null_cnt > 0)
2372 : {
2373 : /* We found only nulls; assume the column is entirely null */
2374 620 : stats->stats_valid = true;
2375 620 : stats->stanullfrac = 1.0;
2376 620 : if (is_varwidth)
2377 620 : stats->stawidth = 0; /* "unknown" */
2378 : else
2379 0 : stats->stawidth = stats->attrtype->typlen;
2380 620 : stats->stadistinct = 0.0; /* "unknown" */
2381 : }
2382 :
2383 : /* We don't need to bother cleaning up any of our temporary palloc's */
2384 2314 : }
2385 :
2386 :
2387 : /*
2388 : * compute_scalar_stats() -- compute column statistics
2389 : *
2390 : * We use this when we can find "=" and "<" operators for the datatype.
2391 : *
2392 : * We determine the fraction of non-null rows, the average width, the
2393 : * most common values, the (estimated) number of distinct values, the
2394 : * distribution histogram, and the correlation of physical to logical order.
2395 : *
2396 : * The desired stats can be determined fairly easily after sorting the
2397 : * data values into order.
2398 : */
2399 : static void
2400 83768 : compute_scalar_stats(VacAttrStatsP stats,
2401 : AnalyzeAttrFetchFunc fetchfunc,
2402 : int samplerows,
2403 : double totalrows)
2404 : {
2405 : int i;
2406 83768 : int null_cnt = 0;
2407 83768 : int nonnull_cnt = 0;
2408 83768 : int toowide_cnt = 0;
2409 83768 : double total_width = 0;
2410 104150 : bool is_varlena = (!stats->attrtype->typbyval &&
2411 20382 : stats->attrtype->typlen == -1);
2412 104150 : bool is_varwidth = (!stats->attrtype->typbyval &&
2413 20382 : stats->attrtype->typlen < 0);
2414 : double corr_xysum;
2415 : SortSupportData ssup;
2416 : ScalarItem *values;
2417 83768 : int values_cnt = 0;
2418 : int *tupnoLink;
2419 : ScalarMCVItem *track;
2420 83768 : int track_cnt = 0;
2421 83768 : int num_mcv = stats->attstattarget;
2422 83768 : int num_bins = stats->attstattarget;
2423 83768 : StdAnalyzeData *mystats = (StdAnalyzeData *) stats->extra_data;
2424 :
2425 83768 : values = (ScalarItem *) palloc(samplerows * sizeof(ScalarItem));
2426 83768 : tupnoLink = (int *) palloc(samplerows * sizeof(int));
2427 83768 : track = (ScalarMCVItem *) palloc(num_mcv * sizeof(ScalarMCVItem));
2428 :
2429 83768 : memset(&ssup, 0, sizeof(ssup));
2430 83768 : ssup.ssup_cxt = CurrentMemoryContext;
2431 83768 : ssup.ssup_collation = stats->attrcollid;
2432 83768 : ssup.ssup_nulls_first = false;
2433 :
2434 : /*
2435 : * For now, don't perform abbreviated key conversion, because full values
2436 : * are required for MCV slot generation. Supporting that optimization
2437 : * would necessitate teaching compare_scalars() to call a tie-breaker.
2438 : */
2439 83768 : ssup.abbreviate = false;
2440 :
2441 83768 : PrepareSortSupportFromOrderingOp(mystats->ltopr, &ssup);
2442 :
2443 : /* Initial scan to find sortable values */
2444 74776716 : for (i = 0; i < samplerows; i++)
2445 : {
2446 : Datum value;
2447 : bool isnull;
2448 :
2449 74692948 : vacuum_delay_point(true);
2450 :
2451 74692948 : value = fetchfunc(stats, i, &isnull);
2452 :
2453 : /* Check for null/nonnull */
2454 74692948 : if (isnull)
2455 : {
2456 9810346 : null_cnt++;
2457 9847720 : continue;
2458 : }
2459 64882602 : nonnull_cnt++;
2460 :
2461 : /*
2462 : * If it's a variable-width field, add up widths for average width
2463 : * calculation. Note that if the value is toasted, we use the toasted
2464 : * width. We don't bother with this calculation if it's a fixed-width
2465 : * type.
2466 : */
2467 64882602 : if (is_varlena)
2468 : {
2469 7980558 : total_width += VARSIZE_ANY(DatumGetPointer(value));
2470 :
2471 : /*
2472 : * If the value is toasted, we want to detoast it just once to
2473 : * avoid repeated detoastings and resultant excess memory usage
2474 : * during the comparisons. Also, check to see if the value is
2475 : * excessively wide, and if so don't detoast at all --- just
2476 : * ignore the value.
2477 : */
2478 7980558 : if (toast_raw_datum_size(value) > WIDTH_THRESHOLD)
2479 : {
2480 37374 : toowide_cnt++;
2481 37374 : continue;
2482 : }
2483 7943184 : value = PointerGetDatum(PG_DETOAST_DATUM(value));
2484 : }
2485 56902044 : else if (is_varwidth)
2486 : {
2487 : /* must be cstring */
2488 0 : total_width += strlen(DatumGetCString(value)) + 1;
2489 : }
2490 :
2491 : /* Add it to the list to be sorted */
2492 64845228 : values[values_cnt].value = value;
2493 64845228 : values[values_cnt].tupno = values_cnt;
2494 64845228 : tupnoLink[values_cnt] = values_cnt;
2495 64845228 : values_cnt++;
2496 : }
2497 :
2498 : /* We can only compute real stats if we found some sortable values. */
2499 83768 : if (values_cnt > 0)
2500 : {
2501 : int ndistinct, /* # distinct values in sample */
2502 : nmultiple, /* # that appear multiple times */
2503 : num_hist,
2504 : dups_cnt;
2505 78228 : int slot_idx = 0;
2506 : CompareScalarsContext cxt;
2507 :
2508 : /* Sort the collected values */
2509 78228 : cxt.ssup = &ssup;
2510 78228 : cxt.tupnoLink = tupnoLink;
2511 78228 : qsort_interruptible(values, values_cnt, sizeof(ScalarItem),
2512 : compare_scalars, &cxt);
2513 :
2514 : /*
2515 : * Now scan the values in order, find the most common ones, and also
2516 : * accumulate ordering-correlation statistics.
2517 : *
2518 : * To determine which are most common, we first have to count the
2519 : * number of duplicates of each value. The duplicates are adjacent in
2520 : * the sorted list, so a brute-force approach is to compare successive
2521 : * datum values until we find two that are not equal. However, that
2522 : * requires N-1 invocations of the datum comparison routine, which are
2523 : * completely redundant with work that was done during the sort. (The
2524 : * sort algorithm must at some point have compared each pair of items
2525 : * that are adjacent in the sorted order; otherwise it could not know
2526 : * that it's ordered the pair correctly.) We exploit this by having
2527 : * compare_scalars remember the highest tupno index that each
2528 : * ScalarItem has been found equal to. At the end of the sort, a
2529 : * ScalarItem's tupnoLink will still point to itself if and only if it
2530 : * is the last item of its group of duplicates (since the group will
2531 : * be ordered by tupno).
2532 : */
2533 78228 : corr_xysum = 0;
2534 78228 : ndistinct = 0;
2535 78228 : nmultiple = 0;
2536 78228 : dups_cnt = 0;
2537 64923456 : for (i = 0; i < values_cnt; i++)
2538 : {
2539 64845228 : int tupno = values[i].tupno;
2540 :
2541 64845228 : corr_xysum += ((double) i) * ((double) tupno);
2542 64845228 : dups_cnt++;
2543 64845228 : if (tupnoLink[tupno] == tupno)
2544 : {
2545 : /* Reached end of duplicates of this value */
2546 13209550 : ndistinct++;
2547 13209550 : if (dups_cnt > 1)
2548 : {
2549 1168550 : nmultiple++;
2550 1168550 : if (track_cnt < num_mcv ||
2551 481958 : dups_cnt > track[track_cnt - 1].count)
2552 : {
2553 : /*
2554 : * Found a new item for the mcv list; find its
2555 : * position, bubbling down old items if needed. Loop
2556 : * invariant is that j points at an empty/ replaceable
2557 : * slot.
2558 : */
2559 : int j;
2560 :
2561 790784 : if (track_cnt < num_mcv)
2562 686592 : track_cnt++;
2563 10563962 : for (j = track_cnt - 1; j > 0; j--)
2564 : {
2565 10476270 : if (dups_cnt <= track[j - 1].count)
2566 703092 : break;
2567 9773178 : track[j].count = track[j - 1].count;
2568 9773178 : track[j].first = track[j - 1].first;
2569 : }
2570 790784 : track[j].count = dups_cnt;
2571 790784 : track[j].first = i + 1 - dups_cnt;
2572 : }
2573 : }
2574 13209550 : dups_cnt = 0;
2575 : }
2576 : }
2577 :
2578 78228 : stats->stats_valid = true;
2579 : /* Do the simple null-frac and width stats */
2580 78228 : stats->stanullfrac = (double) null_cnt / (double) samplerows;
2581 78228 : if (is_varwidth)
2582 11268 : stats->stawidth = total_width / (double) nonnull_cnt;
2583 : else
2584 66960 : stats->stawidth = stats->attrtype->typlen;
2585 :
2586 78228 : if (nmultiple == 0)
2587 : {
2588 : /*
2589 : * If we found no repeated non-null values, assume it's a unique
2590 : * column; but be sure to discount for any nulls we found.
2591 : */
2592 20208 : stats->stadistinct = -1.0 * (1.0 - stats->stanullfrac);
2593 : }
2594 58020 : else if (toowide_cnt == 0 && nmultiple == ndistinct)
2595 : {
2596 : /*
2597 : * Every value in the sample appeared more than once. Assume the
2598 : * column has just these values. (This case is meant to address
2599 : * columns with small, fixed sets of possible values, such as
2600 : * boolean or enum columns. If there are any values that appear
2601 : * just once in the sample, including too-wide values, we should
2602 : * assume that that's not what we're dealing with.)
2603 : */
2604 35580 : stats->stadistinct = ndistinct;
2605 : }
2606 : else
2607 : {
2608 : /*----------
2609 : * Estimate the number of distinct values using the estimator
2610 : * proposed by Haas and Stokes in IBM Research Report RJ 10025:
2611 : * n*d / (n - f1 + f1*n/N)
2612 : * where f1 is the number of distinct values that occurred
2613 : * exactly once in our sample of n rows (from a total of N),
2614 : * and d is the total number of distinct values in the sample.
2615 : * This is their Duj1 estimator; the other estimators they
2616 : * recommend are considerably more complex, and are numerically
2617 : * very unstable when n is much smaller than N.
2618 : *
2619 : * In this calculation, we consider only non-nulls. We used to
2620 : * include rows with null values in the n and N counts, but that
2621 : * leads to inaccurate answers in columns with many nulls, and
2622 : * it's intuitively bogus anyway considering the desired result is
2623 : * the number of distinct non-null values.
2624 : *
2625 : * Overwidth values are assumed to have been distinct.
2626 : *----------
2627 : */
2628 22440 : int f1 = ndistinct - nmultiple + toowide_cnt;
2629 22440 : int d = f1 + nmultiple;
2630 22440 : double n = samplerows - null_cnt;
2631 22440 : double N = totalrows * (1.0 - stats->stanullfrac);
2632 : double stadistinct;
2633 :
2634 : /* N == 0 shouldn't happen, but just in case ... */
2635 22440 : if (N > 0)
2636 22440 : stadistinct = (n * d) / ((n - f1) + f1 * n / N);
2637 : else
2638 0 : stadistinct = 0;
2639 :
2640 : /* Clamp to sane range in case of roundoff error */
2641 22440 : if (stadistinct < d)
2642 756 : stadistinct = d;
2643 22440 : if (stadistinct > N)
2644 0 : stadistinct = N;
2645 : /* And round to integer */
2646 22440 : stats->stadistinct = floor(stadistinct + 0.5);
2647 : }
2648 :
2649 : /*
2650 : * If we estimated the number of distinct values at more than 10% of
2651 : * the total row count (a very arbitrary limit), then assume that
2652 : * stadistinct should scale with the row count rather than be a fixed
2653 : * value.
2654 : */
2655 78228 : if (stats->stadistinct > 0.1 * totalrows)
2656 16600 : stats->stadistinct = -(stats->stadistinct / totalrows);
2657 :
2658 : /*
2659 : * Decide how many values are worth storing as most-common values. If
2660 : * we are able to generate a complete MCV list (all the values in the
2661 : * sample will fit, and we think these are all the ones in the table),
2662 : * then do so. Otherwise, store only those values that are
2663 : * significantly more common than the values not in the list.
2664 : *
2665 : * Note: the first of these cases is meant to address columns with
2666 : * small, fixed sets of possible values, such as boolean or enum
2667 : * columns. If we can *completely* represent the column population by
2668 : * an MCV list that will fit into the stats target, then we should do
2669 : * so and thus provide the planner with complete information. But if
2670 : * the MCV list is not complete, it's generally worth being more
2671 : * selective, and not just filling it all the way up to the stats
2672 : * target.
2673 : */
2674 78228 : if (track_cnt == ndistinct && toowide_cnt == 0 &&
2675 34890 : stats->stadistinct > 0 &&
2676 : track_cnt <= num_mcv)
2677 : {
2678 : /* Track list includes all values seen, and all will fit */
2679 31266 : num_mcv = track_cnt;
2680 : }
2681 : else
2682 : {
2683 : int *mcv_counts;
2684 :
2685 : /* Incomplete list; decide how many values are worth keeping */
2686 46962 : if (num_mcv > track_cnt)
2687 42984 : num_mcv = track_cnt;
2688 :
2689 46962 : if (num_mcv > 0)
2690 : {
2691 26754 : mcv_counts = (int *) palloc(num_mcv * sizeof(int));
2692 547448 : for (i = 0; i < num_mcv; i++)
2693 520694 : mcv_counts[i] = track[i].count;
2694 :
2695 26754 : num_mcv = analyze_mcv_list(mcv_counts, num_mcv,
2696 26754 : stats->stadistinct,
2697 26754 : stats->stanullfrac,
2698 : samplerows, totalrows);
2699 : }
2700 : }
2701 :
2702 : /* Generate MCV slot entry */
2703 78228 : if (num_mcv > 0)
2704 : {
2705 : MemoryContext old_context;
2706 : Datum *mcv_values;
2707 : float4 *mcv_freqs;
2708 :
2709 : /* Must copy the target values into anl_context */
2710 57976 : old_context = MemoryContextSwitchTo(stats->anl_context);
2711 57976 : mcv_values = (Datum *) palloc(num_mcv * sizeof(Datum));
2712 57976 : mcv_freqs = (float4 *) palloc(num_mcv * sizeof(float4));
2713 744350 : for (i = 0; i < num_mcv; i++)
2714 : {
2715 1372748 : mcv_values[i] = datumCopy(values[track[i].first].value,
2716 686374 : stats->attrtype->typbyval,
2717 686374 : stats->attrtype->typlen);
2718 686374 : mcv_freqs[i] = (double) track[i].count / (double) samplerows;
2719 : }
2720 57976 : MemoryContextSwitchTo(old_context);
2721 :
2722 57976 : stats->stakind[slot_idx] = STATISTIC_KIND_MCV;
2723 57976 : stats->staop[slot_idx] = mystats->eqopr;
2724 57976 : stats->stacoll[slot_idx] = stats->attrcollid;
2725 57976 : stats->stanumbers[slot_idx] = mcv_freqs;
2726 57976 : stats->numnumbers[slot_idx] = num_mcv;
2727 57976 : stats->stavalues[slot_idx] = mcv_values;
2728 57976 : stats->numvalues[slot_idx] = num_mcv;
2729 :
2730 : /*
2731 : * Accept the defaults for stats->statypid and others. They have
2732 : * been set before we were called (see vacuum.h)
2733 : */
2734 57976 : slot_idx++;
2735 : }
2736 :
2737 : /*
2738 : * Generate a histogram slot entry if there are at least two distinct
2739 : * values not accounted for in the MCV list. (This ensures the
2740 : * histogram won't collapse to empty or a singleton.)
2741 : */
2742 78228 : num_hist = ndistinct - num_mcv;
2743 78228 : if (num_hist > num_bins)
2744 12686 : num_hist = num_bins + 1;
2745 78228 : if (num_hist >= 2)
2746 : {
2747 : MemoryContext old_context;
2748 : Datum *hist_values;
2749 : int nvals;
2750 : int pos,
2751 : posfrac,
2752 : delta,
2753 : deltafrac;
2754 :
2755 : /* Sort the MCV items into position order to speed next loop */
2756 34388 : qsort_interruptible(track, num_mcv, sizeof(ScalarMCVItem),
2757 : compare_mcvs, NULL);
2758 :
2759 : /*
2760 : * Collapse out the MCV items from the values[] array.
2761 : *
2762 : * Note we destroy the values[] array here... but we don't need it
2763 : * for anything more. We do, however, still need values_cnt.
2764 : * nvals will be the number of remaining entries in values[].
2765 : */
2766 34388 : if (num_mcv > 0)
2767 : {
2768 : int src,
2769 : dest;
2770 : int j;
2771 :
2772 18790 : src = dest = 0;
2773 18790 : j = 0; /* index of next interesting MCV item */
2774 677632 : while (src < values_cnt)
2775 : {
2776 : int ncopy;
2777 :
2778 658842 : if (j < num_mcv)
2779 : {
2780 644568 : int first = track[j].first;
2781 :
2782 644568 : if (src >= first)
2783 : {
2784 : /* advance past this MCV item */
2785 470410 : src = first + track[j].count;
2786 470410 : j++;
2787 470410 : continue;
2788 : }
2789 174158 : ncopy = first - src;
2790 : }
2791 : else
2792 14274 : ncopy = values_cnt - src;
2793 188432 : memmove(&values[dest], &values[src],
2794 : ncopy * sizeof(ScalarItem));
2795 188432 : src += ncopy;
2796 188432 : dest += ncopy;
2797 : }
2798 18790 : nvals = dest;
2799 : }
2800 : else
2801 15598 : nvals = values_cnt;
2802 : Assert(nvals >= num_hist);
2803 :
2804 : /* Must copy the target values into anl_context */
2805 34388 : old_context = MemoryContextSwitchTo(stats->anl_context);
2806 34388 : hist_values = (Datum *) palloc(num_hist * sizeof(Datum));
2807 :
2808 : /*
2809 : * The object of this loop is to copy the first and last values[]
2810 : * entries along with evenly-spaced values in between. So the
2811 : * i'th value is values[(i * (nvals - 1)) / (num_hist - 1)]. But
2812 : * computing that subscript directly risks integer overflow when
2813 : * the stats target is more than a couple thousand. Instead we
2814 : * add (nvals - 1) / (num_hist - 1) to pos at each step, tracking
2815 : * the integral and fractional parts of the sum separately.
2816 : */
2817 34388 : delta = (nvals - 1) / (num_hist - 1);
2818 34388 : deltafrac = (nvals - 1) % (num_hist - 1);
2819 34388 : pos = posfrac = 0;
2820 :
2821 1793198 : for (i = 0; i < num_hist; i++)
2822 : {
2823 3517620 : hist_values[i] = datumCopy(values[pos].value,
2824 1758810 : stats->attrtype->typbyval,
2825 1758810 : stats->attrtype->typlen);
2826 1758810 : pos += delta;
2827 1758810 : posfrac += deltafrac;
2828 1758810 : if (posfrac >= (num_hist - 1))
2829 : {
2830 : /* fractional part exceeds 1, carry to integer part */
2831 569842 : pos++;
2832 569842 : posfrac -= (num_hist - 1);
2833 : }
2834 : }
2835 :
2836 34388 : MemoryContextSwitchTo(old_context);
2837 :
2838 34388 : stats->stakind[slot_idx] = STATISTIC_KIND_HISTOGRAM;
2839 34388 : stats->staop[slot_idx] = mystats->ltopr;
2840 34388 : stats->stacoll[slot_idx] = stats->attrcollid;
2841 34388 : stats->stavalues[slot_idx] = hist_values;
2842 34388 : stats->numvalues[slot_idx] = num_hist;
2843 :
2844 : /*
2845 : * Accept the defaults for stats->statypid and others. They have
2846 : * been set before we were called (see vacuum.h)
2847 : */
2848 34388 : slot_idx++;
2849 : }
2850 :
2851 : /* Generate a correlation entry if there are multiple values */
2852 78228 : if (values_cnt > 1)
2853 : {
2854 : MemoryContext old_context;
2855 : float4 *corrs;
2856 : double corr_xsum,
2857 : corr_x2sum;
2858 :
2859 : /* Must copy the target values into anl_context */
2860 73574 : old_context = MemoryContextSwitchTo(stats->anl_context);
2861 73574 : corrs = (float4 *) palloc(sizeof(float4));
2862 73574 : MemoryContextSwitchTo(old_context);
2863 :
2864 : /*----------
2865 : * Since we know the x and y value sets are both
2866 : * 0, 1, ..., values_cnt-1
2867 : * we have sum(x) = sum(y) =
2868 : * (values_cnt-1)*values_cnt / 2
2869 : * and sum(x^2) = sum(y^2) =
2870 : * (values_cnt-1)*values_cnt*(2*values_cnt-1) / 6.
2871 : *----------
2872 : */
2873 73574 : corr_xsum = ((double) (values_cnt - 1)) *
2874 73574 : ((double) values_cnt) / 2.0;
2875 73574 : corr_x2sum = ((double) (values_cnt - 1)) *
2876 73574 : ((double) values_cnt) * (double) (2 * values_cnt - 1) / 6.0;
2877 :
2878 : /* And the correlation coefficient reduces to */
2879 73574 : corrs[0] = (values_cnt * corr_xysum - corr_xsum * corr_xsum) /
2880 73574 : (values_cnt * corr_x2sum - corr_xsum * corr_xsum);
2881 :
2882 73574 : stats->stakind[slot_idx] = STATISTIC_KIND_CORRELATION;
2883 73574 : stats->staop[slot_idx] = mystats->ltopr;
2884 73574 : stats->stacoll[slot_idx] = stats->attrcollid;
2885 73574 : stats->stanumbers[slot_idx] = corrs;
2886 73574 : stats->numnumbers[slot_idx] = 1;
2887 73574 : slot_idx++;
2888 : }
2889 : }
2890 5540 : else if (nonnull_cnt > 0)
2891 : {
2892 : /* We found some non-null values, but they were all too wide */
2893 : Assert(nonnull_cnt == toowide_cnt);
2894 354 : stats->stats_valid = true;
2895 : /* Do the simple null-frac and width stats */
2896 354 : stats->stanullfrac = (double) null_cnt / (double) samplerows;
2897 354 : if (is_varwidth)
2898 354 : stats->stawidth = total_width / (double) nonnull_cnt;
2899 : else
2900 0 : stats->stawidth = stats->attrtype->typlen;
2901 : /* Assume all too-wide values are distinct, so it's a unique column */
2902 354 : stats->stadistinct = -1.0 * (1.0 - stats->stanullfrac);
2903 : }
2904 5186 : else if (null_cnt > 0)
2905 : {
2906 : /* We found only nulls; assume the column is entirely null */
2907 5186 : stats->stats_valid = true;
2908 5186 : stats->stanullfrac = 1.0;
2909 5186 : if (is_varwidth)
2910 4510 : stats->stawidth = 0; /* "unknown" */
2911 : else
2912 676 : stats->stawidth = stats->attrtype->typlen;
2913 5186 : stats->stadistinct = 0.0; /* "unknown" */
2914 : }
2915 :
2916 : /* We don't need to bother cleaning up any of our temporary palloc's */
2917 83768 : }
2918 :
2919 : /*
2920 : * Comparator for sorting ScalarItems
2921 : *
2922 : * Aside from sorting the items, we update the tupnoLink[] array
2923 : * whenever two ScalarItems are found to contain equal datums. The array
2924 : * is indexed by tupno; for each ScalarItem, it contains the highest
2925 : * tupno that that item's datum has been found to be equal to. This allows
2926 : * us to avoid additional comparisons in compute_scalar_stats().
2927 : */
2928 : static int
2929 604091730 : compare_scalars(const void *a, const void *b, void *arg)
2930 : {
2931 604091730 : Datum da = ((const ScalarItem *) a)->value;
2932 604091730 : int ta = ((const ScalarItem *) a)->tupno;
2933 604091730 : Datum db = ((const ScalarItem *) b)->value;
2934 604091730 : int tb = ((const ScalarItem *) b)->tupno;
2935 604091730 : CompareScalarsContext *cxt = (CompareScalarsContext *) arg;
2936 : int compare;
2937 :
2938 604091730 : compare = ApplySortComparator(da, false, db, false, cxt->ssup);
2939 604091730 : if (compare != 0)
2940 228564612 : return compare;
2941 :
2942 : /*
2943 : * The two datums are equal, so update cxt->tupnoLink[].
2944 : */
2945 375527118 : if (cxt->tupnoLink[ta] < tb)
2946 53964452 : cxt->tupnoLink[ta] = tb;
2947 375527118 : if (cxt->tupnoLink[tb] < ta)
2948 3754372 : cxt->tupnoLink[tb] = ta;
2949 :
2950 : /*
2951 : * For equal datums, sort by tupno
2952 : */
2953 375527118 : return ta - tb;
2954 : }
2955 :
2956 : /*
2957 : * Comparator for sorting ScalarMCVItems by position
2958 : */
2959 : static int
2960 2460976 : compare_mcvs(const void *a, const void *b, void *arg)
2961 : {
2962 2460976 : int da = ((const ScalarMCVItem *) a)->first;
2963 2460976 : int db = ((const ScalarMCVItem *) b)->first;
2964 :
2965 2460976 : return da - db;
2966 : }
2967 :
2968 : /*
2969 : * Analyze the list of common values in the sample and decide how many are
2970 : * worth storing in the table's MCV list.
2971 : *
2972 : * mcv_counts is assumed to be a list of the counts of the most common values
2973 : * seen in the sample, starting with the most common. The return value is the
2974 : * number that are significantly more common than the values not in the list,
2975 : * and which are therefore deemed worth storing in the table's MCV list.
2976 : */
2977 : static int
2978 27370 : analyze_mcv_list(int *mcv_counts,
2979 : int num_mcv,
2980 : double stadistinct,
2981 : double stanullfrac,
2982 : int samplerows,
2983 : double totalrows)
2984 : {
2985 : double ndistinct_table;
2986 : double sumcount;
2987 : int i;
2988 :
2989 : /*
2990 : * If the entire table was sampled, keep the whole list. This also
2991 : * protects us against division by zero in the code below.
2992 : */
2993 27370 : if (samplerows == totalrows || totalrows <= 1.0)
2994 26536 : return num_mcv;
2995 :
2996 : /* Re-extract the estimated number of distinct nonnull values in table */
2997 834 : ndistinct_table = stadistinct;
2998 834 : if (ndistinct_table < 0)
2999 148 : ndistinct_table = -ndistinct_table * totalrows;
3000 :
3001 : /*
3002 : * Exclude the least common values from the MCV list, if they are not
3003 : * significantly more common than the estimated selectivity they would
3004 : * have if they weren't in the list. All non-MCV values are assumed to be
3005 : * equally common, after taking into account the frequencies of all the
3006 : * values in the MCV list and the number of nulls (c.f. eqsel()).
3007 : *
3008 : * Here sumcount tracks the total count of all but the last (least common)
3009 : * value in the MCV list, allowing us to determine the effect of excluding
3010 : * that value from the list.
3011 : *
3012 : * Note that we deliberately do this by removing values from the full
3013 : * list, rather than starting with an empty list and adding values,
3014 : * because the latter approach can fail to add any values if all the most
3015 : * common values have around the same frequency and make up the majority
3016 : * of the table, so that the overall average frequency of all values is
3017 : * roughly the same as that of the common values. This would lead to any
3018 : * uncommon values being significantly overestimated.
3019 : */
3020 834 : sumcount = 0.0;
3021 1746 : for (i = 0; i < num_mcv - 1; i++)
3022 912 : sumcount += mcv_counts[i];
3023 :
3024 1008 : while (num_mcv > 0)
3025 : {
3026 : double selec,
3027 : otherdistinct,
3028 : N,
3029 : n,
3030 : K,
3031 : variance,
3032 : stddev;
3033 :
3034 : /*
3035 : * Estimated selectivity the least common value would have if it
3036 : * wasn't in the MCV list (c.f. eqsel()).
3037 : */
3038 1008 : selec = 1.0 - sumcount / samplerows - stanullfrac;
3039 1008 : if (selec < 0.0)
3040 0 : selec = 0.0;
3041 1008 : if (selec > 1.0)
3042 0 : selec = 1.0;
3043 1008 : otherdistinct = ndistinct_table - (num_mcv - 1);
3044 1008 : if (otherdistinct > 1)
3045 1008 : selec /= otherdistinct;
3046 :
3047 : /*
3048 : * If the value is kept in the MCV list, its population frequency is
3049 : * assumed to equal its sample frequency. We use the lower end of a
3050 : * textbook continuity-corrected Wald-type confidence interval to
3051 : * determine if that is significantly more common than the non-MCV
3052 : * frequency --- specifically we assume the population frequency is
3053 : * highly likely to be within around 2 standard errors of the sample
3054 : * frequency, which equates to an interval of 2 standard deviations
3055 : * either side of the sample count, plus an additional 0.5 for the
3056 : * continuity correction. Since we are sampling without replacement,
3057 : * this is a hypergeometric distribution.
3058 : *
3059 : * XXX: Empirically, this approach seems to work quite well, but it
3060 : * may be worth considering more advanced techniques for estimating
3061 : * the confidence interval of the hypergeometric distribution.
3062 : */
3063 1008 : N = totalrows;
3064 1008 : n = samplerows;
3065 1008 : K = N * mcv_counts[num_mcv - 1] / n;
3066 1008 : variance = n * K * (N - K) * (N - n) / (N * N * (N - 1));
3067 1008 : stddev = sqrt(variance);
3068 :
3069 1008 : if (mcv_counts[num_mcv - 1] > selec * samplerows + 2 * stddev + 0.5)
3070 : {
3071 : /*
3072 : * The value is significantly more common than the non-MCV
3073 : * selectivity would suggest. Keep it, and all the other more
3074 : * common values in the list.
3075 : */
3076 782 : break;
3077 : }
3078 : else
3079 : {
3080 : /* Discard this value and consider the next least common value */
3081 226 : num_mcv--;
3082 226 : if (num_mcv == 0)
3083 52 : break;
3084 174 : sumcount -= mcv_counts[num_mcv - 1];
3085 : }
3086 : }
3087 834 : return num_mcv;
3088 : }
|