PostgreSQL Source Code git master
nodeSubplan.c
Go to the documentation of this file.
1/*-------------------------------------------------------------------------
2 *
3 * nodeSubplan.c
4 * routines to support sub-selects appearing in expressions
5 *
6 * This module is concerned with executing SubPlan expression nodes, which
7 * should not be confused with sub-SELECTs appearing in FROM. SubPlans are
8 * divided into "initplans", which are those that need only one evaluation per
9 * query (among other restrictions, this requires that they don't use any
10 * direct correlation variables from the parent plan level), and "regular"
11 * subplans, which are re-evaluated every time their result is required.
12 *
13 *
14 * Portions Copyright (c) 1996-2025, PostgreSQL Global Development Group
15 * Portions Copyright (c) 1994, Regents of the University of California
16 *
17 * IDENTIFICATION
18 * src/backend/executor/nodeSubplan.c
19 *
20 *-------------------------------------------------------------------------
21 */
22/*
23 * INTERFACE ROUTINES
24 * ExecSubPlan - process a subselect
25 * ExecInitSubPlan - initialize a subselect
26 */
27#include "postgres.h"
28
29#include <math.h>
30
31#include "access/htup_details.h"
32#include "executor/executor.h"
34#include "miscadmin.h"
35#include "nodes/makefuncs.h"
36#include "nodes/nodeFuncs.h"
37#include "utils/array.h"
38#include "utils/lsyscache.h"
39#include "utils/memutils.h"
40
42 ExprContext *econtext,
43 bool *isNull);
45 ExprContext *econtext,
46 bool *isNull);
47static void buildSubPlanHash(SubPlanState *node, ExprContext *econtext);
48static bool findPartialMatch(TupleHashTable hashtable, TupleTableSlot *slot,
49 FmgrInfo *eqfunctions);
50static bool slotAllNulls(TupleTableSlot *slot);
51static bool slotNoNulls(TupleTableSlot *slot);
52
53
54/* ----------------------------------------------------------------
55 * ExecSubPlan
56 *
57 * This is the main entry point for execution of a regular SubPlan.
58 * ----------------------------------------------------------------
59 */
62 ExprContext *econtext,
63 bool *isNull)
64{
65 SubPlan *subplan = node->subplan;
66 EState *estate = node->planstate->state;
67 ScanDirection dir = estate->es_direction;
68 Datum retval;
69
71
72 /* Set non-null as default */
73 *isNull = false;
74
75 /* Sanity checks */
76 if (subplan->subLinkType == CTE_SUBLINK)
77 elog(ERROR, "CTE subplans should not be executed via ExecSubPlan");
78 if (subplan->setParam != NIL && subplan->subLinkType != MULTIEXPR_SUBLINK)
79 elog(ERROR, "cannot set parent params from subquery");
80
81 /* Force forward-scan mode for evaluation */
83
84 /* Select appropriate evaluation strategy */
85 if (subplan->useHashTable)
86 retval = ExecHashSubPlan(node, econtext, isNull);
87 else
88 retval = ExecScanSubPlan(node, econtext, isNull);
89
90 /* restore scan direction */
91 estate->es_direction = dir;
92
93 return retval;
94}
95
96/*
97 * ExecHashSubPlan: store subselect result in an in-memory hash table
98 */
99static Datum
101 ExprContext *econtext,
102 bool *isNull)
103{
104 bool result = false;
105 SubPlan *subplan = node->subplan;
106 PlanState *planstate = node->planstate;
107 TupleTableSlot *slot;
108
109 /* Shouldn't have any direct correlation Vars */
110 if (subplan->parParam != NIL || subplan->args != NIL)
111 elog(ERROR, "hashed subplan with direct correlation not supported");
112
113 /*
114 * If first time through or we need to rescan the subplan, build the hash
115 * table.
116 */
117 if (node->hashtable == NULL || planstate->chgParam != NULL)
118 buildSubPlanHash(node, econtext);
119
120 /*
121 * The result for an empty subplan is always FALSE; no need to evaluate
122 * lefthand side.
123 */
124 *isNull = false;
125 if (!node->havehashrows && !node->havenullrows)
126 return BoolGetDatum(false);
127
128 /*
129 * Evaluate lefthand expressions and form a projection tuple. First we
130 * have to set the econtext to use (hack alert!).
131 */
132 node->projLeft->pi_exprContext = econtext;
133 slot = ExecProject(node->projLeft);
134
135 /*
136 * If the LHS is all non-null, probe for an exact match in the main hash
137 * table. If we find one, the result is TRUE. Otherwise, scan the
138 * partly-null table to see if there are any rows that aren't provably
139 * unequal to the LHS; if so, the result is UNKNOWN. (We skip that part
140 * if we don't care about UNKNOWN.) Otherwise, the result is FALSE.
141 *
142 * Note: the reason we can avoid a full scan of the main hash table is
143 * that the combining operators are assumed never to yield NULL when both
144 * inputs are non-null. If they were to do so, we might need to produce
145 * UNKNOWN instead of FALSE because of an UNKNOWN result in comparing the
146 * LHS to some main-table entry --- which is a comparison we will not even
147 * make, unless there's a chance match of hash keys.
148 */
149 if (slotNoNulls(slot))
150 {
151 if (node->havehashrows &&
153 slot,
154 node->cur_eq_comp,
155 node->lhs_hash_expr) != NULL)
156 result = true;
157 else if (node->havenullrows &&
158 findPartialMatch(node->hashnulls, slot, node->cur_eq_funcs))
159 *isNull = true;
160 }
161
162 /*
163 * When the LHS is partly or wholly NULL, we can never return TRUE. If we
164 * don't care about UNKNOWN, just return FALSE. Otherwise, if the LHS is
165 * wholly NULL, immediately return UNKNOWN. (Since the combining
166 * operators are strict, the result could only be FALSE if the sub-select
167 * were empty, but we already handled that case.) Otherwise, we must scan
168 * both the main and partly-null tables to see if there are any rows that
169 * aren't provably unequal to the LHS; if so, the result is UNKNOWN.
170 * Otherwise, the result is FALSE.
171 */
172 else if (node->hashnulls == NULL)
173 /* just return FALSE */ ;
174 else if (slotAllNulls(slot))
175 *isNull = true;
176 /* Scan partly-null table first, since more likely to get a match */
177 else if (node->havenullrows &&
178 findPartialMatch(node->hashnulls, slot, node->cur_eq_funcs))
179 *isNull = true;
180 else if (node->havehashrows &&
181 findPartialMatch(node->hashtable, slot, node->cur_eq_funcs))
182 *isNull = true;
183
184 /*
185 * Note: because we are typically called in a per-tuple context, we have
186 * to explicitly clear the projected tuple before returning. Otherwise,
187 * we'll have a double-free situation: the per-tuple context will probably
188 * be reset before we're called again, and then the tuple slot will think
189 * it still needs to free the tuple.
190 */
191 ExecClearTuple(slot);
192
193 /* Also must reset the innerecontext after each hashtable lookup. */
195
196 return BoolGetDatum(result);
197}
198
199/*
200 * ExecScanSubPlan: default case where we have to rescan subplan each time
201 */
202static Datum
204 ExprContext *econtext,
205 bool *isNull)
206{
207 SubPlan *subplan = node->subplan;
208 PlanState *planstate = node->planstate;
209 SubLinkType subLinkType = subplan->subLinkType;
210 MemoryContext oldcontext;
211 TupleTableSlot *slot;
212 Datum result;
213 bool found = false; /* true if got at least one subplan tuple */
214 ListCell *l;
215 ArrayBuildStateAny *astate = NULL;
216
217 /* Initialize ArrayBuildStateAny in caller's context, if needed */
218 if (subLinkType == ARRAY_SUBLINK)
219 astate = initArrayResultAny(subplan->firstColType,
221
222 /*
223 * We are probably in a short-lived expression-evaluation context. Switch
224 * to the per-query context for manipulating the child plan's chgParam,
225 * calling ExecProcNode on it, etc.
226 */
227 oldcontext = MemoryContextSwitchTo(econtext->ecxt_per_query_memory);
228
229 /*
230 * We rely on the caller to evaluate plan correlation values, if
231 * necessary. However we still need to record the fact that the values
232 * (might have) changed, otherwise the ExecReScan() below won't know that
233 * nodes need to be rescanned.
234 */
235 foreach(l, subplan->parParam)
236 {
237 int paramid = lfirst_int(l);
238
239 planstate->chgParam = bms_add_member(planstate->chgParam, paramid);
240 }
241
242 /* with that done, we can reset the subplan */
243 ExecReScan(planstate);
244
245 /*
246 * For all sublink types except EXPR_SUBLINK and ARRAY_SUBLINK, the result
247 * is boolean as are the results of the combining operators. We combine
248 * results across tuples (if the subplan produces more than one) using OR
249 * semantics for ANY_SUBLINK or AND semantics for ALL_SUBLINK.
250 * (ROWCOMPARE_SUBLINK doesn't allow multiple tuples from the subplan.)
251 * NULL results from the combining operators are handled according to the
252 * usual SQL semantics for OR and AND. The result for no input tuples is
253 * FALSE for ANY_SUBLINK, TRUE for ALL_SUBLINK, NULL for
254 * ROWCOMPARE_SUBLINK.
255 *
256 * For EXPR_SUBLINK we require the subplan to produce no more than one
257 * tuple, else an error is raised. If zero tuples are produced, we return
258 * NULL. Assuming we get a tuple, we just use its first column (there can
259 * be only one non-junk column in this case).
260 *
261 * For MULTIEXPR_SUBLINK, we push the per-column subplan outputs out to
262 * the setParams and then return a dummy false value. There must not be
263 * multiple tuples returned from the subplan; if zero tuples are produced,
264 * set the setParams to NULL.
265 *
266 * For ARRAY_SUBLINK we allow the subplan to produce any number of tuples,
267 * and form an array of the first column's values. Note in particular
268 * that we produce a zero-element array if no tuples are produced (this is
269 * a change from pre-8.3 behavior of returning NULL).
270 */
271 result = BoolGetDatum(subLinkType == ALL_SUBLINK);
272 *isNull = false;
273
274 for (slot = ExecProcNode(planstate);
275 !TupIsNull(slot);
276 slot = ExecProcNode(planstate))
277 {
278 TupleDesc tdesc = slot->tts_tupleDescriptor;
279 Datum rowresult;
280 bool rownull;
281 int col;
282 ListCell *plst;
283
284 if (subLinkType == EXISTS_SUBLINK)
285 {
286 found = true;
287 result = BoolGetDatum(true);
288 break;
289 }
290
291 if (subLinkType == EXPR_SUBLINK)
292 {
293 /* cannot allow multiple input tuples for EXPR sublink */
294 if (found)
296 (errcode(ERRCODE_CARDINALITY_VIOLATION),
297 errmsg("more than one row returned by a subquery used as an expression")));
298 found = true;
299
300 /*
301 * We need to copy the subplan's tuple in case the result is of
302 * pass-by-ref type --- our return value will point into this
303 * copied tuple! Can't use the subplan's instance of the tuple
304 * since it won't still be valid after next ExecProcNode() call.
305 * node->curTuple keeps track of the copied tuple for eventual
306 * freeing.
307 */
308 if (node->curTuple)
310 node->curTuple = ExecCopySlotHeapTuple(slot);
311
312 result = heap_getattr(node->curTuple, 1, tdesc, isNull);
313 /* keep scanning subplan to make sure there's only one tuple */
314 continue;
315 }
316
317 if (subLinkType == MULTIEXPR_SUBLINK)
318 {
319 /* cannot allow multiple input tuples for MULTIEXPR sublink */
320 if (found)
322 (errcode(ERRCODE_CARDINALITY_VIOLATION),
323 errmsg("more than one row returned by a subquery used as an expression")));
324 found = true;
325
326 /*
327 * We need to copy the subplan's tuple in case any result is of
328 * pass-by-ref type --- our output values will point into this
329 * copied tuple! Can't use the subplan's instance of the tuple
330 * since it won't still be valid after next ExecProcNode() call.
331 * node->curTuple keeps track of the copied tuple for eventual
332 * freeing.
333 */
334 if (node->curTuple)
336 node->curTuple = ExecCopySlotHeapTuple(slot);
337
338 /*
339 * Now set all the setParam params from the columns of the tuple
340 */
341 col = 1;
342 foreach(plst, subplan->setParam)
343 {
344 int paramid = lfirst_int(plst);
345 ParamExecData *prmdata;
346
347 prmdata = &(econtext->ecxt_param_exec_vals[paramid]);
348 Assert(prmdata->execPlan == NULL);
349 prmdata->value = heap_getattr(node->curTuple, col, tdesc,
350 &(prmdata->isnull));
351 col++;
352 }
353
354 /* keep scanning subplan to make sure there's only one tuple */
355 continue;
356 }
357
358 if (subLinkType == ARRAY_SUBLINK)
359 {
360 Datum dvalue;
361 bool disnull;
362
363 found = true;
364 /* stash away current value */
365 Assert(subplan->firstColType == TupleDescAttr(tdesc, 0)->atttypid);
366 dvalue = slot_getattr(slot, 1, &disnull);
367 astate = accumArrayResultAny(astate, dvalue, disnull,
368 subplan->firstColType, oldcontext);
369 /* keep scanning subplan to collect all values */
370 continue;
371 }
372
373 /* cannot allow multiple input tuples for ROWCOMPARE sublink either */
374 if (subLinkType == ROWCOMPARE_SUBLINK && found)
376 (errcode(ERRCODE_CARDINALITY_VIOLATION),
377 errmsg("more than one row returned by a subquery used as an expression")));
378
379 found = true;
380
381 /*
382 * For ALL, ANY, and ROWCOMPARE sublinks, load up the Params
383 * representing the columns of the sub-select, and then evaluate the
384 * combining expression.
385 */
386 col = 1;
387 foreach(plst, subplan->paramIds)
388 {
389 int paramid = lfirst_int(plst);
390 ParamExecData *prmdata;
391
392 prmdata = &(econtext->ecxt_param_exec_vals[paramid]);
393 Assert(prmdata->execPlan == NULL);
394 prmdata->value = slot_getattr(slot, col, &(prmdata->isnull));
395 col++;
396 }
397
398 rowresult = ExecEvalExprSwitchContext(node->testexpr, econtext,
399 &rownull);
400
401 if (subLinkType == ANY_SUBLINK)
402 {
403 /* combine across rows per OR semantics */
404 if (rownull)
405 *isNull = true;
406 else if (DatumGetBool(rowresult))
407 {
408 result = BoolGetDatum(true);
409 *isNull = false;
410 break; /* needn't look at any more rows */
411 }
412 }
413 else if (subLinkType == ALL_SUBLINK)
414 {
415 /* combine across rows per AND semantics */
416 if (rownull)
417 *isNull = true;
418 else if (!DatumGetBool(rowresult))
419 {
420 result = BoolGetDatum(false);
421 *isNull = false;
422 break; /* needn't look at any more rows */
423 }
424 }
425 else
426 {
427 /* must be ROWCOMPARE_SUBLINK */
428 result = rowresult;
429 *isNull = rownull;
430 }
431 }
432
433 MemoryContextSwitchTo(oldcontext);
434
435 if (subLinkType == ARRAY_SUBLINK)
436 {
437 /* We return the result in the caller's context */
438 result = makeArrayResultAny(astate, oldcontext, true);
439 }
440 else if (!found)
441 {
442 /*
443 * deal with empty subplan result. result/isNull were previously
444 * initialized correctly for all sublink types except EXPR and
445 * ROWCOMPARE; for those, return NULL.
446 */
447 if (subLinkType == EXPR_SUBLINK ||
448 subLinkType == ROWCOMPARE_SUBLINK)
449 {
450 result = (Datum) 0;
451 *isNull = true;
452 }
453 else if (subLinkType == MULTIEXPR_SUBLINK)
454 {
455 /* We don't care about function result, but set the setParams */
456 foreach(l, subplan->setParam)
457 {
458 int paramid = lfirst_int(l);
459 ParamExecData *prmdata;
460
461 prmdata = &(econtext->ecxt_param_exec_vals[paramid]);
462 Assert(prmdata->execPlan == NULL);
463 prmdata->value = (Datum) 0;
464 prmdata->isnull = true;
465 }
466 }
467 }
468
469 return result;
470}
471
472/*
473 * buildSubPlanHash: load hash table by scanning subplan output.
474 */
475static void
477{
478 SubPlan *subplan = node->subplan;
479 PlanState *planstate = node->planstate;
480 int ncols = node->numCols;
481 ExprContext *innerecontext = node->innerecontext;
482 MemoryContext oldcontext;
483 double nentries;
484 TupleTableSlot *slot;
485
486 Assert(subplan->subLinkType == ANY_SUBLINK);
487
488 /*
489 * If we already had any hash tables, reset 'em; otherwise create empty
490 * hash table(s).
491 *
492 * If we need to distinguish accurately between FALSE and UNKNOWN (i.e.,
493 * NULL) results of the IN operation, then we have to store subplan output
494 * rows that are partly or wholly NULL. We store such rows in a separate
495 * hash table that we expect will be much smaller than the main table. (We
496 * can use hashing to eliminate partly-null rows that are not distinct. We
497 * keep them separate to minimize the cost of the inevitable full-table
498 * searches; see findPartialMatch.)
499 *
500 * If it's not necessary to distinguish FALSE and UNKNOWN, then we don't
501 * need to store subplan output rows that contain NULL.
502 *
503 * Because the input slot for each hash table is always the slot resulting
504 * from an ExecProject(), we can use TTSOpsVirtual for the input ops. This
505 * saves a needless fetch inner op step for the hashing ExprState created
506 * in BuildTupleHashTable().
507 */
508 node->havehashrows = false;
509 node->havenullrows = false;
510
511 nentries = planstate->plan->plan_rows;
512
513 if (node->hashtable)
515 else
517 node->descRight,
519 ncols,
520 node->keyColIdx,
521 node->tab_eq_funcoids,
522 node->tab_hash_funcs,
523 node->tab_collations,
524 nentries,
525 0, /* no additional data */
527 node->tuplesContext,
528 innerecontext->ecxt_per_tuple_memory,
529 false);
530
531 if (!subplan->unknownEqFalse)
532 {
533 if (ncols == 1)
534 nentries = 1; /* there can only be one entry */
535 else
536 {
537 nentries /= 16;
538 if (nentries < 1)
539 nentries = 1;
540 }
541
542 if (node->hashnulls)
544 else
546 node->descRight,
548 ncols,
549 node->keyColIdx,
550 node->tab_eq_funcoids,
551 node->tab_hash_funcs,
552 node->tab_collations,
553 nentries,
554 0, /* no additional data */
556 node->tuplesContext,
557 innerecontext->ecxt_per_tuple_memory,
558 false);
559 }
560 else
561 node->hashnulls = NULL;
562
563 /*
564 * We are probably in a short-lived expression-evaluation context. Switch
565 * to the per-query context for manipulating the child plan.
566 */
567 oldcontext = MemoryContextSwitchTo(econtext->ecxt_per_query_memory);
568
569 /*
570 * Reset subplan to start.
571 */
572 ExecReScan(planstate);
573
574 /*
575 * Scan the subplan and load the hash table(s). Note that when there are
576 * duplicate rows coming out of the sub-select, only one copy is stored.
577 */
578 for (slot = ExecProcNode(planstate);
579 !TupIsNull(slot);
580 slot = ExecProcNode(planstate))
581 {
582 int col = 1;
583 ListCell *plst;
584 bool isnew;
585
586 /*
587 * Load up the Params representing the raw sub-select outputs, then
588 * form the projection tuple to store in the hashtable.
589 */
590 foreach(plst, subplan->paramIds)
591 {
592 int paramid = lfirst_int(plst);
593 ParamExecData *prmdata;
594
595 prmdata = &(innerecontext->ecxt_param_exec_vals[paramid]);
596 Assert(prmdata->execPlan == NULL);
597 prmdata->value = slot_getattr(slot, col,
598 &(prmdata->isnull));
599 col++;
600 }
601 slot = ExecProject(node->projRight);
602
603 /*
604 * If result contains any nulls, store separately or not at all.
605 */
606 if (slotNoNulls(slot))
607 {
608 (void) LookupTupleHashEntry(node->hashtable, slot, &isnew, NULL);
609 node->havehashrows = true;
610 }
611 else if (node->hashnulls)
612 {
613 (void) LookupTupleHashEntry(node->hashnulls, slot, &isnew, NULL);
614 node->havenullrows = true;
615 }
616
617 /*
618 * Reset innerecontext after each inner tuple to free any memory used
619 * during ExecProject and hashtable lookup.
620 */
621 ResetExprContext(innerecontext);
622 }
623
624 /*
625 * Since the projected tuples are in the sub-query's context and not the
626 * main context, we'd better clear the tuple slot before there's any
627 * chance of a reset of the sub-query's context. Else we will have the
628 * potential for a double free attempt. (XXX possibly no longer needed,
629 * but can't hurt.)
630 */
632
633 MemoryContextSwitchTo(oldcontext);
634}
635
636/* Planner support routine to estimate space needed for hash table(s) */
637Size
639 Size tupleWidth,
640 bool unknownEqFalse)
641{
642 Size tab1space,
643 tab2space;
644
645 /* Estimate size of main hashtable */
646 tab1space = EstimateTupleHashTableSpace(nentries,
647 tupleWidth,
648 0 /* no additional data */ );
649
650 /* Give up if that's already too big */
651 if (tab1space >= SIZE_MAX)
652 return tab1space;
653
654 /* Done if we don't need a hashnulls table */
655 if (unknownEqFalse)
656 return tab1space;
657
658 /*
659 * Adjust the rowcount estimate in the same way that buildSubPlanHash
660 * will, except that we don't bother with the special case for a single
661 * hash column. (We skip that detail because it'd be notationally painful
662 * for our caller to provide the column count, and this table has
663 * relatively little impact on the total estimate anyway.)
664 */
665 nentries /= 16;
666 if (nentries < 1)
667 nentries = 1;
668
669 /*
670 * It might be sane to also reduce the tupleWidth, but on the other hand
671 * we are not accounting for the space taken by the tuples' null bitmaps.
672 * Leave it alone for now.
673 */
674 tab2space = EstimateTupleHashTableSpace(nentries,
675 tupleWidth,
676 0 /* no additional data */ );
677
678 /* Guard against overflow */
679 if (tab2space >= SIZE_MAX - tab1space)
680 return SIZE_MAX;
681
682 return tab1space + tab2space;
683}
684
685/*
686 * execTuplesUnequal
687 * Return true if two tuples are definitely unequal in the indicated
688 * fields.
689 *
690 * Nulls are neither equal nor unequal to anything else. A true result
691 * is obtained only if there are non-null fields that compare not-equal.
692 *
693 * slot1, slot2: the tuples to compare (must have same columns!)
694 * numCols: the number of attributes to be examined
695 * matchColIdx: array of attribute column numbers
696 * eqFunctions: array of fmgr lookup info for the equality functions to use
697 * evalContext: short-term memory context for executing the functions
698 */
699static bool
701 TupleTableSlot *slot2,
702 int numCols,
703 AttrNumber *matchColIdx,
704 FmgrInfo *eqfunctions,
705 const Oid *collations,
706 MemoryContext evalContext)
707{
708 MemoryContext oldContext;
709 bool result;
710 int i;
711
712 /* Reset and switch into the temp context. */
713 MemoryContextReset(evalContext);
714 oldContext = MemoryContextSwitchTo(evalContext);
715
716 /*
717 * We cannot report a match without checking all the fields, but we can
718 * report a non-match as soon as we find unequal fields. So, start
719 * comparing at the last field (least significant sort key). That's the
720 * most likely to be different if we are dealing with sorted input.
721 */
722 result = false;
723
724 for (i = numCols; --i >= 0;)
725 {
726 AttrNumber att = matchColIdx[i];
727 Datum attr1,
728 attr2;
729 bool isNull1,
730 isNull2;
731
732 attr1 = slot_getattr(slot1, att, &isNull1);
733
734 if (isNull1)
735 continue; /* can't prove anything here */
736
737 attr2 = slot_getattr(slot2, att, &isNull2);
738
739 if (isNull2)
740 continue; /* can't prove anything here */
741
742 /* Apply the type-specific equality function */
743 if (!DatumGetBool(FunctionCall2Coll(&eqfunctions[i],
744 collations[i],
745 attr1, attr2)))
746 {
747 result = true; /* they are unequal */
748 break;
749 }
750 }
751
752 MemoryContextSwitchTo(oldContext);
753
754 return result;
755}
756
757/*
758 * findPartialMatch: does the hashtable contain an entry that is not
759 * provably distinct from the tuple?
760 *
761 * We have to scan the whole hashtable; we can't usefully use hashkeys
762 * to guide probing, since we might get partial matches on tuples with
763 * hashkeys quite unrelated to what we'd get from the given tuple.
764 *
765 * Caller must provide the equality functions to use, since in cross-type
766 * cases these are different from the hashtable's internal functions.
767 */
768static bool
770 FmgrInfo *eqfunctions)
771{
772 int numCols = hashtable->numCols;
773 AttrNumber *keyColIdx = hashtable->keyColIdx;
774 TupleHashIterator hashiter;
775 TupleHashEntry entry;
776
777 InitTupleHashIterator(hashtable, &hashiter);
778 while ((entry = ScanTupleHashTable(hashtable, &hashiter)) != NULL)
779 {
781
782 ExecStoreMinimalTuple(TupleHashEntryGetTuple(entry), hashtable->tableslot, false);
783 if (!execTuplesUnequal(slot, hashtable->tableslot,
784 numCols, keyColIdx,
785 eqfunctions,
786 hashtable->tab_collations,
787 hashtable->tempcxt))
788 {
789 TermTupleHashIterator(&hashiter);
790 return true;
791 }
792 }
793 /* No TermTupleHashIterator call needed here */
794 return false;
795}
796
797/*
798 * slotAllNulls: is the slot completely NULL?
799 *
800 * This does not test for dropped columns, which is OK because we only
801 * use it on projected tuples.
802 */
803static bool
805{
806 int ncols = slot->tts_tupleDescriptor->natts;
807 int i;
808
809 for (i = 1; i <= ncols; i++)
810 {
811 if (!slot_attisnull(slot, i))
812 return false;
813 }
814 return true;
815}
816
817/*
818 * slotNoNulls: is the slot entirely not NULL?
819 *
820 * This does not test for dropped columns, which is OK because we only
821 * use it on projected tuples.
822 */
823static bool
825{
826 int ncols = slot->tts_tupleDescriptor->natts;
827 int i;
828
829 for (i = 1; i <= ncols; i++)
830 {
831 if (slot_attisnull(slot, i))
832 return false;
833 }
834 return true;
835}
836
837/* ----------------------------------------------------------------
838 * ExecInitSubPlan
839 *
840 * Create a SubPlanState for a SubPlan; this is the SubPlan-specific part
841 * of ExecInitExpr(). We split it out so that it can be used for InitPlans
842 * as well as regular SubPlans. Note that we don't link the SubPlan into
843 * the parent's subPlan list, because that shouldn't happen for InitPlans.
844 * Instead, ExecInitExpr() does that one part.
845 *
846 * We also rely on ExecInitExpr(), more precisely ExecInitSubPlanExpr(), to
847 * evaluate input parameters, as that allows them to be evaluated as part of
848 * the expression referencing the SubPlan.
849 * ----------------------------------------------------------------
850 */
853{
855 EState *estate = parent->state;
856
857 sstate->subplan = subplan;
858
859 /* Link the SubPlanState to already-initialized subplan */
860 sstate->planstate = (PlanState *) list_nth(estate->es_subplanstates,
861 subplan->plan_id - 1);
862
863 /*
864 * This check can fail if the planner mistakenly puts a parallel-unsafe
865 * subplan into a parallelized subquery; see ExecSerializePlan.
866 */
867 if (sstate->planstate == NULL)
868 elog(ERROR, "subplan \"%s\" was not initialized",
869 subplan->plan_name);
870
871 /* Link to parent's state, too */
872 sstate->parent = parent;
873
874 /* Initialize subexpressions */
875 sstate->testexpr = ExecInitExpr((Expr *) subplan->testexpr, parent);
876
877 /*
878 * initialize my state
879 */
880 sstate->curTuple = NULL;
881 sstate->curArray = PointerGetDatum(NULL);
882 sstate->projLeft = NULL;
883 sstate->projRight = NULL;
884 sstate->hashtable = NULL;
885 sstate->hashnulls = NULL;
886 sstate->tuplesContext = NULL;
887 sstate->innerecontext = NULL;
888 sstate->keyColIdx = NULL;
889 sstate->tab_eq_funcoids = NULL;
890 sstate->tab_hash_funcs = NULL;
891 sstate->tab_collations = NULL;
892 sstate->cur_eq_funcs = NULL;
893
894 /*
895 * If this is an initplan, it has output parameters that the parent plan
896 * will use, so mark those parameters as needing evaluation. We don't
897 * actually run the subplan until we first need one of its outputs.
898 *
899 * A CTE subplan's output parameter is never to be evaluated in the normal
900 * way, so skip this in that case.
901 *
902 * Note that we don't set parent->chgParam here: the parent plan hasn't
903 * been run yet, so no need to force it to re-run.
904 */
905 if (subplan->setParam != NIL && subplan->parParam == NIL &&
906 subplan->subLinkType != CTE_SUBLINK)
907 {
908 ListCell *lst;
909
910 foreach(lst, subplan->setParam)
911 {
912 int paramid = lfirst_int(lst);
913 ParamExecData *prm = &(estate->es_param_exec_vals[paramid]);
914
915 prm->execPlan = sstate;
916 }
917 }
918
919 /*
920 * If we are going to hash the subquery output, initialize relevant stuff.
921 * (We don't create the hashtable until needed, though.)
922 */
923 if (subplan->useHashTable)
924 {
925 int ncols,
926 i;
927 TupleDesc tupDescLeft;
928 TupleDesc tupDescRight;
929 Oid *cross_eq_funcoids;
930 TupleTableSlot *slot;
931 FmgrInfo *lhs_hash_funcs;
932 List *oplist,
933 *lefttlist,
934 *righttlist;
935 ListCell *l;
936
937 /* We need a memory context to hold the hash table(s)' tuples */
938 sstate->tuplesContext =
940 "SubPlan hashed tuples",
942 /* and a short-lived exprcontext for function evaluation */
943 sstate->innerecontext = CreateExprContext(estate);
944
945 /*
946 * We use ExecProject to evaluate the lefthand and righthand
947 * expression lists and form tuples. (You might think that we could
948 * use the sub-select's output tuples directly, but that is not the
949 * case if we had to insert any run-time coercions of the sub-select's
950 * output datatypes; anyway this avoids storing any resjunk columns
951 * that might be in the sub-select's output.) Run through the
952 * combining expressions to build tlists for the lefthand and
953 * righthand sides.
954 *
955 * We also extract the combining operators themselves to initialize
956 * the equality and hashing functions for the hash tables.
957 */
958 if (IsA(subplan->testexpr, OpExpr))
959 {
960 /* single combining operator */
961 oplist = list_make1(subplan->testexpr);
962 }
963 else if (is_andclause(subplan->testexpr))
964 {
965 /* multiple combining operators */
966 oplist = castNode(BoolExpr, subplan->testexpr)->args;
967 }
968 else
969 {
970 /* shouldn't see anything else in a hashable subplan */
971 elog(ERROR, "unrecognized testexpr type: %d",
972 (int) nodeTag(subplan->testexpr));
973 oplist = NIL; /* keep compiler quiet */
974 }
975 ncols = list_length(oplist);
976
977 lefttlist = righttlist = NIL;
978 sstate->numCols = ncols;
979 sstate->keyColIdx = (AttrNumber *) palloc(ncols * sizeof(AttrNumber));
980 sstate->tab_eq_funcoids = (Oid *) palloc(ncols * sizeof(Oid));
981 sstate->tab_collations = (Oid *) palloc(ncols * sizeof(Oid));
982 sstate->tab_hash_funcs = (FmgrInfo *) palloc(ncols * sizeof(FmgrInfo));
983 lhs_hash_funcs = (FmgrInfo *) palloc(ncols * sizeof(FmgrInfo));
984 sstate->cur_eq_funcs = (FmgrInfo *) palloc(ncols * sizeof(FmgrInfo));
985 /* we'll need the cross-type equality fns below, but not in sstate */
986 cross_eq_funcoids = (Oid *) palloc(ncols * sizeof(Oid));
987
988 i = 1;
989 foreach(l, oplist)
990 {
991 OpExpr *opexpr = lfirst_node(OpExpr, l);
992 Expr *expr;
993 TargetEntry *tle;
994 Oid rhs_eq_oper;
995 Oid left_hashfn;
996 Oid right_hashfn;
997
998 Assert(list_length(opexpr->args) == 2);
999
1000 /* Process lefthand argument */
1001 expr = (Expr *) linitial(opexpr->args);
1002 tle = makeTargetEntry(expr,
1003 i,
1004 NULL,
1005 false);
1006 lefttlist = lappend(lefttlist, tle);
1007
1008 /* Process righthand argument */
1009 expr = (Expr *) lsecond(opexpr->args);
1010 tle = makeTargetEntry(expr,
1011 i,
1012 NULL,
1013 false);
1014 righttlist = lappend(righttlist, tle);
1015
1016 /* Lookup the equality function (potentially cross-type) */
1017 cross_eq_funcoids[i - 1] = opexpr->opfuncid;
1018 fmgr_info(opexpr->opfuncid, &sstate->cur_eq_funcs[i - 1]);
1019 fmgr_info_set_expr((Node *) opexpr, &sstate->cur_eq_funcs[i - 1]);
1020
1021 /* Look up the equality function for the RHS type */
1023 NULL, &rhs_eq_oper))
1024 elog(ERROR, "could not find compatible hash operator for operator %u",
1025 opexpr->opno);
1026 sstate->tab_eq_funcoids[i - 1] = get_opcode(rhs_eq_oper);
1027
1028 /* Lookup the associated hash functions */
1029 if (!get_op_hash_functions(opexpr->opno,
1030 &left_hashfn, &right_hashfn))
1031 elog(ERROR, "could not find hash function for hash operator %u",
1032 opexpr->opno);
1033 fmgr_info(left_hashfn, &lhs_hash_funcs[i - 1]);
1034 fmgr_info(right_hashfn, &sstate->tab_hash_funcs[i - 1]);
1035
1036 /* Set collation */
1037 sstate->tab_collations[i - 1] = opexpr->inputcollid;
1038
1039 /* keyColIdx is just column numbers 1..n */
1040 sstate->keyColIdx[i - 1] = i;
1041
1042 i++;
1043 }
1044
1045 /*
1046 * Construct tupdescs, slots and projection nodes for left and right
1047 * sides. The lefthand expressions will be evaluated in the parent
1048 * plan node's exprcontext, which we don't have access to here.
1049 * Fortunately we can just pass NULL for now and fill it in later
1050 * (hack alert!). The righthand expressions will be evaluated in our
1051 * own innerecontext.
1052 */
1053 tupDescLeft = ExecTypeFromTL(lefttlist);
1054 slot = ExecInitExtraTupleSlot(estate, tupDescLeft, &TTSOpsVirtual);
1055 sstate->projLeft = ExecBuildProjectionInfo(lefttlist,
1056 NULL,
1057 slot,
1058 parent,
1059 NULL);
1060
1061 sstate->descRight = tupDescRight = ExecTypeFromTL(righttlist);
1062 slot = ExecInitExtraTupleSlot(estate, tupDescRight, &TTSOpsVirtual);
1063 sstate->projRight = ExecBuildProjectionInfo(righttlist,
1064 sstate->innerecontext,
1065 slot,
1066 sstate->planstate,
1067 NULL);
1068
1069 /* Build the ExprState for generating hash values */
1070 sstate->lhs_hash_expr = ExecBuildHash32FromAttrs(tupDescLeft,
1072 lhs_hash_funcs,
1073 sstate->tab_collations,
1074 sstate->numCols,
1075 sstate->keyColIdx,
1076 parent,
1077 0);
1078
1079 /*
1080 * Create comparator for lookups of rows in the table (potentially
1081 * cross-type comparisons).
1082 */
1083 sstate->cur_eq_comp = ExecBuildGroupingEqual(tupDescLeft, tupDescRight,
1085 ncols,
1086 sstate->keyColIdx,
1087 cross_eq_funcoids,
1088 sstate->tab_collations,
1089 parent);
1090 }
1091
1092 return sstate;
1093}
1094
1095/* ----------------------------------------------------------------
1096 * ExecSetParamPlan
1097 *
1098 * Executes a subplan and sets its output parameters.
1099 *
1100 * This is called from ExecEvalParamExec() when the value of a PARAM_EXEC
1101 * parameter is requested and the param's execPlan field is set (indicating
1102 * that the param has not yet been evaluated). This allows lazy evaluation
1103 * of initplans: we don't run the subplan until/unless we need its output.
1104 * Note that this routine MUST clear the execPlan fields of the plan's
1105 * output parameters after evaluating them!
1106 *
1107 * The results of this function are stored in the EState associated with the
1108 * ExprContext (particularly, its ecxt_param_exec_vals); any pass-by-ref
1109 * result Datums are allocated in the EState's per-query memory. The passed
1110 * econtext can be any ExprContext belonging to that EState; which one is
1111 * important only to the extent that the ExprContext's per-tuple memory
1112 * context is used to evaluate any parameters passed down to the subplan.
1113 * (Thus in principle, the shorter-lived the ExprContext the better, since
1114 * that data isn't needed after we return. In practice, because initplan
1115 * parameters are never more complex than Vars, Aggrefs, etc, evaluating them
1116 * currently never leaks any memory anyway.)
1117 * ----------------------------------------------------------------
1118 */
1119void
1121{
1122 SubPlan *subplan = node->subplan;
1123 PlanState *planstate = node->planstate;
1124 SubLinkType subLinkType = subplan->subLinkType;
1125 EState *estate = planstate->state;
1126 ScanDirection dir = estate->es_direction;
1127 MemoryContext oldcontext;
1128 TupleTableSlot *slot;
1129 ListCell *l;
1130 bool found = false;
1131 ArrayBuildStateAny *astate = NULL;
1132
1133 if (subLinkType == ANY_SUBLINK ||
1134 subLinkType == ALL_SUBLINK)
1135 elog(ERROR, "ANY/ALL subselect unsupported as initplan");
1136 if (subLinkType == CTE_SUBLINK)
1137 elog(ERROR, "CTE subplans should not be executed via ExecSetParamPlan");
1138 if (subplan->parParam || subplan->args)
1139 elog(ERROR, "correlated subplans should not be executed via ExecSetParamPlan");
1140
1141 /*
1142 * Enforce forward scan direction regardless of caller. It's hard but not
1143 * impossible to get here in backward scan, so make it work anyway.
1144 */
1146
1147 /* Initialize ArrayBuildStateAny in caller's context, if needed */
1148 if (subLinkType == ARRAY_SUBLINK)
1149 astate = initArrayResultAny(subplan->firstColType,
1150 CurrentMemoryContext, true);
1151
1152 /*
1153 * Must switch to per-query memory context.
1154 */
1155 oldcontext = MemoryContextSwitchTo(econtext->ecxt_per_query_memory);
1156
1157 /*
1158 * Run the plan. (If it needs to be rescanned, the first ExecProcNode
1159 * call will take care of that.)
1160 */
1161 for (slot = ExecProcNode(planstate);
1162 !TupIsNull(slot);
1163 slot = ExecProcNode(planstate))
1164 {
1165 TupleDesc tdesc = slot->tts_tupleDescriptor;
1166 int i = 1;
1167
1168 if (subLinkType == EXISTS_SUBLINK)
1169 {
1170 /* There can be only one setParam... */
1171 int paramid = linitial_int(subplan->setParam);
1172 ParamExecData *prm = &(econtext->ecxt_param_exec_vals[paramid]);
1173
1174 prm->execPlan = NULL;
1175 prm->value = BoolGetDatum(true);
1176 prm->isnull = false;
1177 found = true;
1178 break;
1179 }
1180
1181 if (subLinkType == ARRAY_SUBLINK)
1182 {
1183 Datum dvalue;
1184 bool disnull;
1185
1186 found = true;
1187 /* stash away current value */
1188 Assert(subplan->firstColType == TupleDescAttr(tdesc, 0)->atttypid);
1189 dvalue = slot_getattr(slot, 1, &disnull);
1190 astate = accumArrayResultAny(astate, dvalue, disnull,
1191 subplan->firstColType, oldcontext);
1192 /* keep scanning subplan to collect all values */
1193 continue;
1194 }
1195
1196 if (found &&
1197 (subLinkType == EXPR_SUBLINK ||
1198 subLinkType == MULTIEXPR_SUBLINK ||
1199 subLinkType == ROWCOMPARE_SUBLINK))
1200 ereport(ERROR,
1201 (errcode(ERRCODE_CARDINALITY_VIOLATION),
1202 errmsg("more than one row returned by a subquery used as an expression")));
1203
1204 found = true;
1205
1206 /*
1207 * We need to copy the subplan's tuple into our own context, in case
1208 * any of the params are pass-by-ref type --- the pointers stored in
1209 * the param structs will point at this copied tuple! node->curTuple
1210 * keeps track of the copied tuple for eventual freeing.
1211 */
1212 if (node->curTuple)
1213 heap_freetuple(node->curTuple);
1214 node->curTuple = ExecCopySlotHeapTuple(slot);
1215
1216 /*
1217 * Now set all the setParam params from the columns of the tuple
1218 */
1219 foreach(l, subplan->setParam)
1220 {
1221 int paramid = lfirst_int(l);
1222 ParamExecData *prm = &(econtext->ecxt_param_exec_vals[paramid]);
1223
1224 prm->execPlan = NULL;
1225 prm->value = heap_getattr(node->curTuple, i, tdesc,
1226 &(prm->isnull));
1227 i++;
1228 }
1229 }
1230
1231 if (subLinkType == ARRAY_SUBLINK)
1232 {
1233 /* There can be only one setParam... */
1234 int paramid = linitial_int(subplan->setParam);
1235 ParamExecData *prm = &(econtext->ecxt_param_exec_vals[paramid]);
1236
1237 /*
1238 * We build the result array in query context so it won't disappear;
1239 * to avoid leaking memory across repeated calls, we have to remember
1240 * the latest value, much as for curTuple above.
1241 */
1242 if (node->curArray != PointerGetDatum(NULL))
1244 node->curArray = makeArrayResultAny(astate,
1245 econtext->ecxt_per_query_memory,
1246 true);
1247 prm->execPlan = NULL;
1248 prm->value = node->curArray;
1249 prm->isnull = false;
1250 }
1251 else if (!found)
1252 {
1253 if (subLinkType == EXISTS_SUBLINK)
1254 {
1255 /* There can be only one setParam... */
1256 int paramid = linitial_int(subplan->setParam);
1257 ParamExecData *prm = &(econtext->ecxt_param_exec_vals[paramid]);
1258
1259 prm->execPlan = NULL;
1260 prm->value = BoolGetDatum(false);
1261 prm->isnull = false;
1262 }
1263 else
1264 {
1265 /* For other sublink types, set all the output params to NULL */
1266 foreach(l, subplan->setParam)
1267 {
1268 int paramid = lfirst_int(l);
1269 ParamExecData *prm = &(econtext->ecxt_param_exec_vals[paramid]);
1270
1271 prm->execPlan = NULL;
1272 prm->value = (Datum) 0;
1273 prm->isnull = true;
1274 }
1275 }
1276 }
1277
1278 MemoryContextSwitchTo(oldcontext);
1279
1280 /* restore scan direction */
1281 estate->es_direction = dir;
1282}
1283
1284/*
1285 * ExecSetParamPlanMulti
1286 *
1287 * Apply ExecSetParamPlan to evaluate any not-yet-evaluated initplan output
1288 * parameters whose ParamIDs are listed in "params". Any listed params that
1289 * are not initplan outputs are ignored.
1290 *
1291 * As with ExecSetParamPlan, any ExprContext belonging to the current EState
1292 * can be used, but in principle a shorter-lived ExprContext is better than a
1293 * longer-lived one.
1294 */
1295void
1297{
1298 int paramid;
1299
1300 paramid = -1;
1301 while ((paramid = bms_next_member(params, paramid)) >= 0)
1302 {
1303 ParamExecData *prm = &(econtext->ecxt_param_exec_vals[paramid]);
1304
1305 if (prm->execPlan != NULL)
1306 {
1307 /* Parameter not evaluated yet, so go do it */
1308 ExecSetParamPlan(prm->execPlan, econtext);
1309 /* ExecSetParamPlan should have processed this param... */
1310 Assert(prm->execPlan == NULL);
1311 }
1312 }
1313}
1314
1315/*
1316 * Mark an initplan as needing recalculation
1317 */
1318void
1320{
1321 PlanState *planstate = node->planstate;
1322 SubPlan *subplan = node->subplan;
1323 EState *estate = parent->state;
1324 ListCell *l;
1325
1326 /* sanity checks */
1327 if (subplan->parParam != NIL)
1328 elog(ERROR, "direct correlated subquery unsupported as initplan");
1329 if (subplan->setParam == NIL)
1330 elog(ERROR, "setParam list of initplan is empty");
1331 if (bms_is_empty(planstate->plan->extParam))
1332 elog(ERROR, "extParam set of initplan is empty");
1333
1334 /*
1335 * Don't actually re-scan: it'll happen inside ExecSetParamPlan if needed.
1336 */
1337
1338 /*
1339 * Mark this subplan's output parameters as needing recalculation.
1340 *
1341 * CTE subplans are never executed via parameter recalculation; instead
1342 * they get run when called by nodeCtescan.c. So don't mark the output
1343 * parameter of a CTE subplan as dirty, but do set the chgParam bit for it
1344 * so that dependent plan nodes will get told to rescan.
1345 */
1346 foreach(l, subplan->setParam)
1347 {
1348 int paramid = lfirst_int(l);
1349 ParamExecData *prm = &(estate->es_param_exec_vals[paramid]);
1350
1351 if (subplan->subLinkType != CTE_SUBLINK)
1352 prm->execPlan = node;
1353
1354 parent->chgParam = bms_add_member(parent->chgParam, paramid);
1355 }
1356}
ArrayBuildStateAny * initArrayResultAny(Oid input_type, MemoryContext rcontext, bool subcontext)
Definition: arrayfuncs.c:5783
ArrayBuildStateAny * accumArrayResultAny(ArrayBuildStateAny *astate, Datum dvalue, bool disnull, Oid input_type, MemoryContext rcontext)
Definition: arrayfuncs.c:5830
Datum makeArrayResultAny(ArrayBuildStateAny *astate, MemoryContext rcontext, bool release)
Definition: arrayfuncs.c:5858
int16 AttrNumber
Definition: attnum.h:21
int bms_next_member(const Bitmapset *a, int prevbit)
Definition: bitmapset.c:1306
Bitmapset * bms_add_member(Bitmapset *a, int x)
Definition: bitmapset.c:815
#define bms_is_empty(a)
Definition: bitmapset.h:118
MemoryContext BumpContextCreate(MemoryContext parent, const char *name, Size minContextSize, Size initBlockSize, Size maxBlockSize)
Definition: bump.c:133
size_t Size
Definition: c.h:615
int errcode(int sqlerrcode)
Definition: elog.c:863
int errmsg(const char *fmt,...)
Definition: elog.c:1080
#define ERROR
Definition: elog.h:39
#define elog(elevel,...)
Definition: elog.h:226
#define ereport(elevel,...)
Definition: elog.h:150
void ExecReScan(PlanState *node)
Definition: execAmi.c:77
ExprState * ExecBuildHash32FromAttrs(TupleDesc desc, const TupleTableSlotOps *ops, FmgrInfo *hashfunctions, Oid *collations, int numCols, AttrNumber *keyColIdx, PlanState *parent, uint32 init_value)
Definition: execExpr.c:4141
ExprState * ExecInitExpr(Expr *node, PlanState *parent)
Definition: execExpr.c:143
ProjectionInfo * ExecBuildProjectionInfo(List *targetList, ExprContext *econtext, TupleTableSlot *slot, PlanState *parent, TupleDesc inputDesc)
Definition: execExpr.c:370
ExprState * ExecBuildGroupingEqual(TupleDesc ldesc, TupleDesc rdesc, const TupleTableSlotOps *lops, const TupleTableSlotOps *rops, int numCols, const AttrNumber *keyColIdx, const Oid *eqfunctions, const Oid *collations, PlanState *parent)
Definition: execExpr.c:4465
TupleHashTable BuildTupleHashTable(PlanState *parent, TupleDesc inputDesc, const TupleTableSlotOps *inputOps, int numCols, AttrNumber *keyColIdx, const Oid *eqfuncoids, FmgrInfo *hashfunctions, Oid *collations, double nelements, Size additionalsize, MemoryContext metacxt, MemoryContext tuplescxt, MemoryContext tempcxt, bool use_variable_hash_iv)
Definition: execGrouping.c:184
TupleHashEntry LookupTupleHashEntry(TupleHashTable hashtable, TupleTableSlot *slot, bool *isnew, uint32 *hash)
Definition: execGrouping.c:382
TupleHashEntry FindTupleHashEntry(TupleHashTable hashtable, TupleTableSlot *slot, ExprState *eqcomp, ExprState *hashexpr)
Definition: execGrouping.c:469
Size EstimateTupleHashTableSpace(double nentries, Size tupleWidth, Size additionalsize)
Definition: execGrouping.c:321
void ResetTupleHashTable(TupleHashTable hashtable)
Definition: execGrouping.c:302
const TupleTableSlotOps TTSOpsVirtual
Definition: execTuples.c:84
TupleTableSlot * ExecStoreMinimalTuple(MinimalTuple mtup, TupleTableSlot *slot, bool shouldFree)
Definition: execTuples.c:1635
TupleTableSlot * ExecInitExtraTupleSlot(EState *estate, TupleDesc tupledesc, const TupleTableSlotOps *tts_ops)
Definition: execTuples.c:2020
const TupleTableSlotOps TTSOpsMinimalTuple
Definition: execTuples.c:86
TupleDesc ExecTypeFromTL(List *targetList)
Definition: execTuples.c:2127
ExprContext * CreateExprContext(EState *estate)
Definition: execUtils.c:307
#define ScanTupleHashTable(htable, iter)
Definition: execnodes.h:900
#define TermTupleHashIterator(iter)
Definition: execnodes.h:896
#define InitTupleHashIterator(htable, iter)
Definition: execnodes.h:894
tuplehash_iterator TupleHashIterator
Definition: execnodes.h:887
static MinimalTuple TupleHashEntryGetTuple(TupleHashEntry entry)
Definition: executor.h:178
static TupleTableSlot * ExecProject(ProjectionInfo *projInfo)
Definition: executor.h:483
#define ResetExprContext(econtext)
Definition: executor.h:650
static TupleTableSlot * ExecProcNode(PlanState *node)
Definition: executor.h:314
static Datum ExecEvalExprSwitchContext(ExprState *state, ExprContext *econtext, bool *isNull)
Definition: executor.h:436
Datum FunctionCall2Coll(FmgrInfo *flinfo, Oid collation, Datum arg1, Datum arg2)
Definition: fmgr.c:1150
void fmgr_info(Oid functionId, FmgrInfo *finfo)
Definition: fmgr.c:128
#define fmgr_info_set_expr(expr, finfo)
Definition: fmgr.h:135
Assert(PointerIsAligned(start, uint64))
void heap_freetuple(HeapTuple htup)
Definition: heaptuple.c:1435
static Datum heap_getattr(HeapTuple tup, int attnum, TupleDesc tupleDesc, bool *isnull)
Definition: htup_details.h:904
int i
Definition: isn.c:77
List * lappend(List *list, void *datum)
Definition: list.c:339
bool get_compatible_hash_operators(Oid opno, Oid *lhs_opno, Oid *rhs_opno)
Definition: lsyscache.c:482
RegProcedure get_opcode(Oid opno)
Definition: lsyscache.c:1452
bool get_op_hash_functions(Oid opno, RegProcedure *lhs_procno, RegProcedure *rhs_procno)
Definition: lsyscache.c:582
TargetEntry * makeTargetEntry(Expr *expr, AttrNumber resno, char *resname, bool resjunk)
Definition: makefuncs.c:289
void MemoryContextReset(MemoryContext context)
Definition: mcxt.c:400
void pfree(void *pointer)
Definition: mcxt.c:1594
void * palloc(Size size)
Definition: mcxt.c:1365
MemoryContext CurrentMemoryContext
Definition: mcxt.c:160
#define ALLOCSET_DEFAULT_SIZES
Definition: memutils.h:160
#define CHECK_FOR_INTERRUPTS()
Definition: miscadmin.h:123
static bool is_andclause(const void *clause)
Definition: nodeFuncs.h:107
static Datum ExecHashSubPlan(SubPlanState *node, ExprContext *econtext, bool *isNull)
Definition: nodeSubplan.c:100
SubPlanState * ExecInitSubPlan(SubPlan *subplan, PlanState *parent)
Definition: nodeSubplan.c:852
static void buildSubPlanHash(SubPlanState *node, ExprContext *econtext)
Definition: nodeSubplan.c:476
static bool execTuplesUnequal(TupleTableSlot *slot1, TupleTableSlot *slot2, int numCols, AttrNumber *matchColIdx, FmgrInfo *eqfunctions, const Oid *collations, MemoryContext evalContext)
Definition: nodeSubplan.c:700
void ExecReScanSetParamPlan(SubPlanState *node, PlanState *parent)
Definition: nodeSubplan.c:1319
static bool slotNoNulls(TupleTableSlot *slot)
Definition: nodeSubplan.c:824
static Datum ExecScanSubPlan(SubPlanState *node, ExprContext *econtext, bool *isNull)
Definition: nodeSubplan.c:203
void ExecSetParamPlan(SubPlanState *node, ExprContext *econtext)
Definition: nodeSubplan.c:1120
void ExecSetParamPlanMulti(const Bitmapset *params, ExprContext *econtext)
Definition: nodeSubplan.c:1296
static bool slotAllNulls(TupleTableSlot *slot)
Definition: nodeSubplan.c:804
Datum ExecSubPlan(SubPlanState *node, ExprContext *econtext, bool *isNull)
Definition: nodeSubplan.c:61
static bool findPartialMatch(TupleHashTable hashtable, TupleTableSlot *slot, FmgrInfo *eqfunctions)
Definition: nodeSubplan.c:769
Size EstimateSubplanHashTableSpace(double nentries, Size tupleWidth, bool unknownEqFalse)
Definition: nodeSubplan.c:638
#define IsA(nodeptr, _type_)
Definition: nodes.h:164
#define nodeTag(nodeptr)
Definition: nodes.h:139
#define makeNode(_type_)
Definition: nodes.h:161
#define castNode(_type_, nodeptr)
Definition: nodes.h:182
static MemoryContext MemoryContextSwitchTo(MemoryContext context)
Definition: palloc.h:124
#define lfirst_node(type, lc)
Definition: pg_list.h:176
static int list_length(const List *l)
Definition: pg_list.h:152
#define NIL
Definition: pg_list.h:68
#define lfirst_int(lc)
Definition: pg_list.h:173
#define list_make1(x1)
Definition: pg_list.h:212
#define linitial_int(l)
Definition: pg_list.h:179
static void * list_nth(const List *list, int n)
Definition: pg_list.h:299
#define linitial(l)
Definition: pg_list.h:178
#define lsecond(l)
Definition: pg_list.h:183
static bool DatumGetBool(Datum X)
Definition: postgres.h:100
static Datum PointerGetDatum(const void *X)
Definition: postgres.h:332
static Datum BoolGetDatum(bool X)
Definition: postgres.h:112
uint64_t Datum
Definition: postgres.h:70
static Pointer DatumGetPointer(Datum X)
Definition: postgres.h:322
unsigned int Oid
Definition: postgres_ext.h:32
SubLinkType
Definition: primnodes.h:1028
@ ARRAY_SUBLINK
Definition: primnodes.h:1035
@ ANY_SUBLINK
Definition: primnodes.h:1031
@ MULTIEXPR_SUBLINK
Definition: primnodes.h:1034
@ CTE_SUBLINK
Definition: primnodes.h:1036
@ EXPR_SUBLINK
Definition: primnodes.h:1033
@ ROWCOMPARE_SUBLINK
Definition: primnodes.h:1032
@ ALL_SUBLINK
Definition: primnodes.h:1030
@ EXISTS_SUBLINK
Definition: primnodes.h:1029
ScanDirection
Definition: sdir.h:25
@ ForwardScanDirection
Definition: sdir.h:28
ParamExecData * es_param_exec_vals
Definition: execnodes.h:705
MemoryContext es_query_cxt
Definition: execnodes.h:710
ScanDirection es_direction
Definition: execnodes.h:659
List * es_subplanstates
Definition: execnodes.h:725
MemoryContext ecxt_per_tuple_memory
Definition: execnodes.h:281
ParamExecData * ecxt_param_exec_vals
Definition: execnodes.h:284
MemoryContext ecxt_per_query_memory
Definition: execnodes.h:280
TupleTableSlot * resultslot
Definition: execnodes.h:104
Definition: fmgr.h:57
Definition: pg_list.h:54
Definition: nodes.h:135
Oid opno
Definition: primnodes.h:850
List * args
Definition: primnodes.h:868
bool isnull
Definition: params.h:149
Datum value
Definition: params.h:148
void * execPlan
Definition: params.h:147
Plan * plan
Definition: execnodes.h:1165
EState * state
Definition: execnodes.h:1167
Bitmapset * chgParam
Definition: execnodes.h:1197
Bitmapset * extParam
Definition: plannodes.h:249
Cardinality plan_rows
Definition: plannodes.h:205
ExprState pi_state
Definition: execnodes.h:386
ExprContext * pi_exprContext
Definition: execnodes.h:388
TupleHashTable hashtable
Definition: execnodes.h:1022
ExprState * lhs_hash_expr
Definition: execnodes.h:1035
PlanState * parent
Definition: execnodes.h:1014
ExprState * cur_eq_comp
Definition: execnodes.h:1037
Oid * tab_eq_funcoids
Definition: execnodes.h:1031
ExprContext * innerecontext
Definition: execnodes.h:1027
FmgrInfo * tab_hash_funcs
Definition: execnodes.h:1034
FmgrInfo * cur_eq_funcs
Definition: execnodes.h:1036
PlanState * planstate
Definition: execnodes.h:1013
HeapTuple curTuple
Definition: execnodes.h:1016
AttrNumber * keyColIdx
Definition: execnodes.h:1030
TupleDesc descRight
Definition: execnodes.h:1019
SubPlan * subplan
Definition: execnodes.h:1012
ProjectionInfo * projLeft
Definition: execnodes.h:1020
ProjectionInfo * projRight
Definition: execnodes.h:1021
bool havenullrows
Definition: execnodes.h:1025
ExprState * testexpr
Definition: execnodes.h:1015
MemoryContext tuplesContext
Definition: execnodes.h:1026
Oid * tab_collations
Definition: execnodes.h:1033
TupleHashTable hashnulls
Definition: execnodes.h:1023
bool havehashrows
Definition: execnodes.h:1024
Datum curArray
Definition: execnodes.h:1017
int plan_id
Definition: primnodes.h:1102
char * plan_name
Definition: primnodes.h:1104
List * args
Definition: primnodes.h:1124
List * paramIds
Definition: primnodes.h:1100
bool useHashTable
Definition: primnodes.h:1112
Node * testexpr
Definition: primnodes.h:1099
List * parParam
Definition: primnodes.h:1123
List * setParam
Definition: primnodes.h:1121
bool unknownEqFalse
Definition: primnodes.h:1114
SubLinkType subLinkType
Definition: primnodes.h:1097
Oid firstColType
Definition: primnodes.h:1106
AttrNumber * keyColIdx
Definition: execnodes.h:872
MemoryContext tempcxt
Definition: execnodes.h:877
TupleTableSlot * tableslot
Definition: execnodes.h:879
TupleDesc tts_tupleDescriptor
Definition: tuptable.h:122
static FormData_pg_attribute * TupleDescAttr(TupleDesc tupdesc, int i)
Definition: tupdesc.h:160
static HeapTuple ExecCopySlotHeapTuple(TupleTableSlot *slot)
Definition: tuptable.h:484
static Datum slot_getattr(TupleTableSlot *slot, int attnum, bool *isnull)
Definition: tuptable.h:398
static TupleTableSlot * ExecClearTuple(TupleTableSlot *slot)
Definition: tuptable.h:457
#define TupIsNull(slot)
Definition: tuptable.h:309
static bool slot_attisnull(TupleTableSlot *slot, int attnum)
Definition: tuptable.h:384