PostgreSQL Source Code git master
Loading...
Searching...
No Matches
execIndexing.c
Go to the documentation of this file.
1/*-------------------------------------------------------------------------
2 *
3 * execIndexing.c
4 * routines for inserting index tuples and enforcing unique and
5 * exclusion constraints.
6 *
7 * ExecInsertIndexTuples() is the main entry point. It's called after
8 * inserting a tuple to the heap, and it inserts corresponding index tuples
9 * into all indexes. At the same time, it enforces any unique and
10 * exclusion constraints:
11 *
12 * Unique Indexes
13 * --------------
14 *
15 * Enforcing a unique constraint is straightforward. When the index AM
16 * inserts the tuple to the index, it also checks that there are no
17 * conflicting tuples in the index already. It does so atomically, so that
18 * even if two backends try to insert the same key concurrently, only one
19 * of them will succeed. All the logic to ensure atomicity, and to wait
20 * for in-progress transactions to finish, is handled by the index AM.
21 *
22 * If a unique constraint is deferred, we request the index AM to not
23 * throw an error if a conflict is found. Instead, we make note that there
24 * was a conflict and return the list of indexes with conflicts to the
25 * caller. The caller must re-check them later, by calling index_insert()
26 * with the UNIQUE_CHECK_EXISTING option.
27 *
28 * Exclusion Constraints
29 * ---------------------
30 *
31 * Exclusion constraints are different from unique indexes in that when the
32 * tuple is inserted to the index, the index AM does not check for
33 * duplicate keys at the same time. After the insertion, we perform a
34 * separate scan on the index to check for conflicting tuples, and if one
35 * is found, we throw an error and the transaction is aborted. If the
36 * conflicting tuple's inserter or deleter is in-progress, we wait for it
37 * to finish first.
38 *
39 * There is a chance of deadlock, if two backends insert a tuple at the
40 * same time, and then perform the scan to check for conflicts. They will
41 * find each other's tuple, and both try to wait for each other. The
42 * deadlock detector will detect that, and abort one of the transactions.
43 * That's fairly harmless, as one of them was bound to abort with a
44 * "duplicate key error" anyway, although you get a different error
45 * message.
46 *
47 * If an exclusion constraint is deferred, we still perform the conflict
48 * checking scan immediately after inserting the index tuple. But instead
49 * of throwing an error if a conflict is found, we return that information
50 * to the caller. The caller must re-check them later by calling
51 * check_exclusion_constraint().
52 *
53 * Speculative insertion
54 * ---------------------
55 *
56 * Speculative insertion is a two-phase mechanism used to implement
57 * INSERT ... ON CONFLICT. The tuple is first inserted into the heap
58 * and the indexes are updated as usual, but if a constraint is violated,
59 * we can still back out of the insertion without aborting the whole
60 * transaction. In an INSERT ... ON CONFLICT statement, if a conflict is
61 * detected, the inserted tuple is backed out and the ON CONFLICT action is
62 * executed instead.
63 *
64 * Insertion to a unique index works as usual: the index AM checks for
65 * duplicate keys atomically with the insertion. But instead of throwing
66 * an error on a conflict, the speculatively inserted heap tuple is backed
67 * out.
68 *
69 * Exclusion constraints are slightly more complicated. As mentioned
70 * earlier, there is a risk of deadlock when two backends insert the same
71 * key concurrently. That was not a problem for regular insertions, when
72 * one of the transactions has to be aborted anyway, but with a speculative
73 * insertion we cannot let a deadlock happen, because we only want to back
74 * out the speculatively inserted tuple on conflict, not abort the whole
75 * transaction.
76 *
77 * When a backend detects that the speculative insertion conflicts with
78 * another in-progress tuple, it has two options:
79 *
80 * 1. back out the speculatively inserted tuple, then wait for the other
81 * transaction, and retry. Or,
82 * 2. wait for the other transaction, with the speculatively inserted tuple
83 * still in place.
84 *
85 * If two backends insert at the same time, and both try to wait for each
86 * other, they will deadlock. So option 2 is not acceptable. Option 1
87 * avoids the deadlock, but it is prone to a livelock instead. Both
88 * transactions will wake up immediately as the other transaction backs
89 * out. Then they both retry, and conflict with each other again, lather,
90 * rinse, repeat.
91 *
92 * To avoid the livelock, one of the backends must back out first, and then
93 * wait, while the other one waits without backing out. It doesn't matter
94 * which one backs out, so we employ an arbitrary rule that the transaction
95 * with the higher XID backs out.
96 *
97 *
98 * Portions Copyright (c) 1996-2026, PostgreSQL Global Development Group
99 * Portions Copyright (c) 1994, Regents of the University of California
100 *
101 *
102 * IDENTIFICATION
103 * src/backend/executor/execIndexing.c
104 *
105 *-------------------------------------------------------------------------
106 */
107#include "postgres.h"
108
109#include "access/genam.h"
110#include "access/relscan.h"
111#include "access/tableam.h"
112#include "access/xact.h"
113#include "catalog/index.h"
114#include "executor/executor.h"
115#include "nodes/nodeFuncs.h"
116#include "storage/lmgr.h"
118#include "utils/lsyscache.h"
120#include "utils/rangetypes.h"
121#include "utils/snapmgr.h"
122
123/* waitMode argument to check_exclusion_or_unique_constraint() */
130
132 IndexInfo *indexInfo,
134 const Datum *values, const bool *isnull,
135 EState *estate, bool newIndex,
137 bool violationOK,
139
141 const Datum *existing_values, const bool *existing_isnull,
142 const Datum *new_values);
143static bool index_unchanged_by_update(ResultRelInfo *resultRelInfo,
144 EState *estate, IndexInfo *indexInfo,
145 Relation indexRelation);
146static bool index_expression_changed_walker(Node *node,
149 char typtype, Oid atttypid);
150
151/* ----------------------------------------------------------------
152 * ExecOpenIndices
153 *
154 * Find the indices associated with a result relation, open them,
155 * and save information about them in the result ResultRelInfo.
156 *
157 * At entry, caller has already opened and locked
158 * resultRelInfo->ri_RelationDesc.
159 * ----------------------------------------------------------------
160 */
161void
163{
164 Relation resultRelation = resultRelInfo->ri_RelationDesc;
166 ListCell *l;
167 int len,
168 i;
171
172 resultRelInfo->ri_NumIndices = 0;
173
174 /* fast path if no indexes */
175 if (!RelationGetForm(resultRelation)->relhasindex)
176 return;
177
178 /*
179 * Get cached list of index OIDs
180 */
181 indexoidlist = RelationGetIndexList(resultRelation);
183 if (len == 0)
184 return;
185
186 /* This Assert will fail if ExecOpenIndices is called twice */
187 Assert(resultRelInfo->ri_IndexRelationDescs == NULL);
188
189 /*
190 * allocate space for result arrays
191 */
194
195 resultRelInfo->ri_NumIndices = len;
196 resultRelInfo->ri_IndexRelationDescs = relationDescs;
197 resultRelInfo->ri_IndexRelationInfo = indexInfoArray;
198
199 /*
200 * For each index, open the index relation and save pg_index info. We
201 * acquire RowExclusiveLock, signifying we will update the index.
202 *
203 * Note: we do this even if the index is not indisready; it's not worth
204 * the trouble to optimize for the case where it isn't.
205 */
206 i = 0;
207 foreach(l, indexoidlist)
208 {
209 Oid indexOid = lfirst_oid(l);
211 IndexInfo *ii;
212
214
215 /* extract index key information from the index's pg_index info */
217
218 /*
219 * If the indexes are to be used for speculative insertion, add extra
220 * information required by unique index entries.
221 */
222 if (speculative && ii->ii_Unique && !indexDesc->rd_index->indisexclusion)
224
226 indexInfoArray[i] = ii;
227 i++;
228 }
229
231}
232
233/* ----------------------------------------------------------------
234 * ExecCloseIndices
235 *
236 * Close the index relations stored in resultRelInfo
237 * ----------------------------------------------------------------
238 */
239void
241{
242 int i;
243 int numIndices;
246
247 numIndices = resultRelInfo->ri_NumIndices;
248 indexDescs = resultRelInfo->ri_IndexRelationDescs;
249 indexInfos = resultRelInfo->ri_IndexRelationInfo;
250
251 for (i = 0; i < numIndices; i++)
252 {
253 /* This Assert will fail if ExecCloseIndices is called twice */
254 Assert(indexDescs[i] != NULL);
255
256 /* Give the index a chance to do some post-insert cleanup */
258
259 /* Drop lock acquired by ExecOpenIndices */
261
262 /* Mark the index as closed */
263 indexDescs[i] = NULL;
264 }
265
266 /*
267 * We don't attempt to free the IndexInfo data structures or the arrays,
268 * instead assuming that such stuff will be cleaned up automatically in
269 * FreeExecutorState.
270 */
271}
272
273/* ----------------------------------------------------------------
274 * ExecInsertIndexTuples
275 *
276 * This routine takes care of inserting index tuples
277 * into all the relations indexing the result relation
278 * when a heap tuple is inserted into the result relation.
279 *
280 * When EIIT_IS_UPDATE is set and EIIT_ONLY_SUMMARIZING isn't,
281 * executor is performing an UPDATE that could not use an
282 * optimization like heapam's HOT (in more general terms a
283 * call to table_tuple_update() took place and set
284 * 'update_indexes' to TU_All). Receiving this hint makes
285 * us consider if we should pass down the 'indexUnchanged'
286 * hint in turn. That's something that we figure out for
287 * each index_insert() call iff EIIT_IS_UPDATE is set.
288 * (When that flag is not set we already know not to pass the
289 * hint to any index.)
290 *
291 * If EIIT_ONLY_SUMMARIZING is set, an equivalent optimization to
292 * HOT has been applied and any updated columns are indexed
293 * only by summarizing indexes (or in more general terms a
294 * call to table_tuple_update() took place and set
295 * 'update_indexes' to TU_Summarizing). We can (and must)
296 * therefore only update the indexes that have
297 * 'amsummarizing' = true.
298 *
299 * Unique and exclusion constraints are enforced at the same
300 * time. This returns a list of index OIDs for any unique or
301 * exclusion constraints that are deferred and that had
302 * potential (unconfirmed) conflicts. (if EIIT_NO_DUPE_ERROR,
303 * the same is done for non-deferred constraints, but report
304 * if conflict was speculative or deferred conflict to caller)
305 *
306 * If 'arbiterIndexes' is nonempty, EIIT_NO_DUPE_ERROR applies only to
307 * those indexes. NIL means EIIT_NO_DUPE_ERROR applies to all indexes.
308 * ----------------------------------------------------------------
309 */
310List *
312 EState *estate,
313 uint32 flags,
314 TupleTableSlot *slot,
315 List *arbiterIndexes,
316 bool *specConflict)
317{
318 ItemPointer tupleid = &slot->tts_tid;
319 List *result = NIL;
320 int i;
321 int numIndices;
323 Relation heapRelation;
325 ExprContext *econtext;
327 bool isnull[INDEX_MAX_KEYS];
328
330
331 /*
332 * Get information from the result relation info structure.
333 */
334 numIndices = resultRelInfo->ri_NumIndices;
335 relationDescs = resultRelInfo->ri_IndexRelationDescs;
336 indexInfoArray = resultRelInfo->ri_IndexRelationInfo;
337 heapRelation = resultRelInfo->ri_RelationDesc;
338
339 /* Sanity check: slot must belong to the same rel as the resultRelInfo. */
340 Assert(slot->tts_tableOid == RelationGetRelid(heapRelation));
341
342 /*
343 * We will use the EState's per-tuple context for evaluating predicates
344 * and index expressions (creating it if it's not already there).
345 */
346 econtext = GetPerTupleExprContext(estate);
347
348 /* Arrange for econtext's scan tuple to be the tuple under test */
349 econtext->ecxt_scantuple = slot;
350
351 /*
352 * for each index, form and insert the index tuple
353 */
354 for (i = 0; i < numIndices; i++)
355 {
356 Relation indexRelation = relationDescs[i];
357 IndexInfo *indexInfo;
358 bool applyNoDupErr;
360 bool indexUnchanged;
362
363 if (indexRelation == NULL)
364 continue;
365
366 indexInfo = indexInfoArray[i];
367
368 /* If the index is marked as read-only, ignore it */
369 if (!indexInfo->ii_ReadyForInserts)
370 continue;
371
372 /*
373 * Skip processing of non-summarizing indexes if we only update
374 * summarizing indexes
375 */
376 if ((flags & EIIT_ONLY_SUMMARIZING) && !indexInfo->ii_Summarizing)
377 continue;
378
379 /* Check for partial index */
380 if (indexInfo->ii_Predicate != NIL)
381 {
383
384 /*
385 * If predicate state not set up yet, create it (in the estate's
386 * per-query context)
387 */
388 predicate = indexInfo->ii_PredicateState;
389 if (predicate == NULL)
390 {
391 predicate = ExecPrepareQual(indexInfo->ii_Predicate, estate);
392 indexInfo->ii_PredicateState = predicate;
393 }
394
395 /* Skip this index-update if the predicate isn't satisfied */
396 if (!ExecQual(predicate, econtext))
397 continue;
398 }
399
400 /*
401 * FormIndexDatum fills in its values and isnull parameters with the
402 * appropriate values for the column(s) of the index.
403 */
404 FormIndexDatum(indexInfo,
405 slot,
406 estate,
407 values,
408 isnull);
409
410 /* Check whether to apply noDupErr to this index */
411 applyNoDupErr = (flags & EIIT_NO_DUPE_ERROR) &&
412 (arbiterIndexes == NIL ||
413 list_member_oid(arbiterIndexes,
414 indexRelation->rd_index->indexrelid));
415
416 /*
417 * The index AM does the actual insertion, plus uniqueness checking.
418 *
419 * For an immediate-mode unique index, we just tell the index AM to
420 * throw error if not unique.
421 *
422 * For a deferrable unique index, we tell the index AM to just detect
423 * possible non-uniqueness, and we add the index OID to the result
424 * list if further checking is needed.
425 *
426 * For a speculative insertion (used by INSERT ... ON CONFLICT), do
427 * the same as for a deferrable unique index.
428 */
429 if (!indexRelation->rd_index->indisunique)
431 else if (applyNoDupErr)
433 else if (indexRelation->rd_index->indimmediate)
435 else
437
438 /*
439 * There's definitely going to be an index_insert() call for this
440 * index. If we're being called as part of an UPDATE statement,
441 * consider if the 'indexUnchanged' = true hint should be passed.
442 */
443 indexUnchanged = ((flags & EIIT_IS_UPDATE) &&
444 index_unchanged_by_update(resultRelInfo,
445 estate,
446 indexInfo,
447 indexRelation));
448
450 index_insert(indexRelation, /* index relation */
451 values, /* array of index Datums */
452 isnull, /* null flags */
453 tupleid, /* tid of heap tuple */
454 heapRelation, /* heap relation */
455 checkUnique, /* type of uniqueness check to do */
456 indexUnchanged, /* UPDATE without logical change? */
457 indexInfo); /* index AM may need this */
458
459 /*
460 * If the index has an associated exclusion constraint, check that.
461 * This is simpler than the process for uniqueness checks since we
462 * always insert first and then check. If the constraint is deferred,
463 * we check now anyway, but don't throw error on violation or wait for
464 * a conclusive outcome from a concurrent insertion; instead we'll
465 * queue a recheck event. Similarly, noDupErr callers (speculative
466 * inserters) will recheck later, and wait for a conclusive outcome
467 * then.
468 *
469 * An index for an exclusion constraint can't also be UNIQUE (not an
470 * essential property, we just don't allow it in the grammar), so no
471 * need to preserve the prior state of satisfiesConstraint.
472 */
473 if (indexInfo->ii_ExclusionOps != NULL)
474 {
475 bool violationOK;
477
478 if (applyNoDupErr)
479 {
480 violationOK = true;
482 }
483 else if (!indexRelation->rd_index->indimmediate)
484 {
485 violationOK = true;
487 }
488 else
489 {
490 violationOK = false;
492 }
493
496 indexRelation, indexInfo,
497 tupleid, values, isnull,
498 estate, false,
500 }
501
503 indexInfo->ii_ExclusionOps != NULL) &&
505 {
506 /*
507 * The tuple potentially violates the uniqueness or exclusion
508 * constraint, so make a note of the index so that we can re-check
509 * it later. Speculative inserters are told if there was a
510 * speculative conflict, since that always requires a restart.
511 */
512 result = lappend_oid(result, RelationGetRelid(indexRelation));
513 if (indexRelation->rd_index->indimmediate && specConflict)
514 *specConflict = true;
515 }
516 }
517
518 return result;
519}
520
521/* ----------------------------------------------------------------
522 * ExecCheckIndexConstraints
523 *
524 * This routine checks if a tuple violates any unique or
525 * exclusion constraints. Returns true if there is no conflict.
526 * Otherwise returns false, and the TID of the conflicting
527 * tuple is returned in *conflictTid.
528 *
529 * If 'arbiterIndexes' is given, only those indexes are checked.
530 * NIL means all indexes.
531 *
532 * Note that this doesn't lock the values in any way, so it's
533 * possible that a conflicting tuple is inserted immediately
534 * after this returns. This can be used for either a pre-check
535 * before insertion or a re-check after finding a conflict.
536 *
537 * 'tupleid' should be the TID of the tuple that has been recently
538 * inserted (or can be invalid if we haven't inserted a new tuple yet).
539 * This tuple will be excluded from conflict checking.
540 * ----------------------------------------------------------------
541 */
542bool
545 const ItemPointerData *tupleid, List *arbiterIndexes)
546{
547 int i;
548 int numIndices;
550 Relation heapRelation;
552 ExprContext *econtext;
554 bool isnull[INDEX_MAX_KEYS];
556 bool checkedIndex = false;
557
560
561 /*
562 * Get information from the result relation info structure.
563 */
564 numIndices = resultRelInfo->ri_NumIndices;
565 relationDescs = resultRelInfo->ri_IndexRelationDescs;
566 indexInfoArray = resultRelInfo->ri_IndexRelationInfo;
567 heapRelation = resultRelInfo->ri_RelationDesc;
568
569 /*
570 * We will use the EState's per-tuple context for evaluating predicates
571 * and index expressions (creating it if it's not already there).
572 */
573 econtext = GetPerTupleExprContext(estate);
574
575 /* Arrange for econtext's scan tuple to be the tuple under test */
576 econtext->ecxt_scantuple = slot;
577
578 /*
579 * For each index, form index tuple and check if it satisfies the
580 * constraint.
581 */
582 for (i = 0; i < numIndices; i++)
583 {
584 Relation indexRelation = relationDescs[i];
585 IndexInfo *indexInfo;
587
588 if (indexRelation == NULL)
589 continue;
590
591 indexInfo = indexInfoArray[i];
592
593 if (!indexInfo->ii_Unique && !indexInfo->ii_ExclusionOps)
594 continue;
595
596 /* If the index is marked as read-only, ignore it */
597 if (!indexInfo->ii_ReadyForInserts)
598 continue;
599
600 /* When specific arbiter indexes requested, only examine them */
601 if (arbiterIndexes != NIL &&
602 !list_member_oid(arbiterIndexes,
603 indexRelation->rd_index->indexrelid))
604 continue;
605
606 if (!indexRelation->rd_index->indimmediate)
609 errmsg("ON CONFLICT does not support deferrable unique constraints/exclusion constraints as arbiters"),
610 errtableconstraint(heapRelation,
611 RelationGetRelationName(indexRelation))));
612
613 checkedIndex = true;
614
615 /* Check for partial index */
616 if (indexInfo->ii_Predicate != NIL)
617 {
619
620 /*
621 * If predicate state not set up yet, create it (in the estate's
622 * per-query context)
623 */
624 predicate = indexInfo->ii_PredicateState;
625 if (predicate == NULL)
626 {
627 predicate = ExecPrepareQual(indexInfo->ii_Predicate, estate);
628 indexInfo->ii_PredicateState = predicate;
629 }
630
631 /* Skip this index-update if the predicate isn't satisfied */
632 if (!ExecQual(predicate, econtext))
633 continue;
634 }
635
636 /*
637 * FormIndexDatum fills in its values and isnull parameters with the
638 * appropriate values for the column(s) of the index.
639 */
640 FormIndexDatum(indexInfo,
641 slot,
642 estate,
643 values,
644 isnull);
645
647 check_exclusion_or_unique_constraint(heapRelation, indexRelation,
648 indexInfo, tupleid,
649 values, isnull, estate, false,
650 CEOUC_WAIT, true,
653 return false;
654 }
655
656 if (arbiterIndexes != NIL && !checkedIndex)
657 elog(ERROR, "unexpected failure to find arbiter index");
658
659 return true;
660}
661
662/*
663 * Check for violation of an exclusion or unique constraint
664 *
665 * heap: the table containing the new tuple
666 * index: the index supporting the constraint
667 * indexInfo: info about the index, including the exclusion properties
668 * tupleid: heap TID of the new tuple we have just inserted (invalid if we
669 * haven't inserted a new tuple yet)
670 * values, isnull: the *index* column values computed for the new tuple
671 * estate: an EState we can do evaluation in
672 * newIndex: if true, we are trying to build a new index (this affects
673 * only the wording of error messages)
674 * waitMode: whether to wait for concurrent inserters/deleters
675 * violationOK: if true, don't throw error for violation
676 * conflictTid: if not-NULL, the TID of the conflicting tuple is returned here
677 *
678 * Returns true if OK, false if actual or potential violation
679 *
680 * 'waitMode' determines what happens if a conflict is detected with a tuple
681 * that was inserted or deleted by a transaction that's still running.
682 * CEOUC_WAIT means that we wait for the transaction to commit, before
683 * throwing an error or returning. CEOUC_NOWAIT means that we report the
684 * violation immediately; so the violation is only potential, and the caller
685 * must recheck sometime later. This behavior is convenient for deferred
686 * exclusion checks; we need not bother queuing a deferred event if there is
687 * definitely no conflict at insertion time.
688 *
689 * CEOUC_LIVELOCK_PREVENTING_WAIT is like CEOUC_NOWAIT, but we will sometimes
690 * wait anyway, to prevent livelocking if two transactions try inserting at
691 * the same time. This is used with speculative insertions, for INSERT ON
692 * CONFLICT statements. (See notes in file header)
693 *
694 * If violationOK is true, we just report the potential or actual violation to
695 * the caller by returning 'false'. Otherwise we throw a descriptive error
696 * message here. When violationOK is false, a false result is impossible.
697 *
698 * Note: The indexam is normally responsible for checking unique constraints,
699 * so this normally only needs to be used for exclusion constraints. But this
700 * function is also called when doing a "pre-check" for conflicts on a unique
701 * constraint, when doing speculative insertion. Caller may use the returned
702 * conflict TID to take further steps.
703 */
704static bool
706 IndexInfo *indexInfo,
708 const Datum *values, const bool *isnull,
709 EState *estate, bool newIndex,
711 bool violationOK,
713{
716 Oid *index_collations = index->rd_indcollation;
719 ScanKeyData scankeys[INDEX_MAX_KEYS];
721 int i;
722 bool conflict;
723 bool found_self;
724 ExprContext *econtext;
727
728 if (indexInfo->ii_ExclusionOps)
729 {
730 constr_procs = indexInfo->ii_ExclusionProcs;
732 }
733 else
734 {
735 constr_procs = indexInfo->ii_UniqueProcs;
736 constr_strats = indexInfo->ii_UniqueStrats;
737 }
738
739 /*
740 * If this is a WITHOUT OVERLAPS constraint, we must also forbid empty
741 * ranges/multiranges. This must happen before we look for NULLs below, or
742 * a UNIQUE constraint could insert an empty range along with a NULL
743 * scalar part.
744 */
745 if (indexInfo->ii_WithoutOverlaps)
746 {
747 /*
748 * Look up the type from the heap tuple, but check the Datum from the
749 * index tuple.
750 */
751 AttrNumber attno = indexInfo->ii_IndexAttrNumbers[indnkeyatts - 1];
752
753 if (!isnull[indnkeyatts - 1])
754 {
755 TupleDesc tupdesc = RelationGetDescr(heap);
756 Form_pg_attribute att = TupleDescAttr(tupdesc, attno - 1);
757 TypeCacheEntry *typcache = lookup_type_cache(att->atttypid,
759 char typtype;
760
761 if (OidIsValid(typcache->domainBaseType))
762 typtype = get_typtype(typcache->domainBaseType);
763 else
764 typtype = typcache->typtype;
765
766 ExecWithoutOverlapsNotEmpty(heap, att->attname,
767 values[indnkeyatts - 1],
768 typtype, att->atttypid);
769 }
770 }
771
772 /*
773 * If any of the input values are NULL, and the index uses the default
774 * nulls-are-distinct mode, the constraint check is assumed to pass (i.e.,
775 * we assume the operators are strict). Otherwise, we interpret the
776 * constraint as specifying IS NULL for each column whose input value is
777 * NULL.
778 */
779 if (!indexInfo->ii_NullsNotDistinct)
780 {
781 for (i = 0; i < indnkeyatts; i++)
782 {
783 if (isnull[i])
784 return true;
785 }
786 }
787
788 /*
789 * Search the tuples that are in the index for any violations, including
790 * tuples that aren't visible yet.
791 */
793
794 for (i = 0; i < indnkeyatts; i++)
795 {
796 ScanKeyEntryInitialize(&scankeys[i],
797 isnull[i] ? SK_ISNULL | SK_SEARCHNULL : 0,
798 i + 1,
803 values[i]);
804 }
805
806 /*
807 * Need a TupleTableSlot to put existing tuples in.
808 *
809 * To use FormIndexDatum, we have to make the econtext's scantuple point
810 * to this slot. Be sure to save and restore caller's value for
811 * scantuple.
812 */
814
815 econtext = GetPerTupleExprContext(estate);
816 save_scantuple = econtext->ecxt_scantuple;
817 econtext->ecxt_scantuple = existing_slot;
818
819 /*
820 * May have to restart scan from this point if a potential conflict is
821 * found.
822 */
823retry:
824 conflict = false;
825 found_self = false;
828 SO_NONE);
829 index_rescan(index_scan, scankeys, indnkeyatts, NULL, 0);
830
832 {
837 char *error_new;
838 char *error_existing;
839
840 /*
841 * Ignore the entry for the tuple we're trying to check.
842 */
845 {
846 if (found_self) /* should not happen */
847 elog(ERROR, "found self tuple multiple times in index \"%s\"",
849 found_self = true;
850 continue;
851 }
852
853 /*
854 * Extract the index column values and isnull flags from the existing
855 * tuple.
856 */
857 FormIndexDatum(indexInfo, existing_slot, estate,
859
860 /* If lossy indexscan, must recheck the condition */
861 if (index_scan->xs_recheck)
862 {
867 values))
868 continue; /* tuple doesn't actually match, so no
869 * conflict */
870 }
871
872 /*
873 * At this point we have either a conflict or a potential conflict.
874 *
875 * If an in-progress transaction is affecting the visibility of this
876 * tuple, we need to wait for it to complete and then recheck (unless
877 * the caller requested not to). For simplicity we do rechecking by
878 * just restarting the whole scan --- this case probably doesn't
879 * happen often enough to be worth trying harder, and anyway we don't
880 * want to hold any index internal locks while waiting.
881 */
883 DirtySnapshot.xmin : DirtySnapshot.xmax;
884
886 (waitMode == CEOUC_WAIT ||
888 DirtySnapshot.speculativeToken &&
890 {
891 reason_wait = indexInfo->ii_ExclusionOps ?
894 if (DirtySnapshot.speculativeToken)
896 DirtySnapshot.speculativeToken);
897 else
899 &existing_slot->tts_tid, reason_wait);
900 goto retry;
901 }
902
903 /*
904 * We have a definite conflict (or a potential one, but the caller
905 * didn't want to wait). Return it to caller, or report it.
906 */
907 if (violationOK)
908 {
909 conflict = true;
910 if (conflictTid)
911 *conflictTid = existing_slot->tts_tid;
912 break;
913 }
914
918 if (newIndex)
921 errmsg("could not create exclusion constraint \"%s\"",
924 errdetail("Key %s conflicts with key %s.",
926 errdetail("Key conflicts exist."),
929 else
932 errmsg("conflicting key value violates exclusion constraint \"%s\"",
935 errdetail("Key %s conflicts with existing key %s.",
937 errdetail("Key conflicts with existing key."),
940 }
941
943
944 /*
945 * Ordinarily, at this point the search should have found the originally
946 * inserted tuple (if any), unless we exited the loop early because of
947 * conflict. However, it is possible to define exclusion constraints for
948 * which that wouldn't be true --- for instance, if the operator is <>. So
949 * we no longer complain if found_self is still false.
950 */
951
952 econtext->ecxt_scantuple = save_scantuple;
953
955
956#ifdef USE_INJECTION_POINTS
957 if (!conflict)
958 INJECTION_POINT("check-exclusion-or-unique-constraint-no-conflict", NULL);
959#endif
960
961 return !conflict;
962}
963
964/*
965 * Check for violation of an exclusion constraint
966 *
967 * This is a dumbed down version of check_exclusion_or_unique_constraint
968 * for external callers. They don't need all the special modes.
969 */
970void
972 IndexInfo *indexInfo,
974 const Datum *values, const bool *isnull,
975 EState *estate, bool newIndex)
976{
978 values, isnull,
979 estate, newIndex,
980 CEOUC_WAIT, false, NULL);
981}
982
983/*
984 * Check existing tuple's index values to see if it really matches the
985 * exclusion condition against the new_values. Returns true if conflict.
986 */
987static bool
989 const Datum *existing_values, const bool *existing_isnull,
990 const Datum *new_values)
991{
993 int i;
994
995 for (i = 0; i < indnkeyatts; i++)
996 {
997 /* Assume the exclusion operators are strict */
998 if (existing_isnull[i])
999 return false;
1000
1002 index->rd_indcollation[i],
1004 new_values[i])))
1005 return false;
1006 }
1007
1008 return true;
1009}
1010
1011/*
1012 * Check if ExecInsertIndexTuples() should pass indexUnchanged hint.
1013 *
1014 * When the executor performs an UPDATE that requires a new round of index
1015 * tuples, determine if we should pass 'indexUnchanged' = true hint for one
1016 * single index.
1017 */
1018static bool
1020 IndexInfo *indexInfo, Relation indexRelation)
1021{
1022 Bitmapset *updatedCols;
1025 bool hasexpression = false;
1026 List *idxExprs;
1027
1028 /*
1029 * Check cache first
1030 */
1031 if (indexInfo->ii_CheckedUnchanged)
1032 return indexInfo->ii_IndexUnchanged;
1033 indexInfo->ii_CheckedUnchanged = true;
1034
1035 /*
1036 * Check for indexed attribute overlap with updated columns.
1037 *
1038 * Only do this for key columns. A change to a non-key column within an
1039 * INCLUDE index should not be counted here. Non-key column values are
1040 * opaque payload state to the index AM, a little like an extra table TID.
1041 *
1042 * Note that row-level BEFORE triggers won't affect our behavior, since
1043 * they don't affect the updatedCols bitmaps generally. It doesn't seem
1044 * worth the trouble of checking which attributes were changed directly.
1045 */
1046 updatedCols = ExecGetUpdatedCols(resultRelInfo, estate);
1047 extraUpdatedCols = ExecGetExtraUpdatedCols(resultRelInfo, estate);
1048 for (int attr = 0; attr < indexInfo->ii_NumIndexKeyAttrs; attr++)
1049 {
1050 int keycol = indexInfo->ii_IndexAttrNumbers[attr];
1051
1052 if (keycol <= 0)
1053 {
1054 /*
1055 * Skip expressions for now, but remember to deal with them later
1056 * on
1057 */
1058 hasexpression = true;
1059 continue;
1060 }
1061
1063 updatedCols) ||
1066 {
1067 /* Changed key column -- don't hint for this index */
1068 indexInfo->ii_IndexUnchanged = false;
1069 return false;
1070 }
1071 }
1072
1073 /*
1074 * When we get this far and index has no expressions, return true so that
1075 * index_insert() call will go on to pass 'indexUnchanged' = true hint.
1076 *
1077 * The _absence_ of an indexed key attribute that overlaps with updated
1078 * attributes (in addition to the total absence of indexed expressions)
1079 * shows that the index as a whole is logically unchanged by UPDATE.
1080 */
1081 if (!hasexpression)
1082 {
1083 indexInfo->ii_IndexUnchanged = true;
1084 return true;
1085 }
1086
1087 /*
1088 * Need to pass only one bms to expression_tree_walker helper function.
1089 * Avoid allocating memory in common case where there are no extra cols.
1090 */
1091 if (!extraUpdatedCols)
1092 allUpdatedCols = updatedCols;
1093 else
1095
1096 /*
1097 * We have to work slightly harder in the event of indexed expressions,
1098 * but the principle is the same as before: try to find columns (Vars,
1099 * actually) that overlap with known-updated columns.
1100 *
1101 * If we find any matching Vars, don't pass hint for index. Otherwise
1102 * pass hint.
1103 */
1104 idxExprs = RelationGetIndexExpressions(indexRelation);
1108 if (extraUpdatedCols)
1110
1111 if (hasexpression)
1112 {
1113 indexInfo->ii_IndexUnchanged = false;
1114 return false;
1115 }
1116
1117 /*
1118 * Deliberately don't consider index predicates. We should even give the
1119 * hint when result rel's "updated tuple" has no corresponding index
1120 * tuple, which is possible with a partial index (provided the usual
1121 * conditions are met).
1122 */
1123 indexInfo->ii_IndexUnchanged = true;
1124 return true;
1125}
1126
1127/*
1128 * Indexed expression helper for index_unchanged_by_update().
1129 *
1130 * Returns true when Var that appears within allUpdatedCols located.
1131 */
1132static bool
1134{
1135 if (node == NULL)
1136 return false;
1137
1138 if (IsA(node, Var))
1139 {
1140 Var *var = (Var *) node;
1141
1144 {
1145 /* Var was updated -- indicates that we should not hint */
1146 return true;
1147 }
1148
1149 /* Still haven't found a reason to not pass the hint */
1150 return false;
1151 }
1152
1155}
1156
1157/*
1158 * ExecWithoutOverlapsNotEmpty - raise an error if the tuple has an empty
1159 * range or multirange in the given attribute.
1160 */
1161static void
1163{
1164 bool isempty;
1165 RangeType *r;
1167
1168 switch (typtype)
1169 {
1170 case TYPTYPE_RANGE:
1172 isempty = RangeIsEmpty(r);
1173 break;
1174 case TYPTYPE_MULTIRANGE:
1177 break;
1178 default:
1179 elog(ERROR, "WITHOUT OVERLAPS column \"%s\" is not a range or multirange",
1180 NameStr(attname));
1181 }
1182
1183 /* Report a CHECK_VIOLATION */
1184 if (isempty)
1185 ereport(ERROR,
1187 errmsg("empty WITHOUT OVERLAPS value found in column \"%s\" in relation \"%s\"",
1189}
int16 AttrNumber
Definition attnum.h:21
void bms_free(Bitmapset *a)
Definition bitmapset.c:239
bool bms_is_member(int x, const Bitmapset *a)
Definition bitmapset.c:510
Bitmapset * bms_union(const Bitmapset *a, const Bitmapset *b)
Definition bitmapset.c:251
static Datum values[MAXATTR]
Definition bootstrap.c:190
#define NameStr(name)
Definition c.h:835
#define Assert(condition)
Definition c.h:943
uint16_t uint16
Definition c.h:623
uint32_t uint32
Definition c.h:624
uint32 TransactionId
Definition c.h:736
#define OidIsValid(objectId)
Definition c.h:858
uint32 result
int errcode(int sqlerrcode)
Definition elog.c:874
int errdetail(const char *fmt,...) pg_attribute_printf(1
#define ERROR
Definition elog.h:40
#define elog(elevel,...)
Definition elog.h:228
#define ereport(elevel,...)
Definition elog.h:152
ExprState * ExecPrepareQual(List *qual, EState *estate)
Definition execExpr.c:826
static bool index_unchanged_by_update(ResultRelInfo *resultRelInfo, EState *estate, IndexInfo *indexInfo, Relation indexRelation)
void ExecCloseIndices(ResultRelInfo *resultRelInfo)
List * ExecInsertIndexTuples(ResultRelInfo *resultRelInfo, EState *estate, uint32 flags, TupleTableSlot *slot, List *arbiterIndexes, bool *specConflict)
static bool index_recheck_constraint(Relation index, const Oid *constr_procs, const Datum *existing_values, const bool *existing_isnull, const Datum *new_values)
void ExecOpenIndices(ResultRelInfo *resultRelInfo, bool speculative)
CEOUC_WAIT_MODE
@ CEOUC_NOWAIT
@ CEOUC_WAIT
@ CEOUC_LIVELOCK_PREVENTING_WAIT
static bool index_expression_changed_walker(Node *node, Bitmapset *allUpdatedCols)
void check_exclusion_constraint(Relation heap, Relation index, IndexInfo *indexInfo, const ItemPointerData *tupleid, const Datum *values, const bool *isnull, EState *estate, bool newIndex)
static void ExecWithoutOverlapsNotEmpty(Relation rel, NameData attname, Datum attval, char typtype, Oid atttypid)
static bool check_exclusion_or_unique_constraint(Relation heap, Relation index, IndexInfo *indexInfo, const ItemPointerData *tupleid, const Datum *values, const bool *isnull, EState *estate, bool newIndex, CEOUC_WAIT_MODE waitMode, bool violationOK, ItemPointer conflictTid)
bool ExecCheckIndexConstraints(ResultRelInfo *resultRelInfo, TupleTableSlot *slot, EState *estate, ItemPointer conflictTid, const ItemPointerData *tupleid, List *arbiterIndexes)
void ExecDropSingleTupleTableSlot(TupleTableSlot *slot)
Bitmapset * ExecGetExtraUpdatedCols(ResultRelInfo *relinfo, EState *estate)
Definition execUtils.c:1429
Bitmapset * ExecGetUpdatedCols(ResultRelInfo *relinfo, EState *estate)
Definition execUtils.c:1408
#define GetPerTupleExprContext(estate)
Definition executor.h:667
#define EIIT_IS_UPDATE
Definition executor.h:757
#define EIIT_ONLY_SUMMARIZING
Definition executor.h:759
static bool ExecQual(ExprState *state, ExprContext *econtext)
Definition executor.h:529
#define EIIT_NO_DUPE_ERROR
Definition executor.h:758
#define palloc_array(type, count)
Definition fe_memutils.h:76
Datum OidFunctionCall2Coll(Oid functionId, Oid collation, Datum arg1, Datum arg2)
Definition fmgr.c:1423
char * BuildIndexValueDescription(Relation indexRelation, const Datum *values, const bool *isnull)
Definition genam.c:178
IndexUniqueCheck
Definition genam.h:124
@ UNIQUE_CHECK_NO
Definition genam.h:125
@ UNIQUE_CHECK_PARTIAL
Definition genam.h:127
@ UNIQUE_CHECK_YES
Definition genam.h:126
IndexInfo * BuildIndexInfo(Relation index)
Definition index.c:2446
void BuildSpeculativeIndexInfo(Relation index, IndexInfo *ii)
Definition index.c:2687
void FormIndexDatum(IndexInfo *indexInfo, TupleTableSlot *slot, EState *estate, Datum *values, bool *isnull)
Definition index.c:2748
bool index_getnext_slot(IndexScanDesc scan, ScanDirection direction, TupleTableSlot *slot)
Definition indexam.c:698
bool index_insert(Relation indexRelation, Datum *values, bool *isnull, ItemPointer heap_t_ctid, Relation heapRelation, IndexUniqueCheck checkUnique, bool indexUnchanged, IndexInfo *indexInfo)
Definition indexam.c:214
IndexScanDesc index_beginscan(Relation heapRelation, Relation indexRelation, Snapshot snapshot, IndexScanInstrumentation *instrument, int nkeys, int norderbys, uint32 flags)
Definition indexam.c:257
void index_insert_cleanup(Relation indexRelation, IndexInfo *indexInfo)
Definition indexam.c:242
void index_close(Relation relation, LOCKMODE lockmode)
Definition indexam.c:178
void index_endscan(IndexScanDesc scan)
Definition indexam.c:394
Relation index_open(Oid relationId, LOCKMODE lockmode)
Definition indexam.c:134
void index_rescan(IndexScanDesc scan, ScanKey keys, int nkeys, ScanKey orderbys, int norderbys)
Definition indexam.c:368
#define INJECTION_POINT(name, arg)
int i
Definition isn.c:77
bool ItemPointerEquals(const ItemPointerData *pointer1, const ItemPointerData *pointer2)
Definition itemptr.c:35
static void ItemPointerSetInvalid(ItemPointerData *pointer)
Definition itemptr.h:184
static bool ItemPointerIsValid(const ItemPointerData *pointer)
Definition itemptr.h:83
List * lappend_oid(List *list, Oid datum)
Definition list.c:375
void list_free(List *list)
Definition list.c:1546
bool list_member_oid(const List *list, Oid datum)
Definition list.c:722
void SpeculativeInsertionWait(TransactionId xid, uint32 token)
Definition lmgr.c:828
void XactLockTableWait(TransactionId xid, Relation rel, const ItemPointerData *ctid, XLTW_Oper oper)
Definition lmgr.c:663
XLTW_Oper
Definition lmgr.h:25
@ XLTW_InsertIndex
Definition lmgr.h:31
@ XLTW_RecheckExclusionConstr
Definition lmgr.h:34
#define RowExclusiveLock
Definition lockdefs.h:38
char get_typtype(Oid typid)
Definition lsyscache.c:2851
#define MultirangeIsEmpty(mr)
static MultirangeType * DatumGetMultirangeTypeP(Datum X)
#define expression_tree_walker(n, w, c)
Definition nodeFuncs.h:153
#define IsA(nodeptr, _type_)
Definition nodes.h:164
static char * errmsg
NameData attname
FormData_pg_attribute * Form_pg_attribute
#define INDEX_MAX_KEYS
const void size_t len
static int list_length(const List *l)
Definition pg_list.h:152
#define NIL
Definition pg_list.h:68
#define lfirst_oid(lc)
Definition pg_list.h:174
static bool DatumGetBool(Datum X)
Definition postgres.h:100
uint64_t Datum
Definition postgres.h:70
#define InvalidOid
unsigned int Oid
static int fb(int x)
static RangeType * DatumGetRangeTypeP(Datum X)
Definition rangetypes.h:73
#define RangeIsEmpty(r)
Definition rangetypes.h:55
#define RelationGetForm(relation)
Definition rel.h:510
#define RelationGetRelid(relation)
Definition rel.h:516
#define RelationGetDescr(relation)
Definition rel.h:542
#define RelationGetRelationName(relation)
Definition rel.h:550
#define IndexRelationGetNumberOfKeyAttributes(relation)
Definition rel.h:535
List * RelationGetIndexList(Relation relation)
Definition relcache.c:4827
int errtableconstraint(Relation rel, const char *conname)
Definition relcache.c:6117
List * RelationGetIndexExpressions(Relation relation)
Definition relcache.c:5088
void ScanKeyEntryInitialize(ScanKey entry, int flags, AttrNumber attributeNumber, StrategyNumber strategy, Oid subtype, Oid collation, RegProcedure procedure, Datum argument)
Definition scankey.c:32
@ ForwardScanDirection
Definition sdir.h:28
#define SK_SEARCHNULL
Definition skey.h:121
#define SK_ISNULL
Definition skey.h:115
#define InitDirtySnapshot(snapshotdata)
Definition snapmgr.h:42
TupleTableSlot * ecxt_scantuple
Definition execnodes.h:287
bool ii_Unique
Definition execnodes.h:214
uint16 * ii_ExclusionStrats
Definition execnodes.h:206
bool ii_CheckedUnchanged
Definition execnodes.h:220
ExprState * ii_PredicateState
Definition execnodes.h:199
Oid * ii_ExclusionOps
Definition execnodes.h:202
bool ii_NullsNotDistinct
Definition execnodes.h:216
uint16 * ii_UniqueStrats
Definition execnodes.h:211
int ii_NumIndexKeyAttrs
Definition execnodes.h:183
bool ii_WithoutOverlaps
Definition execnodes.h:230
bool ii_IndexUnchanged
Definition execnodes.h:222
Oid * ii_ExclusionProcs
Definition execnodes.h:204
AttrNumber ii_IndexAttrNumbers[INDEX_MAX_KEYS]
Definition execnodes.h:189
bool ii_Summarizing
Definition execnodes.h:228
Oid * ii_UniqueProcs
Definition execnodes.h:210
bool ii_ReadyForInserts
Definition execnodes.h:218
List * ii_Predicate
Definition execnodes.h:197
Definition pg_list.h:54
Definition nodes.h:135
Form_pg_index rd_index
Definition rel.h:192
Relation ri_RelationDesc
Definition execnodes.h:513
RelationPtr ri_IndexRelationDescs
Definition execnodes.h:519
IndexInfo ** ri_IndexRelationInfo
Definition execnodes.h:522
ItemPointerData tts_tid
Definition tuptable.h:142
AttrNumber varattno
Definition primnodes.h:275
Definition type.h:96
Definition c.h:830
#define FirstLowInvalidHeapAttributeNumber
Definition sysattr.h:27
TupleTableSlot * table_slot_create(Relation relation, List **reglist)
Definition tableam.c:92
@ SO_NONE
Definition tableam.h:49
#define TransactionIdIsValid(xid)
Definition transam.h:41
static bool TransactionIdPrecedes(TransactionId id1, TransactionId id2)
Definition transam.h:263
static FormData_pg_attribute * TupleDescAttr(TupleDesc tupdesc, int i)
Definition tupdesc.h:178
TypeCacheEntry * lookup_type_cache(Oid type_id, int flags)
Definition typcache.c:389
#define TYPECACHE_DOMAIN_BASE_INFO
Definition typcache.h:150
TransactionId GetCurrentTransactionId(void)
Definition xact.c:456