1 /*-------------------------------------------------------------------------
4 * Definitions for "primitive" node types, those that are used in more
5 * than one of the parse/plan/execute stages of the query pipeline.
6 * Currently, these are mostly nodes for executable expressions
10 * Portions Copyright (c) 1996-2009, PostgreSQL Global Development Group
11 * Portions Copyright (c) 1994, Regents of the University of California
15 *-------------------------------------------------------------------------
20 #include "access/attnum.h"
21 #include "nodes/pg_list.h"
24 /* ----------------------------------------------------------------
26 * ----------------------------------------------------------------
31 * specifies an alias for a range variable; the alias might also
32 * specify renaming of columns within the table.
34 * Note: colnames is a list of Value nodes (always strings). In Alias structs
35 * associated with RTEs, there may be entries corresponding to dropped
36 * columns; these are normally empty strings (""). See parsenodes.h for info.
41 char *aliasname
; /* aliased rel name (never qualified) */
42 List
*colnames
; /* optional list of column aliases */
45 typedef enum InhOption
47 INH_NO
, /* Do NOT scan child tables */
48 INH_YES
, /* DO scan child tables */
49 INH_DEFAULT
/* Use current SQL_inheritance option */
52 /* What to do at commit time for temporary relations */
53 typedef enum OnCommitAction
55 ONCOMMIT_NOOP
, /* No ON COMMIT clause (do nothing) */
56 ONCOMMIT_PRESERVE_ROWS
, /* ON COMMIT PRESERVE ROWS (do nothing) */
57 ONCOMMIT_DELETE_ROWS
, /* ON COMMIT DELETE ROWS */
58 ONCOMMIT_DROP
/* ON COMMIT DROP */
62 * RangeVar - range variable, used in FROM clauses
64 * Also used to represent table names in utility statements; there, the alias
65 * field is not used, and inhOpt shows whether to apply the operation
66 * recursively to child tables. In some contexts it is also useful to carry
67 * a TEMP table indication here.
69 typedef struct RangeVar
72 char *catalogname
; /* the catalog (database) name, or NULL */
73 char *schemaname
; /* the schema name, or NULL */
74 char *relname
; /* the relation/sequence name */
75 InhOption inhOpt
; /* expand rel by inheritance? recursively act
77 bool istemp
; /* is this a temp relation/sequence? */
78 Alias
*alias
; /* table alias & optional column aliases */
79 int location
; /* token location, or -1 if unknown */
83 * IntoClause - target information for SELECT INTO and CREATE TABLE AS
85 typedef struct IntoClause
89 RangeVar
*rel
; /* target relation name */
90 List
*colNames
; /* column names to assign, or NIL */
91 List
*options
; /* options from WITH clause */
92 OnCommitAction onCommit
; /* what do we do at COMMIT? */
93 char *tableSpaceName
; /* table space to use, or NULL */
97 /* ----------------------------------------------------------------
98 * node types for executable expressions
99 * ----------------------------------------------------------------
103 * Expr - generic superclass for executable-expression nodes
105 * All node types that are used in executable expression trees should derive
106 * from Expr (that is, have Expr as their first field). Since Expr only
107 * contains NodeTag, this is a formality, but it is an easy form of
108 * documentation. See also the ExprState node types in execnodes.h.
116 * Var - expression node representing a variable (ie, a table column)
118 * Note: during parsing/planning, varnoold/varoattno are always just copies
119 * of varno/varattno. At the tail end of planning, Var nodes appearing in
120 * upper-level plan nodes are reassigned to point to the outputs of their
121 * subplans; for example, in a join node varno becomes INNER or OUTER and
122 * varattno becomes the index of the proper element of that subplan's target
123 * list. But varnoold/varoattno continue to hold the original values.
124 * The code doesn't really need varnoold/varoattno, but they are very useful
125 * for debugging and interpreting completed plans, so we keep them around.
130 #define PRS2_OLD_VARNO 1
131 #define PRS2_NEW_VARNO 2
136 Index varno
; /* index of this var's relation in the range
137 * table (could also be INNER or OUTER) */
138 AttrNumber varattno
; /* attribute number of this var, or zero for
140 Oid vartype
; /* pg_type OID for the type of this var */
141 int32 vartypmod
; /* pg_attribute typmod value */
142 Index varlevelsup
; /* for subquery variables referencing outer
143 * relations; 0 in a normal var, >0 means N
145 Index varnoold
; /* original value of varno, for debugging */
146 AttrNumber varoattno
; /* original value of varattno */
147 int location
; /* token location, or -1 if unknown */
156 Oid consttype
; /* pg_type OID of the constant's datatype */
157 int32 consttypmod
; /* typmod value, if any */
158 int constlen
; /* typlen of the constant's datatype */
159 Datum constvalue
; /* the constant's value */
160 bool constisnull
; /* whether the constant is null (if true,
161 * constvalue is undefined) */
162 bool constbyval
; /* whether this datatype is passed by value.
163 * If true, then all the information is stored
164 * in the Datum. If false, then the Datum
165 * contains a pointer to the information. */
166 int location
; /* token location, or -1 if unknown */
171 * paramkind - specifies the kind of parameter. The possible values
172 * for this field are:
174 * PARAM_EXTERN: The parameter value is supplied from outside the plan.
175 * Such parameters are numbered from 1 to n.
177 * PARAM_EXEC: The parameter is an internal executor parameter, used
178 * for passing values into and out of sub-queries.
179 * For historical reasons, such parameters are numbered from 0.
180 * These numbers are independent of PARAM_EXTERN numbers.
182 * PARAM_SUBLINK: The parameter represents an output column of a SubLink
183 * node's sub-select. The column number is contained in the
184 * `paramid' field. (This type of Param is converted to
185 * PARAM_EXEC during planning.)
187 * Note: currently, paramtypmod is valid for PARAM_SUBLINK Params, and for
188 * PARAM_EXEC Params generated from them; it is always -1 for PARAM_EXTERN
189 * params, since the APIs that supply values for such parameters don't carry
193 typedef enum ParamKind
203 ParamKind paramkind
; /* kind of parameter. See above */
204 int paramid
; /* numeric ID for parameter */
205 Oid paramtype
; /* pg_type OID of parameter's datatype */
206 int32 paramtypmod
; /* typmod value, if known */
207 int location
; /* token location, or -1 if unknown */
213 typedef struct Aggref
216 Oid aggfnoid
; /* pg_proc Oid of the aggregate */
217 Oid aggtype
; /* type Oid of result of the aggregate */
218 List
*args
; /* arguments to the aggregate */
219 Index agglevelsup
; /* > 0 if agg belongs to outer query */
220 bool aggstar
; /* TRUE if argument list was really '*' */
221 bool aggdistinct
; /* TRUE if it's agg(DISTINCT ...) */
222 int location
; /* token location, or -1 if unknown */
228 typedef struct WindowFunc
231 Oid winfnoid
; /* pg_proc Oid of the function */
232 Oid wintype
; /* type Oid of result of the window function */
233 List
*args
; /* arguments to the window function */
234 Index winref
; /* index of associated WindowClause */
235 bool winstar
; /* TRUE if argument list was really '*' */
236 bool winagg
; /* is function a simple aggregate? */
237 int location
; /* token location, or -1 if unknown */
241 * ArrayRef: describes an array subscripting operation
243 * An ArrayRef can describe fetching a single element from an array,
244 * fetching a subarray (array slice), storing a single element into
245 * an array, or storing a slice. The "store" cases work with an
246 * initial array value and a source value that is inserted into the
247 * appropriate part of the array; the result of the operation is an
248 * entire new modified array value.
250 * If reflowerindexpr = NIL, then we are fetching or storing a single array
251 * element at the subscripts given by refupperindexpr. Otherwise we are
252 * fetching or storing an array slice, that is a rectangular subarray
253 * with lower and upper bounds given by the index expressions.
254 * reflowerindexpr must be the same length as refupperindexpr when it
257 * Note: the result datatype is the element type when fetching a single
258 * element; but it is the array type when doing subarray fetch or either
262 typedef struct ArrayRef
265 Oid refarraytype
; /* type of the array proper */
266 Oid refelemtype
; /* type of the array elements */
267 int32 reftypmod
; /* typmod of the array (and elements too) */
268 List
*refupperindexpr
;/* expressions that evaluate to upper array
270 List
*reflowerindexpr
;/* expressions that evaluate to lower array
272 Expr
*refexpr
; /* the expression that evaluates to an array
274 Expr
*refassgnexpr
; /* expression for the source value, or NULL if
279 * CoercionContext - distinguishes the allowed set of type casts
281 * NB: ordering of the alternatives is significant; later (larger) values
282 * allow more casts than earlier ones.
284 typedef enum CoercionContext
286 COERCION_IMPLICIT
, /* coercion in context of expression */
287 COERCION_ASSIGNMENT
, /* coercion in context of assignment */
288 COERCION_EXPLICIT
/* explicit cast operation */
292 * CoercionForm - information showing how to display a function-call node
294 typedef enum CoercionForm
296 COERCE_EXPLICIT_CALL
, /* display as a function call */
297 COERCE_EXPLICIT_CAST
, /* display as an explicit cast */
298 COERCE_IMPLICIT_CAST
, /* implicit cast, so hide it */
299 COERCE_DONTCARE
/* special case for planner */
303 * FuncExpr - expression node for a function call
305 typedef struct FuncExpr
308 Oid funcid
; /* PG_PROC OID of the function */
309 Oid funcresulttype
; /* PG_TYPE OID of result value */
310 bool funcretset
; /* true if function returns set */
311 CoercionForm funcformat
; /* how to display this function call */
312 List
*args
; /* arguments to the function */
313 int location
; /* token location, or -1 if unknown */
317 * OpExpr - expression node for an operator invocation
319 * Semantically, this is essentially the same as a function call.
321 * Note that opfuncid is not necessarily filled in immediately on creation
322 * of the node. The planner makes sure it is valid before passing the node
323 * tree to the executor, but during parsing/planning opfuncid can be 0.
325 typedef struct OpExpr
328 Oid opno
; /* PG_OPERATOR OID of the operator */
329 Oid opfuncid
; /* PG_PROC OID of underlying function */
330 Oid opresulttype
; /* PG_TYPE OID of result value */
331 bool opretset
; /* true if operator returns set */
332 List
*args
; /* arguments to the operator (1 or 2) */
333 int location
; /* token location, or -1 if unknown */
337 * DistinctExpr - expression node for "x IS DISTINCT FROM y"
339 * Except for the nodetag, this is represented identically to an OpExpr
340 * referencing the "=" operator for x and y.
341 * We use "=", not the more obvious "<>", because more datatypes have "="
342 * than "<>". This means the executor must invert the operator result.
343 * Note that the operator function won't be called at all if either input
344 * is NULL, since then the result can be determined directly.
346 typedef OpExpr DistinctExpr
;
349 * ScalarArrayOpExpr - expression node for "scalar op ANY/ALL (array)"
351 * The operator must yield boolean. It is applied to the left operand
352 * and each element of the righthand array, and the results are combined
353 * with OR or AND (for ANY or ALL respectively). The node representation
354 * is almost the same as for the underlying operator, but we need a useOr
355 * flag to remember whether it's ANY or ALL, and we don't have to store
356 * the result type because it must be boolean.
358 typedef struct ScalarArrayOpExpr
361 Oid opno
; /* PG_OPERATOR OID of the operator */
362 Oid opfuncid
; /* PG_PROC OID of underlying function */
363 bool useOr
; /* true for ANY, false for ALL */
364 List
*args
; /* the scalar and array operands */
365 int location
; /* token location, or -1 if unknown */
369 * BoolExpr - expression node for the basic Boolean operators AND, OR, NOT
371 * Notice the arguments are given as a List. For NOT, of course the list
372 * must always have exactly one element. For AND and OR, the executor can
373 * handle any number of arguments. The parser generally treats AND and OR
374 * as binary and so it typically only produces two-element lists, but the
375 * optimizer will flatten trees of AND and OR nodes to produce longer lists
376 * when possible. There are also a few special cases where more arguments
377 * can appear before optimization.
379 typedef enum BoolExprType
381 AND_EXPR
, OR_EXPR
, NOT_EXPR
384 typedef struct BoolExpr
388 List
*args
; /* arguments to this expression */
389 int location
; /* token location, or -1 if unknown */
395 * A SubLink represents a subselect appearing in an expression, and in some
396 * cases also the combining operator(s) just above it. The subLinkType
397 * indicates the form of the expression represented:
398 * EXISTS_SUBLINK EXISTS(SELECT ...)
399 * ALL_SUBLINK (lefthand) op ALL (SELECT ...)
400 * ANY_SUBLINK (lefthand) op ANY (SELECT ...)
401 * ROWCOMPARE_SUBLINK (lefthand) op (SELECT ...)
402 * EXPR_SUBLINK (SELECT with single targetlist item ...)
403 * ARRAY_SUBLINK ARRAY(SELECT with single targetlist item ...)
404 * CTE_SUBLINK WITH query (never actually part of an expression)
405 * For ALL, ANY, and ROWCOMPARE, the lefthand is a list of expressions of the
406 * same length as the subselect's targetlist. ROWCOMPARE will *always* have
407 * a list with more than one entry; if the subselect has just one target
408 * then the parser will create an EXPR_SUBLINK instead (and any operator
409 * above the subselect will be represented separately). Note that both
410 * ROWCOMPARE and EXPR require the subselect to deliver only one row.
411 * ALL, ANY, and ROWCOMPARE require the combining operators to deliver boolean
412 * results. ALL and ANY combine the per-row results using AND and OR
413 * semantics respectively.
414 * ARRAY requires just one target column, and creates an array of the target
415 * column's type using any number of rows resulting from the subselect.
417 * SubLink is classed as an Expr node, but it is not actually executable;
418 * it must be replaced in the expression tree by a SubPlan node during
421 * NOTE: in the raw output of gram.y, testexpr contains just the raw form
422 * of the lefthand expression (if any), and operName is the String name of
423 * the combining operator. Also, subselect is a raw parsetree. During parse
424 * analysis, the parser transforms testexpr into a complete boolean expression
425 * that compares the lefthand value(s) to PARAM_SUBLINK nodes representing the
426 * output columns of the subselect. And subselect is transformed to a Query.
427 * This is the representation seen in saved rules and in the rewriter.
429 * In EXISTS, EXPR, and ARRAY SubLinks, testexpr and operName are unused and
432 * The CTE_SUBLINK case never occurs in actual SubLink nodes, but it is used
433 * in SubPlans generated for WITH subqueries.
435 typedef enum SubLinkType
443 CTE_SUBLINK
/* for SubPlans only */
447 typedef struct SubLink
450 SubLinkType subLinkType
; /* see above */
451 Node
*testexpr
; /* outer-query test for ALL/ANY/ROWCOMPARE */
452 List
*operName
; /* originally specified operator name */
453 Node
*subselect
; /* subselect as Query* or parsetree */
454 int location
; /* token location, or -1 if unknown */
458 * SubPlan - executable expression node for a subplan (sub-SELECT)
460 * The planner replaces SubLink nodes in expression trees with SubPlan
461 * nodes after it has finished planning the subquery. SubPlan references
462 * a sub-plantree stored in the subplans list of the toplevel PlannedStmt.
463 * (We avoid a direct link to make it easier to copy expression trees
464 * without causing multiple processing of the subplan.)
466 * In an ordinary subplan, testexpr points to an executable expression
467 * (OpExpr, an AND/OR tree of OpExprs, or RowCompareExpr) for the combining
468 * operator(s); the left-hand arguments are the original lefthand expressions,
469 * and the right-hand arguments are PARAM_EXEC Param nodes representing the
470 * outputs of the sub-select. (NOTE: runtime coercion functions may be
471 * inserted as well.) This is just the same expression tree as testexpr in
472 * the original SubLink node, but the PARAM_SUBLINK nodes are replaced by
473 * suitably numbered PARAM_EXEC nodes.
475 * If the sub-select becomes an initplan rather than a subplan, the executable
476 * expression is part of the outer plan's expression tree (and the SubPlan
477 * node itself is not, but rather is found in the outer plan's initPlan
478 * list). In this case testexpr is NULL to avoid duplication.
480 * The planner also derives lists of the values that need to be passed into
481 * and out of the subplan. Input values are represented as a list "args" of
482 * expressions to be evaluated in the outer-query context (currently these
483 * args are always just Vars, but in principle they could be any expression).
484 * The values are assigned to the global PARAM_EXEC params indexed by parParam
485 * (the parParam and args lists must have the same ordering). setParam is a
486 * list of the PARAM_EXEC params that are computed by the sub-select, if it
487 * is an initplan; they are listed in order by sub-select output column
488 * position. (parParam and setParam are integer Lists, not Bitmapsets,
489 * because their ordering is significant.)
491 * Also, the planner computes startup and per-call costs for use of the
492 * SubPlan. Note that these include the cost of the subquery proper,
493 * evaluation of the testexpr if any, and any hashtable management overhead.
495 typedef struct SubPlan
498 /* Fields copied from original SubLink: */
499 SubLinkType subLinkType
; /* see above */
500 /* The combining operators, transformed to an executable expression: */
501 Node
*testexpr
; /* OpExpr or RowCompareExpr expression tree */
502 List
*paramIds
; /* IDs of Params embedded in the above */
503 /* Identification of the Plan tree to use: */
504 int plan_id
; /* Index (from 1) in PlannedStmt.subplans */
505 /* Identification of the SubPlan for EXPLAIN and debugging purposes: */
506 char *plan_name
; /* A name assigned during planning */
507 /* Extra data useful for determining subplan's output type: */
508 Oid firstColType
; /* Type of first column of subplan result */
509 int32 firstColTypmod
; /* Typmod of first column of subplan result */
510 /* Information about execution strategy: */
511 bool useHashTable
; /* TRUE to store subselect output in a hash
512 * table (implies we are doing "IN") */
513 bool unknownEqFalse
; /* TRUE if it's okay to return FALSE when the
514 * spec result is UNKNOWN; this allows much
515 * simpler handling of null values */
516 /* Information for passing params into and out of the subselect: */
517 /* setParam and parParam are lists of integers (param IDs) */
518 List
*setParam
; /* initplan subqueries have to set these
519 * Params for parent plan */
520 List
*parParam
; /* indices of input Params from parent plan */
521 List
*args
; /* exprs to pass as parParam values */
522 /* Estimated execution costs: */
523 Cost startup_cost
; /* one-time setup cost */
524 Cost per_call_cost
; /* cost for each subplan evaluation */
528 * AlternativeSubPlan - expression node for a choice among SubPlans
530 * The subplans are given as a List so that the node definition need not
531 * change if there's ever more than two alternatives. For the moment,
532 * though, there are always exactly two; and the first one is the fast-start
535 typedef struct AlternativeSubPlan
538 List
*subplans
; /* SubPlan(s) with equivalent results */
539 } AlternativeSubPlan
;
544 * FieldSelect represents the operation of extracting one field from a tuple
545 * value. At runtime, the input expression is expected to yield a rowtype
546 * Datum. The specified field number is extracted and returned as a Datum.
550 typedef struct FieldSelect
553 Expr
*arg
; /* input expression */
554 AttrNumber fieldnum
; /* attribute number of field to extract */
555 Oid resulttype
; /* type of the field (result type of this
557 int32 resulttypmod
; /* output typmod (usually -1) */
563 * FieldStore represents the operation of modifying one field in a tuple
564 * value, yielding a new tuple value (the input is not touched!). Like
565 * the assign case of ArrayRef, this is used to implement UPDATE of a
566 * portion of a column.
568 * A single FieldStore can actually represent updates of several different
569 * fields. The parser only generates FieldStores with single-element lists,
570 * but the planner will collapse multiple updates of the same base column
571 * into one FieldStore.
575 typedef struct FieldStore
578 Expr
*arg
; /* input tuple value */
579 List
*newvals
; /* new value(s) for field(s) */
580 List
*fieldnums
; /* integer list of field attnums */
581 Oid resulttype
; /* type of result (same as type of arg) */
582 /* Like RowExpr, we deliberately omit a typmod here */
588 * RelabelType represents a "dummy" type coercion between two binary-
589 * compatible datatypes, such as reinterpreting the result of an OID
590 * expression as an int4. It is a no-op at runtime; we only need it
591 * to provide a place to store the correct type to be attributed to
592 * the expression result during type resolution. (We can't get away
593 * with just overwriting the type field of the input expression node,
594 * so we need a separate node to show the coercion's result type.)
598 typedef struct RelabelType
601 Expr
*arg
; /* input expression */
602 Oid resulttype
; /* output type of coercion expression */
603 int32 resulttypmod
; /* output typmod (usually -1) */
604 CoercionForm relabelformat
; /* how to display this node */
605 int location
; /* token location, or -1 if unknown */
611 * CoerceViaIO represents a type coercion between two types whose textual
612 * representations are compatible, implemented by invoking the source type's
613 * typoutput function then the destination type's typinput function.
617 typedef struct CoerceViaIO
620 Expr
*arg
; /* input expression */
621 Oid resulttype
; /* output type of coercion */
622 /* output typmod is not stored, but is presumed -1 */
623 CoercionForm coerceformat
; /* how to display this node */
624 int location
; /* token location, or -1 if unknown */
630 * ArrayCoerceExpr represents a type coercion from one array type to another,
631 * which is implemented by applying the indicated element-type coercion
632 * function to each element of the source array. If elemfuncid is InvalidOid
633 * then the element types are binary-compatible, but the coercion still
634 * requires some effort (we have to fix the element type ID stored in the
639 typedef struct ArrayCoerceExpr
642 Expr
*arg
; /* input expression (yields an array) */
643 Oid elemfuncid
; /* OID of element coercion function, or 0 */
644 Oid resulttype
; /* output type of coercion (an array type) */
645 int32 resulttypmod
; /* output typmod (also element typmod) */
646 bool isExplicit
; /* conversion semantics flag to pass to func */
647 CoercionForm coerceformat
; /* how to display this node */
648 int location
; /* token location, or -1 if unknown */
654 * ConvertRowtypeExpr represents a type coercion from one composite type
655 * to another, where the source type is guaranteed to contain all the columns
656 * needed for the destination type plus possibly others; the columns need not
657 * be in the same positions, but are matched up by name. This is primarily
658 * used to convert a whole-row value of an inheritance child table into a
659 * valid whole-row value of its parent table's rowtype.
663 typedef struct ConvertRowtypeExpr
666 Expr
*arg
; /* input expression */
667 Oid resulttype
; /* output type (always a composite type) */
668 /* result typmod is not stored, but must be -1; see RowExpr comments */
669 CoercionForm convertformat
; /* how to display this node */
670 int location
; /* token location, or -1 if unknown */
671 } ConvertRowtypeExpr
;
674 * CaseExpr - a CASE expression
676 * We support two distinct forms of CASE expression:
677 * CASE WHEN boolexpr THEN expr [ WHEN boolexpr THEN expr ... ]
678 * CASE testexpr WHEN compexpr THEN expr [ WHEN compexpr THEN expr ... ]
679 * These are distinguishable by the "arg" field being NULL in the first case
680 * and the testexpr in the second case.
682 * In the raw grammar output for the second form, the condition expressions
683 * of the WHEN clauses are just the comparison values. Parse analysis
684 * converts these to valid boolean expressions of the form
685 * CaseTestExpr '=' compexpr
686 * where the CaseTestExpr node is a placeholder that emits the correct
687 * value at runtime. This structure is used so that the testexpr need be
688 * evaluated only once. Note that after parse analysis, the condition
689 * expressions always yield boolean.
691 * Note: we can test whether a CaseExpr has been through parse analysis
692 * yet by checking whether casetype is InvalidOid or not.
695 typedef struct CaseExpr
698 Oid casetype
; /* type of expression result */
699 Expr
*arg
; /* implicit equality comparison argument */
700 List
*args
; /* the arguments (list of WHEN clauses) */
701 Expr
*defresult
; /* the default result (ELSE clause) */
702 int location
; /* token location, or -1 if unknown */
706 * CaseWhen - one arm of a CASE expression
708 typedef struct CaseWhen
711 Expr
*expr
; /* condition expression */
712 Expr
*result
; /* substitution result */
713 int location
; /* token location, or -1 if unknown */
717 * Placeholder node for the test value to be processed by a CASE expression.
718 * This is effectively like a Param, but can be implemented more simply
719 * since we need only one replacement value at a time.
721 * We also use this in nested UPDATE expressions.
722 * See transformAssignmentIndirection().
724 typedef struct CaseTestExpr
727 Oid typeId
; /* type for substituted value */
728 int32 typeMod
; /* typemod for substituted value */
732 * ArrayExpr - an ARRAY[] expression
734 * Note: if multidims is false, the constituent expressions all yield the
735 * scalar type identified by element_typeid. If multidims is true, the
736 * constituent expressions all yield arrays of element_typeid (ie, the same
737 * type as array_typeid); at runtime we must check for compatible subscripts.
739 typedef struct ArrayExpr
742 Oid array_typeid
; /* type of expression result */
743 Oid element_typeid
; /* common type of array elements */
744 List
*elements
; /* the array elements or sub-arrays */
745 bool multidims
; /* true if elements are sub-arrays */
746 int location
; /* token location, or -1 if unknown */
750 * RowExpr - a ROW() expression
752 * Note: the list of fields must have a one-for-one correspondence with
753 * physical fields of the associated rowtype, although it is okay for it
754 * to be shorter than the rowtype. That is, the N'th list element must
755 * match up with the N'th physical field. When the N'th physical field
756 * is a dropped column (attisdropped) then the N'th list element can just
757 * be a NULL constant. (This case can only occur for named composite types,
758 * not RECORD types, since those are built from the RowExpr itself rather
759 * than vice versa.) It is important not to assume that length(args) is
760 * the same as the number of columns logically present in the rowtype.
762 * colnames is NIL in a RowExpr built from an ordinary ROW() expression.
763 * It is provided in cases where we expand a whole-row Var into a RowExpr,
764 * to retain the column alias names of the RTE that the Var referenced
765 * (which would otherwise be very difficult to extract from the parsetree).
766 * Like the args list, it is one-for-one with physical fields of the rowtype.
768 typedef struct RowExpr
771 List
*args
; /* the fields */
772 Oid row_typeid
; /* RECORDOID or a composite type's ID */
775 * Note: we deliberately do NOT store a typmod. Although a typmod will be
776 * associated with specific RECORD types at runtime, it will differ for
777 * different backends, and so cannot safely be stored in stored
778 * parsetrees. We must assume typmod -1 for a RowExpr node.
780 CoercionForm row_format
; /* how to display this node */
781 List
*colnames
; /* list of String, or NIL */
782 int location
; /* token location, or -1 if unknown */
786 * RowCompareExpr - row-wise comparison, such as (a, b) <= (1, 2)
788 * We support row comparison for any operator that can be determined to
789 * act like =, <>, <, <=, >, or >= (we determine this by looking for the
790 * operator in btree opfamilies). Note that the same operator name might
791 * map to a different operator for each pair of row elements, since the
792 * element datatypes can vary.
794 * A RowCompareExpr node is only generated for the < <= > >= cases;
795 * the = and <> cases are translated to simple AND or OR combinations
796 * of the pairwise comparisons. However, we include = and <> in the
797 * RowCompareType enum for the convenience of parser logic.
799 typedef enum RowCompareType
801 /* Values of this enum are chosen to match btree strategy numbers */
802 ROWCOMPARE_LT
= 1, /* BTLessStrategyNumber */
803 ROWCOMPARE_LE
= 2, /* BTLessEqualStrategyNumber */
804 ROWCOMPARE_EQ
= 3, /* BTEqualStrategyNumber */
805 ROWCOMPARE_GE
= 4, /* BTGreaterEqualStrategyNumber */
806 ROWCOMPARE_GT
= 5, /* BTGreaterStrategyNumber */
807 ROWCOMPARE_NE
= 6 /* no such btree strategy */
810 typedef struct RowCompareExpr
813 RowCompareType rctype
; /* LT LE GE or GT, never EQ or NE */
814 List
*opnos
; /* OID list of pairwise comparison ops */
815 List
*opfamilies
; /* OID list of containing operator families */
816 List
*largs
; /* the left-hand input arguments */
817 List
*rargs
; /* the right-hand input arguments */
821 * CoalesceExpr - a COALESCE expression
823 typedef struct CoalesceExpr
826 Oid coalescetype
; /* type of expression result */
827 List
*args
; /* the arguments */
828 int location
; /* token location, or -1 if unknown */
832 * MinMaxExpr - a GREATEST or LEAST function
834 typedef enum MinMaxOp
840 typedef struct MinMaxExpr
843 Oid minmaxtype
; /* common type of arguments and result */
844 MinMaxOp op
; /* function to execute */
845 List
*args
; /* the arguments */
846 int location
; /* token location, or -1 if unknown */
850 * XmlExpr - various SQL/XML functions requiring special grammar productions
852 * 'name' carries the "NAME foo" argument (already XML-escaped).
853 * 'named_args' and 'arg_names' represent an xml_attribute list.
854 * 'args' carries all other arguments.
856 typedef enum XmlExprOp
858 IS_XMLCONCAT
, /* XMLCONCAT(args) */
859 IS_XMLELEMENT
, /* XMLELEMENT(name, xml_attributes, args) */
860 IS_XMLFOREST
, /* XMLFOREST(xml_attributes) */
861 IS_XMLPARSE
, /* XMLPARSE(text, is_doc, preserve_ws) */
862 IS_XMLPI
, /* XMLPI(name [, args]) */
863 IS_XMLROOT
, /* XMLROOT(xml, version, standalone) */
864 IS_XMLSERIALIZE
, /* XMLSERIALIZE(is_document, xmlval) */
865 IS_DOCUMENT
/* xmlval IS DOCUMENT */
874 typedef struct XmlExpr
877 XmlExprOp op
; /* xml function ID */
878 char *name
; /* name in xml(NAME foo ...) syntaxes */
879 List
*named_args
; /* non-XML expressions for xml_attributes */
880 List
*arg_names
; /* parallel list of Value strings */
881 List
*args
; /* list of expressions */
882 XmlOptionType xmloption
; /* DOCUMENT or CONTENT */
883 Oid type
; /* target type for XMLSERIALIZE */
885 int location
; /* token location, or -1 if unknown */
889 * NullIfExpr - a NULLIF expression
891 * Like DistinctExpr, this is represented the same as an OpExpr referencing
892 * the "=" operator for x and y.
894 typedef OpExpr NullIfExpr
;
899 * NullTest represents the operation of testing a value for NULLness.
900 * The appropriate test is performed and returned as a boolean Datum.
902 * NOTE: the semantics of this for rowtype inputs are noticeably different
903 * from the scalar case. It would probably be a good idea to include an
904 * "argisrow" flag in the struct to reflect that, but for the moment,
905 * we do not do so to avoid forcing an initdb during 8.2beta.
909 typedef enum NullTestType
914 typedef struct NullTest
917 Expr
*arg
; /* input expression */
918 NullTestType nulltesttype
; /* IS NULL, IS NOT NULL */
924 * BooleanTest represents the operation of determining whether a boolean
925 * is TRUE, FALSE, or UNKNOWN (ie, NULL). All six meaningful combinations
926 * are supported. Note that a NULL input does *not* cause a NULL result.
927 * The appropriate test is performed and returned as a boolean Datum.
930 typedef enum BoolTestType
932 IS_TRUE
, IS_NOT_TRUE
, IS_FALSE
, IS_NOT_FALSE
, IS_UNKNOWN
, IS_NOT_UNKNOWN
935 typedef struct BooleanTest
938 Expr
*arg
; /* input expression */
939 BoolTestType booltesttype
; /* test type */
945 * CoerceToDomain represents the operation of coercing a value to a domain
946 * type. At runtime (and not before) the precise set of constraints to be
947 * checked will be determined. If the value passes, it is returned as the
948 * result; if not, an error is raised. Note that this is equivalent to
949 * RelabelType in the scenario where no constraints are applied.
951 typedef struct CoerceToDomain
954 Expr
*arg
; /* input expression */
955 Oid resulttype
; /* domain type ID (result type) */
956 int32 resulttypmod
; /* output typmod (currently always -1) */
957 CoercionForm coercionformat
; /* how to display this node */
958 int location
; /* token location, or -1 if unknown */
962 * Placeholder node for the value to be processed by a domain's check
963 * constraint. This is effectively like a Param, but can be implemented more
964 * simply since we need only one replacement value at a time.
966 * Note: the typeId/typeMod will be set from the domain's base type, not
967 * the domain itself. This is because we shouldn't consider the value to
968 * be a member of the domain if we haven't yet checked its constraints.
970 typedef struct CoerceToDomainValue
973 Oid typeId
; /* type for substituted value */
974 int32 typeMod
; /* typemod for substituted value */
975 int location
; /* token location, or -1 if unknown */
976 } CoerceToDomainValue
;
979 * Placeholder node for a DEFAULT marker in an INSERT or UPDATE command.
981 * This is not an executable expression: it must be replaced by the actual
982 * column default expression during rewriting. But it is convenient to
983 * treat it as an expression node during parsing and rewriting.
985 typedef struct SetToDefault
988 Oid typeId
; /* type for substituted value */
989 int32 typeMod
; /* typemod for substituted value */
990 int location
; /* token location, or -1 if unknown */
994 * Node representing [WHERE] CURRENT OF cursor_name
996 * CURRENT OF is a bit like a Var, in that it carries the rangetable index
997 * of the target relation being constrained; this aids placing the expression
998 * correctly during planning. We can assume however that its "levelsup" is
999 * always zero, due to the syntactic constraints on where it can appear.
1001 * The referenced cursor can be represented either as a hardwired string
1002 * or as a reference to a run-time parameter of type REFCURSOR. The latter
1003 * case is for the convenience of plpgsql.
1005 typedef struct CurrentOfExpr
1008 Index cvarno
; /* RT index of target relation */
1009 char *cursor_name
; /* name of referenced cursor, or NULL */
1010 int cursor_param
; /* refcursor parameter number, or 0 */
1013 /*--------------------
1015 * a target entry (used in query target lists)
1017 * Strictly speaking, a TargetEntry isn't an expression node (since it can't
1018 * be evaluated by ExecEvalExpr). But we treat it as one anyway, since in
1019 * very many places it's convenient to process a whole query targetlist as a
1020 * single expression tree.
1022 * In a SELECT's targetlist, resno should always be equal to the item's
1023 * ordinal position (counting from 1). However, in an INSERT or UPDATE
1024 * targetlist, resno represents the attribute number of the destination
1025 * column for the item; so there may be missing or out-of-order resnos.
1026 * It is even legal to have duplicated resnos; consider
1027 * UPDATE table SET arraycol[1] = ..., arraycol[2] = ..., ...
1028 * The two meanings come together in the executor, because the planner
1029 * transforms INSERT/UPDATE tlists into a normalized form with exactly
1030 * one entry for each column of the destination table. Before that's
1031 * happened, however, it is risky to assume that resno == position.
1032 * Generally get_tle_by_resno() should be used rather than list_nth()
1033 * to fetch tlist entries by resno, and only in SELECT should you assume
1034 * that resno is a unique identifier.
1036 * resname is required to represent the correct column name in non-resjunk
1037 * entries of top-level SELECT targetlists, since it will be used as the
1038 * column title sent to the frontend. In most other contexts it is only
1039 * a debugging aid, and may be wrong or even NULL. (In particular, it may
1040 * be wrong in a tlist from a stored rule, if the referenced column has been
1041 * renamed by ALTER TABLE since the rule was made. Also, the planner tends
1042 * to store NULL rather than look up a valid name for tlist entries in
1043 * non-toplevel plan nodes.) In resjunk entries, resname should be either
1044 * a specific system-generated name (such as "ctid") or NULL; anything else
1045 * risks confusing ExecGetJunkAttribute!
1047 * ressortgroupref is used in the representation of ORDER BY, GROUP BY, and
1048 * DISTINCT items. Targetlist entries with ressortgroupref=0 are not
1049 * sort/group items. If ressortgroupref>0, then this item is an ORDER BY,
1050 * GROUP BY, and/or DISTINCT target value. No two entries in a targetlist
1051 * may have the same nonzero ressortgroupref --- but there is no particular
1052 * meaning to the nonzero values, except as tags. (For example, one must
1053 * not assume that lower ressortgroupref means a more significant sort key.)
1054 * The order of the associated SortGroupClause lists determine the semantics.
1056 * resorigtbl/resorigcol identify the source of the column, if it is a
1057 * simple reference to a column of a base table (or view). If it is not
1058 * a simple reference, these fields are zeroes.
1060 * If resjunk is true then the column is a working column (such as a sort key)
1061 * that should be removed from the final output of the query. Resjunk columns
1062 * must have resnos that cannot duplicate any regular column's resno. Also
1063 * note that there are places that assume resjunk columns come after non-junk
1065 *--------------------
1067 typedef struct TargetEntry
1070 Expr
*expr
; /* expression to evaluate */
1071 AttrNumber resno
; /* attribute number (see notes above) */
1072 char *resname
; /* name of the column (could be NULL) */
1073 Index ressortgroupref
;/* nonzero if referenced by a sort/group
1075 Oid resorigtbl
; /* OID of column's source table */
1076 AttrNumber resorigcol
; /* column's number in source table */
1077 bool resjunk
; /* set to true to eliminate the attribute from
1078 * final target list */
1082 /* ----------------------------------------------------------------
1083 * node types for join trees
1085 * The leaves of a join tree structure are RangeTblRef nodes. Above
1086 * these, JoinExpr nodes can appear to denote a specific kind of join
1087 * or qualified join. Also, FromExpr nodes can appear to denote an
1088 * ordinary cross-product join ("FROM foo, bar, baz WHERE ...").
1089 * FromExpr is like a JoinExpr of jointype JOIN_INNER, except that it
1090 * may have any number of child nodes, not just two.
1092 * NOTE: the top level of a Query's jointree is always a FromExpr.
1093 * Even if the jointree contains no rels, there will be a FromExpr.
1095 * NOTE: the qualification expressions present in JoinExpr nodes are
1096 * *in addition to* the query's main WHERE clause, which appears as the
1097 * qual of the top-level FromExpr. The reason for associating quals with
1098 * specific nodes in the jointree is that the position of a qual is critical
1099 * when outer joins are present. (If we enforce a qual too soon or too late,
1100 * that may cause the outer join to produce the wrong set of NULL-extended
1101 * rows.) If all joins are inner joins then all the qual positions are
1102 * semantically interchangeable.
1104 * NOTE: in the raw output of gram.y, a join tree contains RangeVar,
1105 * RangeSubselect, and RangeFunction nodes, which are all replaced by
1106 * RangeTblRef nodes during the parse analysis phase. Also, the top-level
1107 * FromExpr is added during parse analysis; the grammar regards FROM and
1108 * WHERE as separate.
1109 * ----------------------------------------------------------------
1113 * RangeTblRef - reference to an entry in the query's rangetable
1115 * We could use direct pointers to the RT entries and skip having these
1116 * nodes, but multiple pointers to the same node in a querytree cause
1117 * lots of headaches, so it seems better to store an index into the RT.
1119 typedef struct RangeTblRef
1126 * JoinExpr - for SQL JOIN expressions
1128 * isNatural, using, and quals are interdependent. The user can write only
1129 * one of NATURAL, USING(), or ON() (this is enforced by the grammar).
1130 * If he writes NATURAL then parse analysis generates the equivalent USING()
1131 * list, and from that fills in "quals" with the right equality comparisons.
1132 * If he writes USING() then "quals" is filled with equality comparisons.
1133 * If he writes ON() then only "quals" is set. Note that NATURAL/USING
1134 * are not equivalent to ON() since they also affect the output column list.
1136 * alias is an Alias node representing the AS alias-clause attached to the
1137 * join expression, or NULL if no clause. NB: presence or absence of the
1138 * alias has a critical impact on semantics, because a join with an alias
1139 * restricts visibility of the tables/columns inside it.
1141 * During parse analysis, an RTE is created for the Join, and its index
1142 * is filled into rtindex. This RTE is present mainly so that Vars can
1143 * be created that refer to the outputs of the join. The planner sometimes
1144 * generates JoinExprs internally; these can have rtindex = 0 if there are
1145 * no join alias variables referencing such joins.
1148 typedef struct JoinExpr
1151 JoinType jointype
; /* type of join */
1152 bool isNatural
; /* Natural join? Will need to shape table */
1153 Node
*larg
; /* left subtree */
1154 Node
*rarg
; /* right subtree */
1155 List
*using; /* USING clause, if any (list of String) */
1156 Node
*quals
; /* qualifiers on join, if any */
1157 Alias
*alias
; /* user-written alias clause, if any */
1158 int rtindex
; /* RT index assigned for join, or 0 */
1162 * FromExpr - represents a FROM ... WHERE ... construct
1164 * This is both more flexible than a JoinExpr (it can have any number of
1165 * children, including zero) and less so --- we don't need to deal with
1166 * aliases and so on. The output column set is implicitly just the union
1167 * of the outputs of the children.
1170 typedef struct FromExpr
1173 List
*fromlist
; /* List of join subtrees */
1174 Node
*quals
; /* qualifiers on join, if any */
1177 #endif /* PRIMNODES_H */