PostgreSQL Source Code git master
All Data Structures Namespaces Files Functions Variables Typedefs Enumerations Enumerator Macros Pages
parse_cte.c
Go to the documentation of this file.
1/*-------------------------------------------------------------------------
2 *
3 * parse_cte.c
4 * handle CTEs (common table expressions) in parser
5 *
6 * Portions Copyright (c) 1996-2025, PostgreSQL Global Development Group
7 * Portions Copyright (c) 1994, Regents of the University of California
8 *
9 *
10 * IDENTIFICATION
11 * src/backend/parser/parse_cte.c
12 *
13 *-------------------------------------------------------------------------
14 */
15#include "postgres.h"
16
18#include "catalog/pg_type.h"
19#include "nodes/nodeFuncs.h"
20#include "parser/analyze.h"
21#include "parser/parse_coerce.h"
23#include "parser/parse_cte.h"
24#include "parser/parse_expr.h"
25#include "utils/builtins.h"
26#include "utils/lsyscache.h"
27#include "utils/typcache.h"
28
29
30/* Enumeration of contexts in which a self-reference is disallowed */
31typedef enum
32{
34 RECURSION_NONRECURSIVETERM, /* inside the left-hand term */
35 RECURSION_SUBLINK, /* inside a sublink */
36 RECURSION_OUTERJOIN, /* inside nullable side of an outer join */
37 RECURSION_INTERSECT, /* underneath INTERSECT (ALL) */
38 RECURSION_EXCEPT, /* underneath EXCEPT (ALL) */
40
41/* Associated error messages --- each must have one %s for CTE name */
42static const char *const recursion_errormsgs[] = {
43 /* RECURSION_OK */
44 NULL,
45 /* RECURSION_NONRECURSIVETERM */
46 gettext_noop("recursive reference to query \"%s\" must not appear within its non-recursive term"),
47 /* RECURSION_SUBLINK */
48 gettext_noop("recursive reference to query \"%s\" must not appear within a subquery"),
49 /* RECURSION_OUTERJOIN */
50 gettext_noop("recursive reference to query \"%s\" must not appear within an outer join"),
51 /* RECURSION_INTERSECT */
52 gettext_noop("recursive reference to query \"%s\" must not appear within INTERSECT"),
53 /* RECURSION_EXCEPT */
54 gettext_noop("recursive reference to query \"%s\" must not appear within EXCEPT")
55};
56
57/*
58 * For WITH RECURSIVE, we have to find an ordering of the clause members
59 * with no forward references, and determine which members are recursive
60 * (i.e., self-referential). It is convenient to do this with an array
61 * of CteItems instead of a list of CommonTableExprs.
62 */
63typedef struct CteItem
64{
65 CommonTableExpr *cte; /* One CTE to examine */
66 int id; /* Its ID number for dependencies */
67 Bitmapset *depends_on; /* CTEs depended on (not including self) */
69
70/* CteState is what we need to pass around in the tree walkers */
71typedef struct CteState
72{
73 /* global state: */
74 ParseState *pstate; /* global parse state */
75 CteItem *items; /* array of CTEs and extra data */
76 int numitems; /* number of CTEs */
77 /* working state during a tree walk: */
78 int curitem; /* index of item currently being examined */
79 List *innerwiths; /* list of lists of CommonTableExpr */
80 /* working state for checkWellFormedRecursion walk only: */
81 int selfrefcount; /* number of self-references detected */
82 RecursionContext context; /* context to allow or disallow self-ref */
84
85
86static void analyzeCTE(ParseState *pstate, CommonTableExpr *cte);
87
88/* Dependency processing functions */
89static void makeDependencyGraph(CteState *cstate);
90static bool makeDependencyGraphWalker(Node *node, CteState *cstate);
91static void WalkInnerWith(Node *stmt, WithClause *withClause, CteState *cstate);
92static void TopologicalSort(ParseState *pstate, CteItem *items, int numitems);
93
94/* Recursion validity checker functions */
95static void checkWellFormedRecursion(CteState *cstate);
96static bool checkWellFormedRecursionWalker(Node *node, CteState *cstate);
98
99
100/*
101 * transformWithClause -
102 * Transform the list of WITH clause "common table expressions" into
103 * Query nodes.
104 *
105 * The result is the list of transformed CTEs to be put into the output
106 * Query. (This is in fact the same as the ending value of p_ctenamespace,
107 * but it seems cleaner to not expose that in the function's API.)
108 */
109List *
111{
112 ListCell *lc;
113
114 /* Only one WITH clause per query level */
115 Assert(pstate->p_ctenamespace == NIL);
116 Assert(pstate->p_future_ctes == NIL);
117
118 /*
119 * For either type of WITH, there must not be duplicate CTE names in the
120 * list. Check this right away so we needn't worry later.
121 *
122 * Also, tentatively mark each CTE as non-recursive, and initialize its
123 * reference count to zero, and set pstate->p_hasModifyingCTE if needed.
124 */
125 foreach(lc, withClause->ctes)
126 {
128 ListCell *rest;
129
130 for_each_cell(rest, withClause->ctes, lnext(withClause->ctes, lc))
131 {
132 CommonTableExpr *cte2 = (CommonTableExpr *) lfirst(rest);
133
134 if (strcmp(cte->ctename, cte2->ctename) == 0)
136 (errcode(ERRCODE_DUPLICATE_ALIAS),
137 errmsg("WITH query name \"%s\" specified more than once",
138 cte2->ctename),
139 parser_errposition(pstate, cte2->location)));
140 }
141
142 cte->cterecursive = false;
143 cte->cterefcount = 0;
144
145 if (!IsA(cte->ctequery, SelectStmt))
146 {
147 /* must be a data-modifying statement */
148 Assert(IsA(cte->ctequery, InsertStmt) ||
149 IsA(cte->ctequery, UpdateStmt) ||
150 IsA(cte->ctequery, DeleteStmt) ||
151 IsA(cte->ctequery, MergeStmt));
152
153 pstate->p_hasModifyingCTE = true;
154 }
155 }
156
157 if (withClause->recursive)
158 {
159 /*
160 * For WITH RECURSIVE, we rearrange the list elements if needed to
161 * eliminate forward references. First, build a work array and set up
162 * the data structure needed by the tree walkers.
163 */
164 CteState cstate;
165 int i;
166
167 cstate.pstate = pstate;
168 cstate.numitems = list_length(withClause->ctes);
169 cstate.items = (CteItem *) palloc0(cstate.numitems * sizeof(CteItem));
170 i = 0;
171 foreach(lc, withClause->ctes)
172 {
173 cstate.items[i].cte = (CommonTableExpr *) lfirst(lc);
174 cstate.items[i].id = i;
175 i++;
176 }
177
178 /*
179 * Find all the dependencies and sort the CteItems into a safe
180 * processing order. Also, mark CTEs that contain self-references.
181 */
182 makeDependencyGraph(&cstate);
183
184 /*
185 * Check that recursive queries are well-formed.
186 */
188
189 /*
190 * Set up the ctenamespace for parse analysis. Per spec, all the WITH
191 * items are visible to all others, so stuff them all in before parse
192 * analysis. We build the list in safe processing order so that the
193 * planner can process the queries in sequence.
194 */
195 for (i = 0; i < cstate.numitems; i++)
196 {
197 CommonTableExpr *cte = cstate.items[i].cte;
198
199 pstate->p_ctenamespace = lappend(pstate->p_ctenamespace, cte);
200 }
201
202 /*
203 * Do parse analysis in the order determined by the topological sort.
204 */
205 for (i = 0; i < cstate.numitems; i++)
206 {
207 CommonTableExpr *cte = cstate.items[i].cte;
208
209 analyzeCTE(pstate, cte);
210 }
211 }
212 else
213 {
214 /*
215 * For non-recursive WITH, just analyze each CTE in sequence and then
216 * add it to the ctenamespace. This corresponds to the spec's
217 * definition of the scope of each WITH name. However, to allow error
218 * reports to be aware of the possibility of an erroneous reference,
219 * we maintain a list in p_future_ctes of the not-yet-visible CTEs.
220 */
221 pstate->p_future_ctes = list_copy(withClause->ctes);
222
223 foreach(lc, withClause->ctes)
224 {
226
227 analyzeCTE(pstate, cte);
228 pstate->p_ctenamespace = lappend(pstate->p_ctenamespace, cte);
230 }
231 }
232
233 return pstate->p_ctenamespace;
234}
235
236
237/*
238 * Perform the actual parse analysis transformation of one CTE. All
239 * CTEs it depends on have already been loaded into pstate->p_ctenamespace,
240 * and have been marked with the correct output column names/types.
241 */
242static void
244{
245 Query *query;
246 CTESearchClause *search_clause = cte->search_clause;
247 CTECycleClause *cycle_clause = cte->cycle_clause;
248
249 /* Analysis not done already */
250 Assert(!IsA(cte->ctequery, Query));
251
252 /*
253 * Before analyzing the CTE's query, we'd better identify the data type of
254 * the cycle mark column if any, since the query could refer to that.
255 * Other validity checks on the cycle clause will be done afterwards.
256 */
257 if (cycle_clause)
258 {
259 TypeCacheEntry *typentry;
260 Oid op;
261
262 cycle_clause->cycle_mark_value =
263 transformExpr(pstate, cycle_clause->cycle_mark_value,
265 cycle_clause->cycle_mark_default =
266 transformExpr(pstate, cycle_clause->cycle_mark_default,
268
269 cycle_clause->cycle_mark_type =
270 select_common_type(pstate,
271 list_make2(cycle_clause->cycle_mark_value,
272 cycle_clause->cycle_mark_default),
273 "CYCLE", NULL);
274 cycle_clause->cycle_mark_value =
276 cycle_clause->cycle_mark_value,
277 cycle_clause->cycle_mark_type,
278 "CYCLE/SET/TO");
279 cycle_clause->cycle_mark_default =
281 cycle_clause->cycle_mark_default,
282 cycle_clause->cycle_mark_type,
283 "CYCLE/SET/DEFAULT");
284
285 cycle_clause->cycle_mark_typmod =
287 list_make2(cycle_clause->cycle_mark_value,
288 cycle_clause->cycle_mark_default),
289 cycle_clause->cycle_mark_type);
290
291 cycle_clause->cycle_mark_collation =
293 list_make2(cycle_clause->cycle_mark_value,
294 cycle_clause->cycle_mark_default),
295 true);
296
297 /* Might as well look up the relevant <> operator while we are at it */
298 typentry = lookup_type_cache(cycle_clause->cycle_mark_type,
300 if (!OidIsValid(typentry->eq_opr))
302 errcode(ERRCODE_UNDEFINED_FUNCTION),
303 errmsg("could not identify an equality operator for type %s",
304 format_type_be(cycle_clause->cycle_mark_type)));
305 op = get_negator(typentry->eq_opr);
306 if (!OidIsValid(op))
308 errcode(ERRCODE_UNDEFINED_FUNCTION),
309 errmsg("could not identify an inequality operator for type %s",
310 format_type_be(cycle_clause->cycle_mark_type)));
311
312 cycle_clause->cycle_mark_neop = op;
313 }
314
315 /* Now we can get on with analyzing the CTE's query */
316 query = parse_sub_analyze(cte->ctequery, pstate, cte, false, true);
317 cte->ctequery = (Node *) query;
318
319 /*
320 * Check that we got something reasonable. These first two cases should
321 * be prevented by the grammar.
322 */
323 if (!IsA(query, Query))
324 elog(ERROR, "unexpected non-Query statement in WITH");
325 if (query->utilityStmt != NULL)
326 elog(ERROR, "unexpected utility statement in WITH");
327
328 /*
329 * We disallow data-modifying WITH except at the top level of a query,
330 * because it's not clear when such a modification should be executed.
331 */
332 if (query->commandType != CMD_SELECT &&
333 pstate->parentParseState != NULL)
335 (errcode(ERRCODE_FEATURE_NOT_SUPPORTED),
336 errmsg("WITH clause containing a data-modifying statement must be at the top level"),
337 parser_errposition(pstate, cte->location)));
338
339 /*
340 * CTE queries are always marked not canSetTag. (Currently this only
341 * matters for data-modifying statements, for which the flag will be
342 * propagated to the ModifyTable plan node.)
343 */
344 query->canSetTag = false;
345
346 if (!cte->cterecursive)
347 {
348 /* Compute the output column names/types if not done yet */
349 analyzeCTETargetList(pstate, cte, GetCTETargetList(cte));
350 }
351 else
352 {
353 /*
354 * Verify that the previously determined output column types and
355 * collations match what the query really produced. We have to check
356 * this because the recursive term could have overridden the
357 * non-recursive term, and we don't have any easy way to fix that.
358 */
359 ListCell *lctlist,
360 *lctyp,
361 *lctypmod,
362 *lccoll;
363 int varattno;
364
365 lctyp = list_head(cte->ctecoltypes);
366 lctypmod = list_head(cte->ctecoltypmods);
367 lccoll = list_head(cte->ctecolcollations);
368 varattno = 0;
369 foreach(lctlist, GetCTETargetList(cte))
370 {
371 TargetEntry *te = (TargetEntry *) lfirst(lctlist);
372 Node *texpr;
373
374 if (te->resjunk)
375 continue;
376 varattno++;
377 Assert(varattno == te->resno);
378 if (lctyp == NULL || lctypmod == NULL || lccoll == NULL) /* shouldn't happen */
379 elog(ERROR, "wrong number of output columns in WITH");
380 texpr = (Node *) te->expr;
381 if (exprType(texpr) != lfirst_oid(lctyp) ||
382 exprTypmod(texpr) != lfirst_int(lctypmod))
384 (errcode(ERRCODE_DATATYPE_MISMATCH),
385 errmsg("recursive query \"%s\" column %d has type %s in non-recursive term but type %s overall",
386 cte->ctename, varattno,
388 lfirst_int(lctypmod)),
390 exprTypmod(texpr))),
391 errhint("Cast the output of the non-recursive term to the correct type."),
392 parser_errposition(pstate, exprLocation(texpr))));
393 if (exprCollation(texpr) != lfirst_oid(lccoll))
395 (errcode(ERRCODE_COLLATION_MISMATCH),
396 errmsg("recursive query \"%s\" column %d has collation \"%s\" in non-recursive term but collation \"%s\" overall",
397 cte->ctename, varattno,
400 errhint("Use the COLLATE clause to set the collation of the non-recursive term."),
401 parser_errposition(pstate, exprLocation(texpr))));
402 lctyp = lnext(cte->ctecoltypes, lctyp);
403 lctypmod = lnext(cte->ctecoltypmods, lctypmod);
404 lccoll = lnext(cte->ctecolcollations, lccoll);
405 }
406 if (lctyp != NULL || lctypmod != NULL || lccoll != NULL) /* shouldn't happen */
407 elog(ERROR, "wrong number of output columns in WITH");
408 }
409
410 /*
411 * Now make validity checks on the SEARCH and CYCLE clauses, if present.
412 */
413 if (search_clause || cycle_clause)
414 {
415 Query *ctequery;
416 SetOperationStmt *sos;
417
418 if (!cte->cterecursive)
420 (errcode(ERRCODE_SYNTAX_ERROR),
421 errmsg("WITH query is not recursive"),
422 parser_errposition(pstate, cte->location)));
423
424 /*
425 * SQL requires a WITH list element (CTE) to be "expandable" in order
426 * to allow a search or cycle clause. That is a stronger requirement
427 * than just being recursive. It basically means the query expression
428 * looks like
429 *
430 * non-recursive query UNION [ALL] recursive query
431 *
432 * and that the recursive query is not itself a set operation.
433 *
434 * As of this writing, most of these criteria are already satisfied by
435 * all recursive CTEs allowed by PostgreSQL. In the future, if
436 * further variants recursive CTEs are accepted, there might be
437 * further checks required here to determine what is "expandable".
438 */
439
440 ctequery = castNode(Query, cte->ctequery);
441 Assert(ctequery->setOperations);
442 sos = castNode(SetOperationStmt, ctequery->setOperations);
443
444 /*
445 * This left side check is not required for expandability, but
446 * rewriteSearchAndCycle() doesn't currently have support for it, so
447 * we catch it here.
448 */
449 if (!IsA(sos->larg, RangeTblRef))
451 (errcode(ERRCODE_FEATURE_NOT_SUPPORTED),
452 errmsg("with a SEARCH or CYCLE clause, the left side of the UNION must be a SELECT")));
453
454 if (!IsA(sos->rarg, RangeTblRef))
456 (errcode(ERRCODE_SYNTAX_ERROR),
457 errmsg("with a SEARCH or CYCLE clause, the right side of the UNION must be a SELECT")));
458 }
459
460 if (search_clause)
461 {
462 ListCell *lc;
463 List *seen = NIL;
464
465 foreach(lc, search_clause->search_col_list)
466 {
467 String *colname = lfirst_node(String, lc);
468
469 if (!list_member(cte->ctecolnames, colname))
471 (errcode(ERRCODE_SYNTAX_ERROR),
472 errmsg("search column \"%s\" not in WITH query column list",
473 strVal(colname)),
474 parser_errposition(pstate, search_clause->location)));
475
476 if (list_member(seen, colname))
478 (errcode(ERRCODE_DUPLICATE_COLUMN),
479 errmsg("search column \"%s\" specified more than once",
480 strVal(colname)),
481 parser_errposition(pstate, search_clause->location)));
482 seen = lappend(seen, colname);
483 }
484
485 if (list_member(cte->ctecolnames, makeString(search_clause->search_seq_column)))
487 errcode(ERRCODE_SYNTAX_ERROR),
488 errmsg("search sequence column name \"%s\" already used in WITH query column list",
489 search_clause->search_seq_column),
490 parser_errposition(pstate, search_clause->location));
491 }
492
493 if (cycle_clause)
494 {
495 ListCell *lc;
496 List *seen = NIL;
497
498 foreach(lc, cycle_clause->cycle_col_list)
499 {
500 String *colname = lfirst_node(String, lc);
501
502 if (!list_member(cte->ctecolnames, colname))
504 (errcode(ERRCODE_SYNTAX_ERROR),
505 errmsg("cycle column \"%s\" not in WITH query column list",
506 strVal(colname)),
507 parser_errposition(pstate, cycle_clause->location)));
508
509 if (list_member(seen, colname))
511 (errcode(ERRCODE_DUPLICATE_COLUMN),
512 errmsg("cycle column \"%s\" specified more than once",
513 strVal(colname)),
514 parser_errposition(pstate, cycle_clause->location)));
515 seen = lappend(seen, colname);
516 }
517
518 if (list_member(cte->ctecolnames, makeString(cycle_clause->cycle_mark_column)))
520 errcode(ERRCODE_SYNTAX_ERROR),
521 errmsg("cycle mark column name \"%s\" already used in WITH query column list",
522 cycle_clause->cycle_mark_column),
523 parser_errposition(pstate, cycle_clause->location));
524
525 if (list_member(cte->ctecolnames, makeString(cycle_clause->cycle_path_column)))
527 errcode(ERRCODE_SYNTAX_ERROR),
528 errmsg("cycle path column name \"%s\" already used in WITH query column list",
529 cycle_clause->cycle_path_column),
530 parser_errposition(pstate, cycle_clause->location));
531
532 if (strcmp(cycle_clause->cycle_mark_column,
533 cycle_clause->cycle_path_column) == 0)
535 errcode(ERRCODE_SYNTAX_ERROR),
536 errmsg("cycle mark column name and cycle path column name are the same"),
537 parser_errposition(pstate, cycle_clause->location));
538 }
539
540 if (search_clause && cycle_clause)
541 {
542 if (strcmp(search_clause->search_seq_column,
543 cycle_clause->cycle_mark_column) == 0)
545 errcode(ERRCODE_SYNTAX_ERROR),
546 errmsg("search sequence column name and cycle mark column name are the same"),
547 parser_errposition(pstate, search_clause->location));
548
549 if (strcmp(search_clause->search_seq_column,
550 cycle_clause->cycle_path_column) == 0)
552 errcode(ERRCODE_SYNTAX_ERROR),
553 errmsg("search sequence column name and cycle path column name are the same"),
554 parser_errposition(pstate, search_clause->location));
555 }
556}
557
558/*
559 * Compute derived fields of a CTE, given the transformed output targetlist
560 *
561 * For a nonrecursive CTE, this is called after transforming the CTE's query.
562 * For a recursive CTE, we call it after transforming the non-recursive term,
563 * and pass the targetlist emitted by the non-recursive term only.
564 *
565 * Note: in the recursive case, the passed pstate is actually the one being
566 * used to analyze the CTE's query, so it is one level lower down than in
567 * the nonrecursive case. This doesn't matter since we only use it for
568 * error message context anyway.
569 */
570void
572{
573 int numaliases;
574 int varattno;
575 ListCell *tlistitem;
576
577 /* Not done already ... */
578 Assert(cte->ctecolnames == NIL);
579
580 /*
581 * We need to determine column names, types, and collations. The alias
582 * column names override anything coming from the query itself. (Note:
583 * the SQL spec says that the alias list must be empty or exactly as long
584 * as the output column set; but we allow it to be shorter for consistency
585 * with Alias handling.)
586 */
587 cte->ctecolnames = copyObject(cte->aliascolnames);
588 cte->ctecoltypes = cte->ctecoltypmods = cte->ctecolcollations = NIL;
589 numaliases = list_length(cte->aliascolnames);
590 varattno = 0;
591 foreach(tlistitem, tlist)
592 {
593 TargetEntry *te = (TargetEntry *) lfirst(tlistitem);
594 Oid coltype;
595 int32 coltypmod;
596 Oid colcoll;
597
598 if (te->resjunk)
599 continue;
600 varattno++;
601 Assert(varattno == te->resno);
602 if (varattno > numaliases)
603 {
604 char *attrname;
605
606 attrname = pstrdup(te->resname);
607 cte->ctecolnames = lappend(cte->ctecolnames, makeString(attrname));
608 }
609 coltype = exprType((Node *) te->expr);
610 coltypmod = exprTypmod((Node *) te->expr);
611 colcoll = exprCollation((Node *) te->expr);
612
613 /*
614 * If the CTE is recursive, force the exposed column type of any
615 * "unknown" column to "text". We must deal with this here because
616 * we're called on the non-recursive term before there's been any
617 * attempt to force unknown output columns to some other type. We
618 * have to resolve unknowns before looking at the recursive term.
619 *
620 * The column might contain 'foo' COLLATE "bar", so don't override
621 * collation if it's already set.
622 */
623 if (cte->cterecursive && coltype == UNKNOWNOID)
624 {
625 coltype = TEXTOID;
626 coltypmod = -1; /* should be -1 already, but be sure */
627 if (!OidIsValid(colcoll))
628 colcoll = DEFAULT_COLLATION_OID;
629 }
630 cte->ctecoltypes = lappend_oid(cte->ctecoltypes, coltype);
631 cte->ctecoltypmods = lappend_int(cte->ctecoltypmods, coltypmod);
632 cte->ctecolcollations = lappend_oid(cte->ctecolcollations, colcoll);
633 }
634 if (varattno < numaliases)
636 (errcode(ERRCODE_INVALID_COLUMN_REFERENCE),
637 errmsg("WITH query \"%s\" has %d columns available but %d columns specified",
638 cte->ctename, varattno, numaliases),
639 parser_errposition(pstate, cte->location)));
640}
641
642
643/*
644 * Identify the cross-references of a list of WITH RECURSIVE items,
645 * and sort into an order that has no forward references.
646 */
647static void
649{
650 int i;
651
652 for (i = 0; i < cstate->numitems; i++)
653 {
654 CommonTableExpr *cte = cstate->items[i].cte;
655
656 cstate->curitem = i;
657 cstate->innerwiths = NIL;
658 makeDependencyGraphWalker((Node *) cte->ctequery, cstate);
659 Assert(cstate->innerwiths == NIL);
660 }
661
662 TopologicalSort(cstate->pstate, cstate->items, cstate->numitems);
663}
664
665/*
666 * Tree walker function to detect cross-references and self-references of the
667 * CTEs in a WITH RECURSIVE list.
668 */
669static bool
671{
672 if (node == NULL)
673 return false;
674 if (IsA(node, RangeVar))
675 {
676 RangeVar *rv = (RangeVar *) node;
677
678 /* If unqualified name, might be a CTE reference */
679 if (!rv->schemaname)
680 {
681 ListCell *lc;
682 int i;
683
684 /* ... but first see if it's captured by an inner WITH */
685 foreach(lc, cstate->innerwiths)
686 {
687 List *withlist = (List *) lfirst(lc);
688 ListCell *lc2;
689
690 foreach(lc2, withlist)
691 {
692 CommonTableExpr *cte = (CommonTableExpr *) lfirst(lc2);
693
694 if (strcmp(rv->relname, cte->ctename) == 0)
695 return false; /* yes, so bail out */
696 }
697 }
698
699 /* No, could be a reference to the query level we are working on */
700 for (i = 0; i < cstate->numitems; i++)
701 {
702 CommonTableExpr *cte = cstate->items[i].cte;
703
704 if (strcmp(rv->relname, cte->ctename) == 0)
705 {
706 int myindex = cstate->curitem;
707
708 if (i != myindex)
709 {
710 /* Add cross-item dependency */
711 cstate->items[myindex].depends_on =
712 bms_add_member(cstate->items[myindex].depends_on,
713 cstate->items[i].id);
714 }
715 else
716 {
717 /* Found out this one is self-referential */
718 cte->cterecursive = true;
719 }
720 break;
721 }
722 }
723 }
724 return false;
725 }
726 if (IsA(node, SelectStmt))
727 {
728 SelectStmt *stmt = (SelectStmt *) node;
729
730 if (stmt->withClause)
731 {
732 /* Examine the WITH clause and the SelectStmt */
733 WalkInnerWith(node, stmt->withClause, cstate);
734 /* We're done examining the SelectStmt */
735 return false;
736 }
737 /* if no WITH clause, just fall through for normal processing */
738 }
739 else if (IsA(node, InsertStmt))
740 {
741 InsertStmt *stmt = (InsertStmt *) node;
742
743 if (stmt->withClause)
744 {
745 /* Examine the WITH clause and the InsertStmt */
746 WalkInnerWith(node, stmt->withClause, cstate);
747 /* We're done examining the InsertStmt */
748 return false;
749 }
750 /* if no WITH clause, just fall through for normal processing */
751 }
752 else if (IsA(node, DeleteStmt))
753 {
754 DeleteStmt *stmt = (DeleteStmt *) node;
755
756 if (stmt->withClause)
757 {
758 /* Examine the WITH clause and the DeleteStmt */
759 WalkInnerWith(node, stmt->withClause, cstate);
760 /* We're done examining the DeleteStmt */
761 return false;
762 }
763 /* if no WITH clause, just fall through for normal processing */
764 }
765 else if (IsA(node, UpdateStmt))
766 {
767 UpdateStmt *stmt = (UpdateStmt *) node;
768
769 if (stmt->withClause)
770 {
771 /* Examine the WITH clause and the UpdateStmt */
772 WalkInnerWith(node, stmt->withClause, cstate);
773 /* We're done examining the UpdateStmt */
774 return false;
775 }
776 /* if no WITH clause, just fall through for normal processing */
777 }
778 else if (IsA(node, MergeStmt))
779 {
780 MergeStmt *stmt = (MergeStmt *) node;
781
782 if (stmt->withClause)
783 {
784 /* Examine the WITH clause and the MergeStmt */
785 WalkInnerWith(node, stmt->withClause, cstate);
786 /* We're done examining the MergeStmt */
787 return false;
788 }
789 /* if no WITH clause, just fall through for normal processing */
790 }
791 else if (IsA(node, WithClause))
792 {
793 /*
794 * Prevent raw_expression_tree_walker from recursing directly into a
795 * WITH clause. We need that to happen only under the control of the
796 * code above.
797 */
798 return false;
799 }
800 return raw_expression_tree_walker(node,
802 cstate);
803}
804
805/*
806 * makeDependencyGraphWalker's recursion into a statement having a WITH clause.
807 *
808 * This subroutine is concerned with updating the innerwiths list correctly
809 * based on the visibility rules for CTE names.
810 */
811static void
813{
814 ListCell *lc;
815
816 if (withClause->recursive)
817 {
818 /*
819 * In the RECURSIVE case, all query names of the WITH are visible to
820 * all WITH items as well as the main query. So push them all on,
821 * process, pop them all off.
822 */
823 cstate->innerwiths = lcons(withClause->ctes, cstate->innerwiths);
824 foreach(lc, withClause->ctes)
825 {
827
828 (void) makeDependencyGraphWalker(cte->ctequery, cstate);
829 }
832 cstate);
833 cstate->innerwiths = list_delete_first(cstate->innerwiths);
834 }
835 else
836 {
837 /*
838 * In the non-RECURSIVE case, query names are visible to the WITH
839 * items after them and to the main query.
840 */
841 cstate->innerwiths = lcons(NIL, cstate->innerwiths);
842 foreach(lc, withClause->ctes)
843 {
845 ListCell *cell1;
846
847 (void) makeDependencyGraphWalker(cte->ctequery, cstate);
848 /* note that recursion could mutate innerwiths list */
849 cell1 = list_head(cstate->innerwiths);
850 lfirst(cell1) = lappend((List *) lfirst(cell1), cte);
851 }
854 cstate);
855 cstate->innerwiths = list_delete_first(cstate->innerwiths);
856 }
857}
858
859/*
860 * Sort by dependencies, using a standard topological sort operation
861 */
862static void
863TopologicalSort(ParseState *pstate, CteItem *items, int numitems)
864{
865 int i,
866 j;
867
868 /* for each position in sequence ... */
869 for (i = 0; i < numitems; i++)
870 {
871 /* ... scan the remaining items to find one that has no dependencies */
872 for (j = i; j < numitems; j++)
873 {
874 if (bms_is_empty(items[j].depends_on))
875 break;
876 }
877
878 /* if we didn't find one, the dependency graph has a cycle */
879 if (j >= numitems)
881 (errcode(ERRCODE_FEATURE_NOT_SUPPORTED),
882 errmsg("mutual recursion between WITH items is not implemented"),
883 parser_errposition(pstate, items[i].cte->location)));
884
885 /*
886 * Found one. Move it to front and remove it from every other item's
887 * dependencies.
888 */
889 if (i != j)
890 {
891 CteItem tmp;
892
893 tmp = items[i];
894 items[i] = items[j];
895 items[j] = tmp;
896 }
897
898 /*
899 * Items up through i are known to have no dependencies left, so we
900 * can skip them in this loop.
901 */
902 for (j = i + 1; j < numitems; j++)
903 {
904 items[j].depends_on = bms_del_member(items[j].depends_on,
905 items[i].id);
906 }
907 }
908}
909
910
911/*
912 * Check that recursive queries are well-formed.
913 */
914static void
916{
917 int i;
918
919 for (i = 0; i < cstate->numitems; i++)
920 {
921 CommonTableExpr *cte = cstate->items[i].cte;
923
924 Assert(!IsA(stmt, Query)); /* not analyzed yet */
925
926 /* Ignore items that weren't found to be recursive */
927 if (!cte->cterecursive)
928 continue;
929
930 /* Must be a SELECT statement */
931 if (!IsA(stmt, SelectStmt))
933 (errcode(ERRCODE_INVALID_RECURSION),
934 errmsg("recursive query \"%s\" must not contain data-modifying statements",
935 cte->ctename),
936 parser_errposition(cstate->pstate, cte->location)));
937
938 /* Must have top-level UNION */
939 if (stmt->op != SETOP_UNION)
941 (errcode(ERRCODE_INVALID_RECURSION),
942 errmsg("recursive query \"%s\" does not have the form non-recursive-term UNION [ALL] recursive-term",
943 cte->ctename),
944 parser_errposition(cstate->pstate, cte->location)));
945
946 /*
947 * Really, we should insist that there not be a top-level WITH, since
948 * syntactically that would enclose the UNION. However, we've not
949 * done so in the past and it's probably too late to change. Settle
950 * for insisting that WITH not contain a self-reference. Test this
951 * before examining the UNION arms, to avoid issuing confusing errors
952 * in such cases.
953 */
954 if (stmt->withClause)
955 {
956 cstate->curitem = i;
957 cstate->innerwiths = NIL;
958 cstate->selfrefcount = 0;
959 cstate->context = RECURSION_SUBLINK;
960 checkWellFormedRecursionWalker((Node *) stmt->withClause->ctes,
961 cstate);
962 Assert(cstate->innerwiths == NIL);
963 }
964
965 /*
966 * Disallow ORDER BY and similar decoration atop the UNION. These
967 * don't make sense because it's impossible to figure out what they
968 * mean when we have only part of the recursive query's results. (If
969 * we did allow them, we'd have to check for recursive references
970 * inside these subtrees. As for WITH, we have to do this before
971 * examining the UNION arms, to avoid issuing confusing errors if
972 * there is a recursive reference here.)
973 */
974 if (stmt->sortClause)
976 (errcode(ERRCODE_FEATURE_NOT_SUPPORTED),
977 errmsg("ORDER BY in a recursive query is not implemented"),
979 exprLocation((Node *) stmt->sortClause))));
980 if (stmt->limitOffset)
982 (errcode(ERRCODE_FEATURE_NOT_SUPPORTED),
983 errmsg("OFFSET in a recursive query is not implemented"),
985 exprLocation(stmt->limitOffset))));
986 if (stmt->limitCount)
988 (errcode(ERRCODE_FEATURE_NOT_SUPPORTED),
989 errmsg("LIMIT in a recursive query is not implemented"),
991 exprLocation(stmt->limitCount))));
992 if (stmt->lockingClause)
994 (errcode(ERRCODE_FEATURE_NOT_SUPPORTED),
995 errmsg("FOR UPDATE/SHARE in a recursive query is not implemented"),
997 exprLocation((Node *) stmt->lockingClause))));
998
999 /*
1000 * Now we can get on with checking the UNION operands themselves.
1001 *
1002 * The left-hand operand mustn't contain a self-reference at all.
1003 */
1004 cstate->curitem = i;
1005 cstate->innerwiths = NIL;
1006 cstate->selfrefcount = 0;
1008 checkWellFormedRecursionWalker((Node *) stmt->larg, cstate);
1009 Assert(cstate->innerwiths == NIL);
1010
1011 /* Right-hand operand should contain one reference in a valid place */
1012 cstate->curitem = i;
1013 cstate->innerwiths = NIL;
1014 cstate->selfrefcount = 0;
1015 cstate->context = RECURSION_OK;
1016 checkWellFormedRecursionWalker((Node *) stmt->rarg, cstate);
1017 Assert(cstate->innerwiths == NIL);
1018 if (cstate->selfrefcount != 1) /* shouldn't happen */
1019 elog(ERROR, "missing recursive reference");
1020 }
1021}
1022
1023/*
1024 * Tree walker function to detect invalid self-references in a recursive query.
1025 */
1026static bool
1028{
1029 RecursionContext save_context = cstate->context;
1030
1031 if (node == NULL)
1032 return false;
1033 if (IsA(node, RangeVar))
1034 {
1035 RangeVar *rv = (RangeVar *) node;
1036
1037 /* If unqualified name, might be a CTE reference */
1038 if (!rv->schemaname)
1039 {
1040 ListCell *lc;
1041 CommonTableExpr *mycte;
1042
1043 /* ... but first see if it's captured by an inner WITH */
1044 foreach(lc, cstate->innerwiths)
1045 {
1046 List *withlist = (List *) lfirst(lc);
1047 ListCell *lc2;
1048
1049 foreach(lc2, withlist)
1050 {
1051 CommonTableExpr *cte = (CommonTableExpr *) lfirst(lc2);
1052
1053 if (strcmp(rv->relname, cte->ctename) == 0)
1054 return false; /* yes, so bail out */
1055 }
1056 }
1057
1058 /* No, could be a reference to the query level we are working on */
1059 mycte = cstate->items[cstate->curitem].cte;
1060 if (strcmp(rv->relname, mycte->ctename) == 0)
1061 {
1062 /* Found a recursive reference to the active query */
1063 if (cstate->context != RECURSION_OK)
1064 ereport(ERROR,
1065 (errcode(ERRCODE_INVALID_RECURSION),
1067 mycte->ctename),
1068 parser_errposition(cstate->pstate,
1069 rv->location)));
1070 /* Count references */
1071 if (++(cstate->selfrefcount) > 1)
1072 ereport(ERROR,
1073 (errcode(ERRCODE_INVALID_RECURSION),
1074 errmsg("recursive reference to query \"%s\" must not appear more than once",
1075 mycte->ctename),
1076 parser_errposition(cstate->pstate,
1077 rv->location)));
1078 }
1079 }
1080 return false;
1081 }
1082 if (IsA(node, SelectStmt))
1083 {
1084 SelectStmt *stmt = (SelectStmt *) node;
1085 ListCell *lc;
1086
1087 if (stmt->withClause)
1088 {
1089 if (stmt->withClause->recursive)
1090 {
1091 /*
1092 * In the RECURSIVE case, all query names of the WITH are
1093 * visible to all WITH items as well as the main query. So
1094 * push them all on, process, pop them all off.
1095 */
1096 cstate->innerwiths = lcons(stmt->withClause->ctes,
1097 cstate->innerwiths);
1098 foreach(lc, stmt->withClause->ctes)
1099 {
1100 CommonTableExpr *cte = (CommonTableExpr *) lfirst(lc);
1101
1102 (void) checkWellFormedRecursionWalker(cte->ctequery, cstate);
1103 }
1105 cstate->innerwiths = list_delete_first(cstate->innerwiths);
1106 }
1107 else
1108 {
1109 /*
1110 * In the non-RECURSIVE case, query names are visible to the
1111 * WITH items after them and to the main query.
1112 */
1113 cstate->innerwiths = lcons(NIL, cstate->innerwiths);
1114 foreach(lc, stmt->withClause->ctes)
1115 {
1116 CommonTableExpr *cte = (CommonTableExpr *) lfirst(lc);
1117 ListCell *cell1;
1118
1119 (void) checkWellFormedRecursionWalker(cte->ctequery, cstate);
1120 /* note that recursion could mutate innerwiths list */
1121 cell1 = list_head(cstate->innerwiths);
1122 lfirst(cell1) = lappend((List *) lfirst(cell1), cte);
1123 }
1125 cstate->innerwiths = list_delete_first(cstate->innerwiths);
1126 }
1127 }
1128 else
1130 /* We're done examining the SelectStmt */
1131 return false;
1132 }
1133 if (IsA(node, WithClause))
1134 {
1135 /*
1136 * Prevent raw_expression_tree_walker from recursing directly into a
1137 * WITH clause. We need that to happen only under the control of the
1138 * code above.
1139 */
1140 return false;
1141 }
1142 if (IsA(node, JoinExpr))
1143 {
1144 JoinExpr *j = (JoinExpr *) node;
1145
1146 switch (j->jointype)
1147 {
1148 case JOIN_INNER:
1149 checkWellFormedRecursionWalker(j->larg, cstate);
1150 checkWellFormedRecursionWalker(j->rarg, cstate);
1151 checkWellFormedRecursionWalker(j->quals, cstate);
1152 break;
1153 case JOIN_LEFT:
1154 checkWellFormedRecursionWalker(j->larg, cstate);
1155 if (save_context == RECURSION_OK)
1156 cstate->context = RECURSION_OUTERJOIN;
1157 checkWellFormedRecursionWalker(j->rarg, cstate);
1158 cstate->context = save_context;
1159 checkWellFormedRecursionWalker(j->quals, cstate);
1160 break;
1161 case JOIN_FULL:
1162 if (save_context == RECURSION_OK)
1163 cstate->context = RECURSION_OUTERJOIN;
1164 checkWellFormedRecursionWalker(j->larg, cstate);
1165 checkWellFormedRecursionWalker(j->rarg, cstate);
1166 cstate->context = save_context;
1167 checkWellFormedRecursionWalker(j->quals, cstate);
1168 break;
1169 case JOIN_RIGHT:
1170 if (save_context == RECURSION_OK)
1171 cstate->context = RECURSION_OUTERJOIN;
1172 checkWellFormedRecursionWalker(j->larg, cstate);
1173 cstate->context = save_context;
1174 checkWellFormedRecursionWalker(j->rarg, cstate);
1175 checkWellFormedRecursionWalker(j->quals, cstate);
1176 break;
1177 default:
1178 elog(ERROR, "unrecognized join type: %d",
1179 (int) j->jointype);
1180 }
1181 return false;
1182 }
1183 if (IsA(node, SubLink))
1184 {
1185 SubLink *sl = (SubLink *) node;
1186
1187 /*
1188 * we intentionally override outer context, since subquery is
1189 * independent
1190 */
1191 cstate->context = RECURSION_SUBLINK;
1193 cstate->context = save_context;
1195 return false;
1196 }
1197 return raw_expression_tree_walker(node,
1199 cstate);
1200}
1201
1202/*
1203 * subroutine for checkWellFormedRecursionWalker: process a SelectStmt
1204 * without worrying about its WITH clause
1205 */
1206static void
1208{
1209 RecursionContext save_context = cstate->context;
1210
1211 if (save_context != RECURSION_OK)
1212 {
1213 /* just recurse without changing state */
1216 cstate);
1217 }
1218 else
1219 {
1220 switch (stmt->op)
1221 {
1222 case SETOP_NONE:
1223 case SETOP_UNION:
1226 cstate);
1227 break;
1228 case SETOP_INTERSECT:
1229 if (stmt->all)
1230 cstate->context = RECURSION_INTERSECT;
1232 cstate);
1234 cstate);
1235 cstate->context = save_context;
1237 cstate);
1238 checkWellFormedRecursionWalker((Node *) stmt->limitOffset,
1239 cstate);
1241 cstate);
1242 checkWellFormedRecursionWalker((Node *) stmt->lockingClause,
1243 cstate);
1244 /* stmt->withClause is intentionally ignored here */
1245 break;
1246 case SETOP_EXCEPT:
1247 if (stmt->all)
1248 cstate->context = RECURSION_EXCEPT;
1250 cstate);
1251 cstate->context = RECURSION_EXCEPT;
1253 cstate);
1254 cstate->context = save_context;
1256 cstate);
1257 checkWellFormedRecursionWalker((Node *) stmt->limitOffset,
1258 cstate);
1260 cstate);
1261 checkWellFormedRecursionWalker((Node *) stmt->lockingClause,
1262 cstate);
1263 /* stmt->withClause is intentionally ignored here */
1264 break;
1265 default:
1266 elog(ERROR, "unrecognized set op: %d",
1267 (int) stmt->op);
1268 }
1269 }
1270}
Bitmapset * bms_del_member(Bitmapset *a, int x)
Definition: bitmapset.c:868
Bitmapset * bms_add_member(Bitmapset *a, int x)
Definition: bitmapset.c:815
#define bms_is_empty(a)
Definition: bitmapset.h:118
#define gettext_noop(x)
Definition: c.h:1167
int32_t int32
Definition: c.h:498
#define OidIsValid(objectId)
Definition: c.h:746
int errhint(const char *fmt,...)
Definition: elog.c:1318
int errcode(int sqlerrcode)
Definition: elog.c:854
int errmsg(const char *fmt,...)
Definition: elog.c:1071
#define ERROR
Definition: elog.h:39
#define elog(elevel,...)
Definition: elog.h:226
#define ereport(elevel,...)
Definition: elog.h:149
char * format_type_with_typemod(Oid type_oid, int32 typemod)
Definition: format_type.c:362
char * format_type_be(Oid type_oid)
Definition: format_type.c:343
Assert(PointerIsAligned(start, uint64))
#define stmt
Definition: indent_codes.h:59
int j
Definition: isn.c:78
int i
Definition: isn.c:77
if(TABLE==NULL||TABLE_index==NULL)
Definition: isn.c:81
List * lappend(List *list, void *datum)
Definition: list.c:339
List * list_delete_first(List *list)
Definition: list.c:943
List * list_copy(const List *oldlist)
Definition: list.c:1573
List * lappend_int(List *list, int datum)
Definition: list.c:357
List * lappend_oid(List *list, Oid datum)
Definition: list.c:375
List * lcons(void *datum, List *list)
Definition: list.c:495
bool list_member(const List *list, const void *datum)
Definition: list.c:661
char * get_collation_name(Oid colloid)
Definition: lsyscache.c:1127
Oid get_negator(Oid opno)
Definition: lsyscache.c:1673
char * pstrdup(const char *in)
Definition: mcxt.c:2325
void * palloc0(Size size)
Definition: mcxt.c:1973
Oid exprType(const Node *expr)
Definition: nodeFuncs.c:42
int32 exprTypmod(const Node *expr)
Definition: nodeFuncs.c:301
Oid exprCollation(const Node *expr)
Definition: nodeFuncs.c:821
int exprLocation(const Node *expr)
Definition: nodeFuncs.c:1388
#define raw_expression_tree_walker(n, w, c)
Definition: nodeFuncs.h:176
#define IsA(nodeptr, _type_)
Definition: nodes.h:164
#define copyObject(obj)
Definition: nodes.h:230
@ CMD_SELECT
Definition: nodes.h:271
#define castNode(_type_, nodeptr)
Definition: nodes.h:182
@ JOIN_FULL
Definition: nodes.h:301
@ JOIN_INNER
Definition: nodes.h:299
@ JOIN_RIGHT
Definition: nodes.h:302
@ JOIN_LEFT
Definition: nodes.h:300
Node * coerce_to_common_type(ParseState *pstate, Node *node, Oid targetTypeId, const char *context)
int32 select_common_typmod(ParseState *pstate, List *exprs, Oid common_type)
Oid select_common_type(ParseState *pstate, List *exprs, const char *context, Node **which_expr)
Oid select_common_collation(ParseState *pstate, List *exprs, bool none_ok)
static void WalkInnerWith(Node *stmt, WithClause *withClause, CteState *cstate)
Definition: parse_cte.c:812
static void checkWellFormedSelectStmt(SelectStmt *stmt, CteState *cstate)
Definition: parse_cte.c:1207
RecursionContext
Definition: parse_cte.c:32
@ RECURSION_INTERSECT
Definition: parse_cte.c:37
@ RECURSION_SUBLINK
Definition: parse_cte.c:35
@ RECURSION_EXCEPT
Definition: parse_cte.c:38
@ RECURSION_OUTERJOIN
Definition: parse_cte.c:36
@ RECURSION_NONRECURSIVETERM
Definition: parse_cte.c:34
@ RECURSION_OK
Definition: parse_cte.c:33
static void makeDependencyGraph(CteState *cstate)
Definition: parse_cte.c:648
void analyzeCTETargetList(ParseState *pstate, CommonTableExpr *cte, List *tlist)
Definition: parse_cte.c:571
static void checkWellFormedRecursion(CteState *cstate)
Definition: parse_cte.c:915
List * transformWithClause(ParseState *pstate, WithClause *withClause)
Definition: parse_cte.c:110
static void TopologicalSort(ParseState *pstate, CteItem *items, int numitems)
Definition: parse_cte.c:863
static bool makeDependencyGraphWalker(Node *node, CteState *cstate)
Definition: parse_cte.c:670
struct CteItem CteItem
static bool checkWellFormedRecursionWalker(Node *node, CteState *cstate)
Definition: parse_cte.c:1027
static const char *const recursion_errormsgs[]
Definition: parse_cte.c:42
static void analyzeCTE(ParseState *pstate, CommonTableExpr *cte)
Definition: parse_cte.c:243
struct CteState CteState
Node * transformExpr(ParseState *pstate, Node *expr, ParseExprKind exprKind)
Definition: parse_expr.c:118
int parser_errposition(ParseState *pstate, int location)
Definition: parse_node.c:106
@ EXPR_KIND_CYCLE_MARK
Definition: parse_node.h:84
@ SETOP_INTERSECT
Definition: parsenodes.h:2169
@ SETOP_UNION
Definition: parsenodes.h:2168
@ SETOP_EXCEPT
Definition: parsenodes.h:2170
@ SETOP_NONE
Definition: parsenodes.h:2167
#define GetCTETargetList(cte)
Definition: parsenodes.h:1719
Query * parse_sub_analyze(Node *parseTree, ParseState *parentParseState, CommonTableExpr *parentCTE, bool locked_from_parent, bool resolve_unknowns)
Definition: analyze.c:222
#define lfirst(lc)
Definition: pg_list.h:172
#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 for_each_cell(cell, lst, initcell)
Definition: pg_list.h:438
static ListCell * list_head(const List *l)
Definition: pg_list.h:128
static ListCell * lnext(const List *l, const ListCell *c)
Definition: pg_list.h:343
#define lfirst_oid(lc)
Definition: pg_list.h:174
#define list_make2(x1, x2)
Definition: pg_list.h:214
unsigned int Oid
Definition: postgres_ext.h:30
char * cycle_path_column
Definition: parsenodes.h:1673
ParseLoc location
Definition: parsenodes.h:1674
Node * cycle_mark_default
Definition: parsenodes.h:1672
Oid cycle_mark_collation
Definition: parsenodes.h:1678
List * cycle_col_list
Definition: parsenodes.h:1669
char * cycle_mark_column
Definition: parsenodes.h:1670
Node * cycle_mark_value
Definition: parsenodes.h:1671
ParseLoc location
Definition: parsenodes.h:1663
char * search_seq_column
Definition: parsenodes.h:1662
List * search_col_list
Definition: parsenodes.h:1660
ParseLoc location
Definition: parsenodes.h:1698
int id
Definition: parse_cte.c:66
Bitmapset * depends_on
Definition: parse_cte.c:67
CommonTableExpr * cte
Definition: parse_cte.c:65
int selfrefcount
Definition: parse_cte.c:81
RecursionContext context
Definition: parse_cte.c:82
ParseState * pstate
Definition: parse_cte.c:74
int curitem
Definition: parse_cte.c:78
int numitems
Definition: parse_cte.c:76
List * innerwiths
Definition: parse_cte.c:79
CteItem * items
Definition: parse_cte.c:75
Definition: pg_list.h:54
Definition: nodes.h:135
ParseState * parentParseState
Definition: parse_node.h:208
List * p_ctenamespace
Definition: parse_node.h:222
bool p_hasModifyingCTE
Definition: parse_node.h:246
List * p_future_ctes
Definition: parse_node.h:223
Node * setOperations
Definition: parsenodes.h:230
CmdType commandType
Definition: parsenodes.h:121
Node * utilityStmt
Definition: parsenodes.h:136
char * relname
Definition: primnodes.h:83
ParseLoc location
Definition: primnodes.h:95
char * schemaname
Definition: primnodes.h:80
Definition: value.h:64
Expr * expr
Definition: primnodes.h:2219
AttrNumber resno
Definition: primnodes.h:2221
List * ctes
Definition: parsenodes.h:1609
bool recursive
Definition: parsenodes.h:1610
static ItemArray items
Definition: test_tidstore.c:48
TypeCacheEntry * lookup_type_cache(Oid type_id, int flags)
Definition: typcache.c:386
#define TYPECACHE_EQ_OPR
Definition: typcache.h:138
String * makeString(char *str)
Definition: value.c:63
#define strVal(v)
Definition: value.h:82