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