OSDN Git Service

Code review for LIKE ... INCLUDING INDEXES patch. Fix failure to propagate
[pg-rex/syncrep.git] / src / backend / parser / parse_utilcmd.c
1 /*-------------------------------------------------------------------------
2  *
3  * parse_utilcmd.c
4  *        Perform parse analysis work for various utility commands
5  *
6  * Formerly we did this work during parse_analyze() in analyze.c.  However
7  * that is fairly unsafe in the presence of querytree caching, since any
8  * database state that we depend on in making the transformations might be
9  * obsolete by the time the utility command is executed; and utility commands
10  * have no infrastructure for holding locks or rechecking plan validity.
11  * Hence these functions are now called at the start of execution of their
12  * respective utility commands.
13  *
14  * NOTE: in general we must avoid scribbling on the passed-in raw parse
15  * tree, since it might be in a plan cache.  The simplest solution is
16  * a quick copyObject() call before manipulating the query tree.
17  *
18  *
19  * Portions Copyright (c) 1996-2007, PostgreSQL Global Development Group
20  * Portions Copyright (c) 1994, Regents of the University of California
21  *
22  *      $PostgreSQL: pgsql/src/backend/parser/parse_utilcmd.c,v 2.7 2007/12/01 23:44:44 tgl Exp $
23  *
24  *-------------------------------------------------------------------------
25  */
26
27 #include "postgres.h"
28
29 #include "access/genam.h"
30 #include "access/heapam.h"
31 #include "access/reloptions.h"
32 #include "catalog/dependency.h"
33 #include "catalog/heap.h"
34 #include "catalog/index.h"
35 #include "catalog/namespace.h"
36 #include "catalog/pg_opclass.h"
37 #include "catalog/pg_type.h"
38 #include "commands/defrem.h"
39 #include "commands/tablecmds.h"
40 #include "commands/tablespace.h"
41 #include "miscadmin.h"
42 #include "nodes/makefuncs.h"
43 #include "optimizer/clauses.h"
44 #include "parser/analyze.h"
45 #include "parser/gramparse.h"
46 #include "parser/parse_clause.h"
47 #include "parser/parse_expr.h"
48 #include "parser/parse_relation.h"
49 #include "parser/parse_type.h"
50 #include "parser/parse_utilcmd.h"
51 #include "rewrite/rewriteManip.h"
52 #include "utils/acl.h"
53 #include "utils/builtins.h"
54 #include "utils/lsyscache.h"
55 #include "utils/relcache.h"
56 #include "utils/syscache.h"
57
58
59 /* State shared by transformCreateStmt and its subroutines */
60 typedef struct
61 {
62         const char *stmtType;           /* "CREATE TABLE" or "ALTER TABLE" */
63         RangeVar   *relation;           /* relation to create */
64         Relation        rel;                    /* opened/locked rel, if ALTER */
65         List       *inhRelations;       /* relations to inherit from */
66         bool            isalter;                /* true if altering existing table */
67         bool            hasoids;                /* does relation have an OID column? */
68         List       *columns;            /* ColumnDef items */
69         List       *ckconstraints;      /* CHECK constraints */
70         List       *fkconstraints;      /* FOREIGN KEY constraints */
71         List       *ixconstraints;      /* index-creating constraints */
72         List       *inh_indexes;        /* cloned indexes from INCLUDING INDEXES */
73         List       *blist;                      /* "before list" of things to do before
74                                                                  * creating the table */
75         List       *alist;                      /* "after list" of things to do after creating
76                                                                  * the table */
77         IndexStmt  *pkey;                       /* PRIMARY KEY index, if any */
78 } CreateStmtContext;
79
80 /* State shared by transformCreateSchemaStmt and its subroutines */
81 typedef struct
82 {
83         const char *stmtType;           /* "CREATE SCHEMA" or "ALTER SCHEMA" */
84         char       *schemaname;         /* name of schema */
85         char       *authid;                     /* owner of schema */
86         List       *sequences;          /* CREATE SEQUENCE items */
87         List       *tables;                     /* CREATE TABLE items */
88         List       *views;                      /* CREATE VIEW items */
89         List       *indexes;            /* CREATE INDEX items */
90         List       *triggers;           /* CREATE TRIGGER items */
91         List       *grants;                     /* GRANT items */
92 } CreateSchemaStmtContext;
93
94
95 static void transformColumnDefinition(ParseState *pstate,
96                                                   CreateStmtContext *cxt,
97                                                   ColumnDef *column);
98 static void transformTableConstraint(ParseState *pstate,
99                                                  CreateStmtContext *cxt,
100                                                  Constraint *constraint);
101 static void transformInhRelation(ParseState *pstate, CreateStmtContext *cxt,
102                                          InhRelation *inhrelation);
103 static IndexStmt *generateClonedIndexStmt(CreateStmtContext *cxt,
104                                                 Relation parent_index, AttrNumber *attmap);
105 static List *get_opclass(Oid opclass, Oid actual_datatype);
106 static void transformIndexConstraints(ParseState *pstate,
107                                                   CreateStmtContext *cxt);
108 static IndexStmt *transformIndexConstraint(Constraint *constraint,
109                                                  CreateStmtContext *cxt);
110 static void transformFKConstraints(ParseState *pstate,
111                                            CreateStmtContext *cxt,
112                                            bool skipValidation,
113                                            bool isAddConstraint);
114 static void transformConstraintAttrs(List *constraintList);
115 static void transformColumnType(ParseState *pstate, ColumnDef *column);
116 static void setSchemaName(char *context_schema, char **stmt_schema_name);
117
118
119 /*
120  * transformCreateStmt -
121  *        parse analysis for CREATE TABLE
122  *
123  * Returns a List of utility commands to be done in sequence.  One of these
124  * will be the transformed CreateStmt, but there may be additional actions
125  * to be done before and after the actual DefineRelation() call.
126  *
127  * SQL92 allows constraints to be scattered all over, so thumb through
128  * the columns and collect all constraints into one place.
129  * If there are any implied indices (e.g. UNIQUE or PRIMARY KEY)
130  * then expand those into multiple IndexStmt blocks.
131  *        - thomas 1997-12-02
132  */
133 List *
134 transformCreateStmt(CreateStmt *stmt, const char *queryString)
135 {
136         ParseState *pstate;
137         CreateStmtContext cxt;
138         List       *result;
139         List       *save_alist;
140         ListCell   *elements;
141
142         /*
143          * We must not scribble on the passed-in CreateStmt, so copy it.  (This is
144          * overkill, but easy.)
145          */
146         stmt = (CreateStmt *) copyObject(stmt);
147
148         /*
149          * If the target relation name isn't schema-qualified, make it so.  This
150          * prevents some corner cases in which added-on rewritten commands might
151          * think they should apply to other relations that have the same name and
152          * are earlier in the search path.      "istemp" is equivalent to a
153          * specification of pg_temp, so no need for anything extra in that case.
154          */
155         if (stmt->relation->schemaname == NULL && !stmt->relation->istemp)
156         {
157                 Oid                     namespaceid = RangeVarGetCreationNamespace(stmt->relation);
158
159                 stmt->relation->schemaname = get_namespace_name(namespaceid);
160         }
161
162         /* Set up pstate */
163         pstate = make_parsestate(NULL);
164         pstate->p_sourcetext = queryString;
165
166         cxt.stmtType = "CREATE TABLE";
167         cxt.relation = stmt->relation;
168         cxt.rel = NULL;
169         cxt.inhRelations = stmt->inhRelations;
170         cxt.isalter = false;
171         cxt.columns = NIL;
172         cxt.ckconstraints = NIL;
173         cxt.fkconstraints = NIL;
174         cxt.ixconstraints = NIL;
175         cxt.inh_indexes = NIL;
176         cxt.blist = NIL;
177         cxt.alist = NIL;
178         cxt.pkey = NULL;
179         cxt.hasoids = interpretOidsOption(stmt->options);
180
181         /*
182          * Run through each primary element in the table creation clause. Separate
183          * column defs from constraints, and do preliminary analysis.
184          */
185         foreach(elements, stmt->tableElts)
186         {
187                 Node       *element = lfirst(elements);
188
189                 switch (nodeTag(element))
190                 {
191                         case T_ColumnDef:
192                                 transformColumnDefinition(pstate, &cxt,
193                                                                                   (ColumnDef *) element);
194                                 break;
195
196                         case T_Constraint:
197                                 transformTableConstraint(pstate, &cxt,
198                                                                                  (Constraint *) element);
199                                 break;
200
201                         case T_FkConstraint:
202                                 /* No pre-transformation needed */
203                                 cxt.fkconstraints = lappend(cxt.fkconstraints, element);
204                                 break;
205
206                         case T_InhRelation:
207                                 transformInhRelation(pstate, &cxt,
208                                                                          (InhRelation *) element);
209                                 break;
210
211                         default:
212                                 elog(ERROR, "unrecognized node type: %d",
213                                          (int) nodeTag(element));
214                                 break;
215                 }
216         }
217
218         /*
219          * transformIndexConstraints wants cxt.alist to contain only index
220          * statements, so transfer anything we already have into save_alist.
221          */
222         save_alist = cxt.alist;
223         cxt.alist = NIL;
224
225         Assert(stmt->constraints == NIL);
226
227         /*
228          * Postprocess constraints that give rise to index definitions.
229          */
230         transformIndexConstraints(pstate, &cxt);
231
232         /*
233          * Postprocess foreign-key constraints.
234          */
235         transformFKConstraints(pstate, &cxt, true, false);
236
237         /*
238          * Output results.
239          */
240         stmt->tableElts = cxt.columns;
241         stmt->constraints = cxt.ckconstraints;
242
243         result = lappend(cxt.blist, stmt);
244         result = list_concat(result, cxt.alist);
245         result = list_concat(result, save_alist);
246
247         return result;
248 }
249
250 /*
251  * transformColumnDefinition -
252  *              transform a single ColumnDef within CREATE TABLE
253  *              Also used in ALTER TABLE ADD COLUMN
254  */
255 static void
256 transformColumnDefinition(ParseState *pstate, CreateStmtContext *cxt,
257                                                   ColumnDef *column)
258 {
259         bool            is_serial;
260         bool            saw_nullable;
261         bool            saw_default;
262         Constraint *constraint;
263         ListCell   *clist;
264
265         cxt->columns = lappend(cxt->columns, column);
266
267         /* Check for SERIAL pseudo-types */
268         is_serial = false;
269         if (list_length(column->typename->names) == 1)
270         {
271                 char       *typname = strVal(linitial(column->typename->names));
272
273                 if (strcmp(typname, "serial") == 0 ||
274                         strcmp(typname, "serial4") == 0)
275                 {
276                         is_serial = true;
277                         column->typename->names = NIL;
278                         column->typename->typeid = INT4OID;
279                 }
280                 else if (strcmp(typname, "bigserial") == 0 ||
281                                  strcmp(typname, "serial8") == 0)
282                 {
283                         is_serial = true;
284                         column->typename->names = NIL;
285                         column->typename->typeid = INT8OID;
286                 }
287         }
288
289         /* Do necessary work on the column type declaration */
290         transformColumnType(pstate, column);
291
292         /* Special actions for SERIAL pseudo-types */
293         if (is_serial)
294         {
295                 Oid                     snamespaceid;
296                 char       *snamespace;
297                 char       *sname;
298                 char       *qstring;
299                 A_Const    *snamenode;
300                 FuncCall   *funccallnode;
301                 CreateSeqStmt *seqstmt;
302                 AlterSeqStmt *altseqstmt;
303                 List       *attnamelist;
304
305                 /*
306                  * Determine namespace and name to use for the sequence.
307                  *
308                  * Although we use ChooseRelationName, it's not guaranteed that the
309                  * selected sequence name won't conflict; given sufficiently long
310                  * field names, two different serial columns in the same table could
311                  * be assigned the same sequence name, and we'd not notice since we
312                  * aren't creating the sequence quite yet.  In practice this seems
313                  * quite unlikely to be a problem, especially since few people would
314                  * need two serial columns in one table.
315                  */
316                 if (cxt->rel)
317                         snamespaceid = RelationGetNamespace(cxt->rel);
318                 else
319                         snamespaceid = RangeVarGetCreationNamespace(cxt->relation);
320                 snamespace = get_namespace_name(snamespaceid);
321                 sname = ChooseRelationName(cxt->relation->relname,
322                                                                    column->colname,
323                                                                    "seq",
324                                                                    snamespaceid);
325
326                 ereport(NOTICE,
327                                 (errmsg("%s will create implicit sequence \"%s\" for serial column \"%s.%s\"",
328                                                 cxt->stmtType, sname,
329                                                 cxt->relation->relname, column->colname)));
330
331                 /*
332                  * Build a CREATE SEQUENCE command to create the sequence object, and
333                  * add it to the list of things to be done before this CREATE/ALTER
334                  * TABLE.
335                  */
336                 seqstmt = makeNode(CreateSeqStmt);
337                 seqstmt->sequence = makeRangeVar(snamespace, sname);
338                 seqstmt->options = NIL;
339
340                 cxt->blist = lappend(cxt->blist, seqstmt);
341
342                 /*
343                  * Build an ALTER SEQUENCE ... OWNED BY command to mark the sequence
344                  * as owned by this column, and add it to the list of things to be
345                  * done after this CREATE/ALTER TABLE.
346                  */
347                 altseqstmt = makeNode(AlterSeqStmt);
348                 altseqstmt->sequence = makeRangeVar(snamespace, sname);
349                 attnamelist = list_make3(makeString(snamespace),
350                                                                  makeString(cxt->relation->relname),
351                                                                  makeString(column->colname));
352                 altseqstmt->options = list_make1(makeDefElem("owned_by",
353                                                                                                          (Node *) attnamelist));
354
355                 cxt->alist = lappend(cxt->alist, altseqstmt);
356
357                 /*
358                  * Create appropriate constraints for SERIAL.  We do this in full,
359                  * rather than shortcutting, so that we will detect any conflicting
360                  * constraints the user wrote (like a different DEFAULT).
361                  *
362                  * Create an expression tree representing the function call
363                  * nextval('sequencename').  We cannot reduce the raw tree to cooked
364                  * form until after the sequence is created, but there's no need to do
365                  * so.
366                  */
367                 qstring = quote_qualified_identifier(snamespace, sname);
368                 snamenode = makeNode(A_Const);
369                 snamenode->val.type = T_String;
370                 snamenode->val.val.str = qstring;
371                 snamenode->typename = SystemTypeName("regclass");
372                 funccallnode = makeNode(FuncCall);
373                 funccallnode->funcname = SystemFuncName("nextval");
374                 funccallnode->args = list_make1(snamenode);
375                 funccallnode->agg_star = false;
376                 funccallnode->agg_distinct = false;
377                 funccallnode->location = -1;
378
379                 constraint = makeNode(Constraint);
380                 constraint->contype = CONSTR_DEFAULT;
381                 constraint->raw_expr = (Node *) funccallnode;
382                 constraint->cooked_expr = NULL;
383                 constraint->keys = NIL;
384                 column->constraints = lappend(column->constraints, constraint);
385
386                 constraint = makeNode(Constraint);
387                 constraint->contype = CONSTR_NOTNULL;
388                 column->constraints = lappend(column->constraints, constraint);
389         }
390
391         /* Process column constraints, if any... */
392         transformConstraintAttrs(column->constraints);
393
394         saw_nullable = false;
395         saw_default = false;
396
397         foreach(clist, column->constraints)
398         {
399                 constraint = lfirst(clist);
400
401                 /*
402                  * If this column constraint is a FOREIGN KEY constraint, then we fill
403                  * in the current attribute's name and throw it into the list of FK
404                  * constraints to be processed later.
405                  */
406                 if (IsA(constraint, FkConstraint))
407                 {
408                         FkConstraint *fkconstraint = (FkConstraint *) constraint;
409
410                         fkconstraint->fk_attrs = list_make1(makeString(column->colname));
411                         cxt->fkconstraints = lappend(cxt->fkconstraints, fkconstraint);
412                         continue;
413                 }
414
415                 Assert(IsA(constraint, Constraint));
416
417                 switch (constraint->contype)
418                 {
419                         case CONSTR_NULL:
420                                 if (saw_nullable && column->is_not_null)
421                                         ereport(ERROR,
422                                                         (errcode(ERRCODE_SYNTAX_ERROR),
423                                                          errmsg("conflicting NULL/NOT NULL declarations for column \"%s\" of table \"%s\"",
424                                                                   column->colname, cxt->relation->relname)));
425                                 column->is_not_null = FALSE;
426                                 saw_nullable = true;
427                                 break;
428
429                         case CONSTR_NOTNULL:
430                                 if (saw_nullable && !column->is_not_null)
431                                         ereport(ERROR,
432                                                         (errcode(ERRCODE_SYNTAX_ERROR),
433                                                          errmsg("conflicting NULL/NOT NULL declarations for column \"%s\" of table \"%s\"",
434                                                                   column->colname, cxt->relation->relname)));
435                                 column->is_not_null = TRUE;
436                                 saw_nullable = true;
437                                 break;
438
439                         case CONSTR_DEFAULT:
440                                 if (saw_default)
441                                         ereport(ERROR,
442                                                         (errcode(ERRCODE_SYNTAX_ERROR),
443                                                          errmsg("multiple default values specified for column \"%s\" of table \"%s\"",
444                                                                   column->colname, cxt->relation->relname)));
445                                 column->raw_default = constraint->raw_expr;
446                                 Assert(constraint->cooked_expr == NULL);
447                                 saw_default = true;
448                                 break;
449
450                         case CONSTR_PRIMARY:
451                         case CONSTR_UNIQUE:
452                                 if (constraint->keys == NIL)
453                                         constraint->keys = list_make1(makeString(column->colname));
454                                 cxt->ixconstraints = lappend(cxt->ixconstraints, constraint);
455                                 break;
456
457                         case CONSTR_CHECK:
458                                 cxt->ckconstraints = lappend(cxt->ckconstraints, constraint);
459                                 break;
460
461                         case CONSTR_ATTR_DEFERRABLE:
462                         case CONSTR_ATTR_NOT_DEFERRABLE:
463                         case CONSTR_ATTR_DEFERRED:
464                         case CONSTR_ATTR_IMMEDIATE:
465                                 /* transformConstraintAttrs took care of these */
466                                 break;
467
468                         default:
469                                 elog(ERROR, "unrecognized constraint type: %d",
470                                          constraint->contype);
471                                 break;
472                 }
473         }
474 }
475
476 /*
477  * transformTableConstraint
478  *              transform a Constraint node within CREATE TABLE or ALTER TABLE
479  */
480 static void
481 transformTableConstraint(ParseState *pstate, CreateStmtContext *cxt,
482                                                  Constraint *constraint)
483 {
484         switch (constraint->contype)
485         {
486                 case CONSTR_PRIMARY:
487                 case CONSTR_UNIQUE:
488                         cxt->ixconstraints = lappend(cxt->ixconstraints, constraint);
489                         break;
490
491                 case CONSTR_CHECK:
492                         cxt->ckconstraints = lappend(cxt->ckconstraints, constraint);
493                         break;
494
495                 case CONSTR_NULL:
496                 case CONSTR_NOTNULL:
497                 case CONSTR_DEFAULT:
498                 case CONSTR_ATTR_DEFERRABLE:
499                 case CONSTR_ATTR_NOT_DEFERRABLE:
500                 case CONSTR_ATTR_DEFERRED:
501                 case CONSTR_ATTR_IMMEDIATE:
502                         elog(ERROR, "invalid context for constraint type %d",
503                                  constraint->contype);
504                         break;
505
506                 default:
507                         elog(ERROR, "unrecognized constraint type: %d",
508                                  constraint->contype);
509                         break;
510         }
511 }
512
513 /*
514  * transformInhRelation
515  *
516  * Change the LIKE <subtable> portion of a CREATE TABLE statement into
517  * column definitions which recreate the user defined column portions of
518  * <subtable>.
519  */
520 static void
521 transformInhRelation(ParseState *pstate, CreateStmtContext *cxt,
522                                          InhRelation *inhRelation)
523 {
524         AttrNumber      parent_attno;
525         Relation        relation;
526         TupleDesc       tupleDesc;
527         TupleConstr *constr;
528         AclResult       aclresult;
529         bool            including_defaults = false;
530         bool            including_constraints = false;
531         bool            including_indexes = false;
532         ListCell   *elem;
533
534         relation = heap_openrv(inhRelation->relation, AccessShareLock);
535
536         if (relation->rd_rel->relkind != RELKIND_RELATION)
537                 ereport(ERROR,
538                                 (errcode(ERRCODE_WRONG_OBJECT_TYPE),
539                                  errmsg("inherited relation \"%s\" is not a table",
540                                                 inhRelation->relation->relname)));
541
542         /*
543          * Check for SELECT privilages
544          */
545         aclresult = pg_class_aclcheck(RelationGetRelid(relation), GetUserId(),
546                                                                   ACL_SELECT);
547         if (aclresult != ACLCHECK_OK)
548                 aclcheck_error(aclresult, ACL_KIND_CLASS,
549                                            RelationGetRelationName(relation));
550
551         tupleDesc = RelationGetDescr(relation);
552         constr = tupleDesc->constr;
553
554         foreach(elem, inhRelation->options)
555         {
556                 int                     option = lfirst_int(elem);
557
558                 switch (option)
559                 {
560                         case CREATE_TABLE_LIKE_INCLUDING_DEFAULTS:
561                                 including_defaults = true;
562                                 break;
563                         case CREATE_TABLE_LIKE_EXCLUDING_DEFAULTS:
564                                 including_defaults = false;
565                                 break;
566                         case CREATE_TABLE_LIKE_INCLUDING_CONSTRAINTS:
567                                 including_constraints = true;
568                                 break;
569                         case CREATE_TABLE_LIKE_EXCLUDING_CONSTRAINTS:
570                                 including_constraints = false;
571                                 break;
572                         case CREATE_TABLE_LIKE_INCLUDING_INDEXES:
573                                 including_indexes = true;
574                                 break;
575                         case CREATE_TABLE_LIKE_EXCLUDING_INDEXES:
576                                 including_indexes = false;
577                                 break;
578                         default:
579                                 elog(ERROR, "unrecognized CREATE TABLE LIKE option: %d",
580                                          option);
581                 }
582         }
583
584         /*
585          * Insert the copied attributes into the cxt for the new table definition.
586          */
587         for (parent_attno = 1; parent_attno <= tupleDesc->natts;
588                  parent_attno++)
589         {
590                 Form_pg_attribute attribute = tupleDesc->attrs[parent_attno - 1];
591                 char       *attributeName = NameStr(attribute->attname);
592                 ColumnDef  *def;
593
594                 /*
595                  * Ignore dropped columns in the parent.
596                  */
597                 if (attribute->attisdropped)
598                         continue;
599
600                 /*
601                  * Create a new column, which is marked as NOT inherited.
602                  *
603                  * For constraints, ONLY the NOT NULL constraint is inherited by the
604                  * new column definition per SQL99.
605                  */
606                 def = makeNode(ColumnDef);
607                 def->colname = pstrdup(attributeName);
608                 def->typename = makeTypeNameFromOid(attribute->atttypid,
609                                                                                         attribute->atttypmod);
610                 def->inhcount = 0;
611                 def->is_local = true;
612                 def->is_not_null = attribute->attnotnull;
613                 def->raw_default = NULL;
614                 def->cooked_default = NULL;
615                 def->constraints = NIL;
616
617                 /*
618                  * Add to column list
619                  */
620                 cxt->columns = lappend(cxt->columns, def);
621
622                 /*
623                  * Copy default, if present and the default has been requested
624                  */
625                 if (attribute->atthasdef && including_defaults)
626                 {
627                         char       *this_default = NULL;
628                         AttrDefault *attrdef;
629                         int                     i;
630
631                         /* Find default in constraint structure */
632                         Assert(constr != NULL);
633                         attrdef = constr->defval;
634                         for (i = 0; i < constr->num_defval; i++)
635                         {
636                                 if (attrdef[i].adnum == parent_attno)
637                                 {
638                                         this_default = attrdef[i].adbin;
639                                         break;
640                                 }
641                         }
642                         Assert(this_default != NULL);
643
644                         /*
645                          * If default expr could contain any vars, we'd need to fix 'em,
646                          * but it can't; so default is ready to apply to child.
647                          */
648
649                         def->cooked_default = pstrdup(this_default);
650                 }
651         }
652
653         /*
654          * Copy CHECK constraints if requested, being careful to adjust attribute
655          * numbers
656          */
657         if (including_constraints && tupleDesc->constr)
658         {
659                 AttrNumber *attmap = varattnos_map_schema(tupleDesc, cxt->columns);
660                 int                     ccnum;
661
662                 for (ccnum = 0; ccnum < tupleDesc->constr->num_check; ccnum++)
663                 {
664                         char       *ccname = tupleDesc->constr->check[ccnum].ccname;
665                         char       *ccbin = tupleDesc->constr->check[ccnum].ccbin;
666                         Node       *ccbin_node = stringToNode(ccbin);
667                         Constraint *n = makeNode(Constraint);
668
669                         change_varattnos_of_a_node(ccbin_node, attmap);
670
671                         n->contype = CONSTR_CHECK;
672                         n->name = pstrdup(ccname);
673                         n->raw_expr = NULL;
674                         n->cooked_expr = nodeToString(ccbin_node);
675                         n->indexspace = NULL;
676                         cxt->ckconstraints = lappend(cxt->ckconstraints, (Node *) n);
677                 }
678         }
679
680         /*
681          * Likewise, copy indexes if requested
682          */
683         if (including_indexes && relation->rd_rel->relhasindex)
684         {
685                 AttrNumber *attmap = varattnos_map_schema(tupleDesc, cxt->columns);
686                 List       *parent_indexes;
687                 ListCell   *l;
688
689                 parent_indexes = RelationGetIndexList(relation);
690
691                 foreach(l, parent_indexes)
692                 {
693                         Oid                     parent_index_oid = lfirst_oid(l);
694                         Relation        parent_index;
695                         IndexStmt  *index_stmt;
696
697                         parent_index = index_open(parent_index_oid, AccessShareLock);
698
699                         /* Build CREATE INDEX statement to recreate the parent_index */
700                         index_stmt = generateClonedIndexStmt(cxt, parent_index, attmap);
701
702                         /* Save it in the inh_indexes list for the time being */
703                         cxt->inh_indexes = lappend(cxt->inh_indexes, index_stmt);
704
705                         index_close(parent_index, AccessShareLock);
706                 }
707         }
708
709         /*
710          * Close the parent rel, but keep our AccessShareLock on it until xact
711          * commit.      That will prevent someone else from deleting or ALTERing the
712          * parent before the child is committed.
713          */
714         heap_close(relation, NoLock);
715 }
716
717 /*
718  * Generate an IndexStmt node using information from an already existing index
719  * "source_idx".  Attribute numbers should be adjusted according to attmap.
720  */
721 static IndexStmt *
722 generateClonedIndexStmt(CreateStmtContext *cxt, Relation source_idx,
723                                                 AttrNumber *attmap)
724 {
725         Oid                     source_relid = RelationGetRelid(source_idx);
726         HeapTuple       ht_idxrel;
727         HeapTuple       ht_idx;
728         Form_pg_class idxrelrec;
729         Form_pg_index idxrec;
730         Form_pg_am      amrec;
731         oidvector  *indclass;
732         IndexStmt  *index;
733         List       *indexprs;
734         ListCell   *indexpr_item;
735         Oid                     indrelid;
736         int                     keyno;
737         Oid                     keycoltype;
738         Datum           datum;
739         bool            isnull;
740
741         /*
742          * Fetch pg_class tuple of source index.  We can't use the copy in the
743          * relcache entry because it doesn't include optional fields.
744          */
745         ht_idxrel = SearchSysCache(RELOID,
746                                                            ObjectIdGetDatum(source_relid),
747                                                            0, 0, 0);
748         if (!HeapTupleIsValid(ht_idxrel))
749                 elog(ERROR, "cache lookup failed for relation %u", source_relid);
750         idxrelrec = (Form_pg_class) GETSTRUCT(ht_idxrel);
751
752         /* Fetch pg_index tuple for source index from relcache entry */
753         ht_idx = source_idx->rd_indextuple;
754         idxrec = (Form_pg_index) GETSTRUCT(ht_idx);
755         indrelid = idxrec->indrelid;
756
757         /* Fetch pg_am tuple for source index from relcache entry */
758         amrec = source_idx->rd_am;
759
760         /* Must get indclass the hard way, since it's not stored in relcache */
761         datum = SysCacheGetAttr(INDEXRELID, ht_idx,
762                                                         Anum_pg_index_indclass, &isnull);
763         Assert(!isnull);
764         indclass = (oidvector *) DatumGetPointer(datum);
765
766         /* Begin building the IndexStmt */
767         index = makeNode(IndexStmt);
768         index->relation = cxt->relation;
769         index->accessMethod = pstrdup(NameStr(amrec->amname));
770         index->tableSpace = get_tablespace_name(source_idx->rd_node.spcNode);
771         index->unique = idxrec->indisunique;
772         index->primary = idxrec->indisprimary;
773         index->concurrent = false;
774
775         /*
776          * We don't try to preserve the name of the source index; instead, just
777          * let DefineIndex() choose a reasonable name.
778          */
779         index->idxname = NULL;
780
781         /*
782          * If the index is marked PRIMARY, it's certainly from a constraint;
783          * else, if it's not marked UNIQUE, it certainly isn't; else, we have
784          * to search pg_depend to see if there's an associated unique constraint.
785          */
786         if (index->primary)
787                 index->isconstraint = true;
788         else if (!index->unique)
789                 index->isconstraint = false;
790         else
791                 index->isconstraint = OidIsValid(get_index_constraint(source_relid));
792
793         /* Get the index expressions, if any */
794         datum = SysCacheGetAttr(INDEXRELID, ht_idx,
795                                                         Anum_pg_index_indexprs, &isnull);
796         if (!isnull)
797         {
798                 char       *exprsString;
799
800                 exprsString = DatumGetCString(DirectFunctionCall1(textout, datum));
801                 indexprs = (List *) stringToNode(exprsString);
802         }
803         else
804                 indexprs = NIL;
805
806         /* Build the list of IndexElem */
807         index->indexParams = NIL;
808
809         indexpr_item = list_head(indexprs);
810         for (keyno = 0; keyno < idxrec->indnatts; keyno++)
811         {
812                 IndexElem  *iparam;
813                 AttrNumber      attnum = idxrec->indkey.values[keyno];
814                 int16           opt = source_idx->rd_indoption[keyno];
815
816                 iparam = makeNode(IndexElem);
817
818                 if (AttributeNumberIsValid(attnum))
819                 {
820                         /* Simple index column */
821                         char       *attname;
822
823                         attname = get_relid_attribute_name(indrelid, attnum);
824                         keycoltype = get_atttype(indrelid, attnum);
825
826                         iparam->name = attname;
827                         iparam->expr = NULL;
828                 }
829                 else
830                 {
831                         /* Expressional index */
832                         Node       *indexkey;
833
834                         if (indexpr_item == NULL)
835                                 elog(ERROR, "too few entries in indexprs list");
836                         indexkey = (Node *) lfirst(indexpr_item);
837                         indexpr_item = lnext(indexpr_item);
838
839                         /* OK to modify indexkey since we are working on a private copy */
840                         change_varattnos_of_a_node(indexkey, attmap);
841
842                         iparam->name = NULL;
843                         iparam->expr = indexkey;
844
845                         keycoltype = exprType(indexkey);
846                 }
847
848                 /* Add the operator class name, if non-default */
849                 iparam->opclass = get_opclass(indclass->values[keyno], keycoltype);
850
851                 iparam->ordering = SORTBY_DEFAULT;
852                 iparam->nulls_ordering = SORTBY_NULLS_DEFAULT;
853
854                 /* Adjust options if necessary */
855                 if (amrec->amcanorder)
856                 {
857                         /*
858                          * If it supports sort ordering, copy DESC and NULLS opts.
859                          * Don't set non-default settings unnecessarily, though,
860                          * so as to improve the chance of recognizing equivalence
861                          * to constraint indexes.
862                          */
863                         if (opt & INDOPTION_DESC)
864                         {
865                                 iparam->ordering = SORTBY_DESC;
866                                 if ((opt & INDOPTION_NULLS_FIRST) == 0)
867                                         iparam->nulls_ordering = SORTBY_NULLS_LAST;
868                         }
869                         else
870                         {
871                                 if (opt & INDOPTION_NULLS_FIRST)
872                                         iparam->nulls_ordering = SORTBY_NULLS_FIRST;
873                         }
874                 }
875
876                 index->indexParams = lappend(index->indexParams, iparam);
877         }
878
879         /* Copy reloptions if any */
880         datum = SysCacheGetAttr(RELOID, ht_idxrel,
881                                                         Anum_pg_class_reloptions, &isnull);
882         if (!isnull)
883                 index->options = untransformRelOptions(datum);
884
885         /* If it's a partial index, decompile and append the predicate */
886         datum = SysCacheGetAttr(INDEXRELID, ht_idx,
887                                                         Anum_pg_index_indpred, &isnull);
888         if (!isnull)
889         {
890                 char       *pred_str;
891
892                 /* Convert text string to node tree */
893                 pred_str = DatumGetCString(DirectFunctionCall1(textout, datum));
894                 index->whereClause = (Node *) stringToNode(pred_str);
895                 /* Adjust attribute numbers */
896                 change_varattnos_of_a_node(index->whereClause, attmap);
897         }
898
899         /* Clean up */
900         ReleaseSysCache(ht_idxrel);
901
902         return index;
903 }
904
905 /*
906  * get_opclass                  - fetch name of an index operator class
907  *
908  * If the opclass is the default for the given actual_datatype, then
909  * the return value is NIL.
910  */
911 static List *
912 get_opclass(Oid opclass, Oid actual_datatype)
913 {
914         HeapTuple       ht_opc;
915         Form_pg_opclass opc_rec;
916         List       *result = NIL;
917
918         ht_opc = SearchSysCache(CLAOID,
919                                                         ObjectIdGetDatum(opclass),
920                                                         0, 0, 0);
921         if (!HeapTupleIsValid(ht_opc))
922                 elog(ERROR, "cache lookup failed for opclass %u", opclass);
923         opc_rec = (Form_pg_opclass) GETSTRUCT(ht_opc);
924
925         if (GetDefaultOpClass(actual_datatype, opc_rec->opcmethod) != opclass)
926         {
927                 /* For simplicity, we always schema-qualify the name */
928                 char       *nsp_name = get_namespace_name(opc_rec->opcnamespace);
929                 char       *opc_name = pstrdup(NameStr(opc_rec->opcname));
930
931                 result = list_make2(makeString(nsp_name), makeString(opc_name));
932         }
933
934         ReleaseSysCache(ht_opc);
935         return result;
936 }
937
938
939 /*
940  * transformIndexConstraints
941  *              Handle UNIQUE and PRIMARY KEY constraints, which create indexes.
942  *              We also merge in any index definitions arising from
943  *              LIKE ... INCLUDING INDEXES.
944  */
945 static void
946 transformIndexConstraints(ParseState *pstate, CreateStmtContext *cxt)
947 {
948         IndexStmt  *index;
949         List       *indexlist = NIL;
950         ListCell   *lc;
951
952         /*
953          * Run through the constraints that need to generate an index. For PRIMARY
954          * KEY, mark each column as NOT NULL and create an index. For UNIQUE,
955          * create an index as for PRIMARY KEY, but do not insist on NOT NULL.
956          */
957         foreach(lc, cxt->ixconstraints)
958         {
959                 Constraint *constraint = (Constraint *) lfirst(lc);
960
961                 Assert(IsA(constraint, Constraint));
962                 Assert(constraint->contype == CONSTR_PRIMARY ||
963                            constraint->contype == CONSTR_UNIQUE);
964
965                 index = transformIndexConstraint(constraint, cxt);
966
967                 indexlist = lappend(indexlist, index);
968         }
969
970         /* Add in any indexes defined by LIKE ... INCLUDING INDEXES */
971         foreach(lc, cxt->inh_indexes)
972         {
973                 index = (IndexStmt *) lfirst(lc);
974
975                 if (index->primary)
976                 {
977                         if (cxt->pkey != NULL)
978                                 ereport(ERROR,
979                                                 (errcode(ERRCODE_INVALID_TABLE_DEFINITION),
980                                                  errmsg("multiple primary keys for table \"%s\" are not allowed",
981                                                                 cxt->relation->relname)));
982                         cxt->pkey = index;
983                 }
984
985                 indexlist = lappend(indexlist, index);
986         }
987
988         /*
989          * Scan the index list and remove any redundant index specifications. This
990          * can happen if, for instance, the user writes UNIQUE PRIMARY KEY. A
991          * strict reading of SQL92 would suggest raising an error instead, but
992          * that strikes me as too anal-retentive. - tgl 2001-02-14
993          *
994          * XXX in ALTER TABLE case, it'd be nice to look for duplicate
995          * pre-existing indexes, too.
996          */
997         Assert(cxt->alist == NIL);
998         if (cxt->pkey != NULL)
999         {
1000                 /* Make sure we keep the PKEY index in preference to others... */
1001                 cxt->alist = list_make1(cxt->pkey);
1002         }
1003
1004         foreach(lc, indexlist)
1005         {
1006                 bool            keep = true;
1007                 ListCell   *k;
1008
1009                 index = lfirst(lc);
1010
1011                 /* if it's pkey, it's already in cxt->alist */
1012                 if (index == cxt->pkey)
1013                         continue;
1014
1015                 foreach(k, cxt->alist)
1016                 {
1017                         IndexStmt  *priorindex = lfirst(k);
1018
1019                         if (equal(index->indexParams, priorindex->indexParams) &&
1020                                 equal(index->whereClause, priorindex->whereClause) &&
1021                                 strcmp(index->accessMethod, priorindex->accessMethod) == 0)
1022                         {
1023                                 priorindex->unique |= index->unique;
1024                                 /*
1025                                  * If the prior index is as yet unnamed, and this one is
1026                                  * named, then transfer the name to the prior index. This
1027                                  * ensures that if we have named and unnamed constraints,
1028                                  * we'll use (at least one of) the names for the index.
1029                                  */
1030                                 if (priorindex->idxname == NULL)
1031                                         priorindex->idxname = index->idxname;
1032                                 keep = false;
1033                                 break;
1034                         }
1035                 }
1036
1037                 if (keep)
1038                         cxt->alist = lappend(cxt->alist, index);
1039         }
1040 }
1041
1042 /*
1043  * transformIndexConstraint
1044  *              Transform one UNIQUE or PRIMARY KEY constraint for
1045  *              transformIndexConstraints.
1046  */
1047 static IndexStmt *
1048 transformIndexConstraint(Constraint *constraint, CreateStmtContext *cxt)
1049 {
1050         IndexStmt  *index;
1051         ListCell   *keys;
1052         IndexElem  *iparam;
1053
1054         index = makeNode(IndexStmt);
1055
1056         index->unique = true;
1057         index->primary = (constraint->contype == CONSTR_PRIMARY);
1058         if (index->primary)
1059         {
1060                 if (cxt->pkey != NULL)
1061                         ereport(ERROR,
1062                                         (errcode(ERRCODE_INVALID_TABLE_DEFINITION),
1063                          errmsg("multiple primary keys for table \"%s\" are not allowed",
1064                                         cxt->relation->relname)));
1065                 cxt->pkey = index;
1066
1067                 /*
1068                  * In ALTER TABLE case, a primary index might already exist, but
1069                  * DefineIndex will check for it.
1070                  */
1071         }
1072         index->isconstraint = true;
1073
1074         if (constraint->name != NULL)
1075                 index->idxname = pstrdup(constraint->name);
1076         else
1077                 index->idxname = NULL;  /* DefineIndex will choose name */
1078
1079         index->relation = cxt->relation;
1080         index->accessMethod = DEFAULT_INDEX_TYPE;
1081         index->options = constraint->options;
1082         index->tableSpace = constraint->indexspace;
1083         index->indexParams = NIL;
1084         index->whereClause = NULL;
1085         index->concurrent = false;
1086
1087         /*
1088          * Make sure referenced keys exist.  If we are making a PRIMARY KEY index,
1089          * also make sure they are NOT NULL, if possible. (Although we could leave
1090          * it to DefineIndex to mark the columns NOT NULL, it's more efficient to
1091          * get it right the first time.)
1092          */
1093         foreach(keys, constraint->keys)
1094         {
1095                 char       *key = strVal(lfirst(keys));
1096                 bool            found = false;
1097                 ColumnDef  *column = NULL;
1098                 ListCell   *columns;
1099
1100                 foreach(columns, cxt->columns)
1101                 {
1102                         column = (ColumnDef *) lfirst(columns);
1103                         Assert(IsA(column, ColumnDef));
1104                         if (strcmp(column->colname, key) == 0)
1105                         {
1106                                 found = true;
1107                                 break;
1108                         }
1109                 }
1110                 if (found)
1111                 {
1112                         /* found column in the new table; force it to be NOT NULL */
1113                         if (constraint->contype == CONSTR_PRIMARY)
1114                                 column->is_not_null = TRUE;
1115                 }
1116                 else if (SystemAttributeByName(key, cxt->hasoids) != NULL)
1117                 {
1118                         /*
1119                          * column will be a system column in the new table, so accept it.
1120                          * System columns can't ever be null, so no need to worry about
1121                          * PRIMARY/NOT NULL constraint.
1122                          */
1123                         found = true;
1124                 }
1125                 else if (cxt->inhRelations)
1126                 {
1127                         /* try inherited tables */
1128                         ListCell   *inher;
1129
1130                         foreach(inher, cxt->inhRelations)
1131                         {
1132                                 RangeVar   *inh = (RangeVar *) lfirst(inher);
1133                                 Relation        rel;
1134                                 int                     count;
1135
1136                                 Assert(IsA(inh, RangeVar));
1137                                 rel = heap_openrv(inh, AccessShareLock);
1138                                 if (rel->rd_rel->relkind != RELKIND_RELATION)
1139                                         ereport(ERROR,
1140                                                         (errcode(ERRCODE_WRONG_OBJECT_TYPE),
1141                                                    errmsg("inherited relation \"%s\" is not a table",
1142                                                                   inh->relname)));
1143                                 for (count = 0; count < rel->rd_att->natts; count++)
1144                                 {
1145                                         Form_pg_attribute inhattr = rel->rd_att->attrs[count];
1146                                         char       *inhname = NameStr(inhattr->attname);
1147
1148                                         if (inhattr->attisdropped)
1149                                                 continue;
1150                                         if (strcmp(key, inhname) == 0)
1151                                         {
1152                                                 found = true;
1153
1154                                                 /*
1155                                                  * We currently have no easy way to force an inherited
1156                                                  * column to be NOT NULL at creation, if its parent
1157                                                  * wasn't so already. We leave it to DefineIndex to
1158                                                  * fix things up in this case.
1159                                                  */
1160                                                 break;
1161                                         }
1162                                 }
1163                                 heap_close(rel, NoLock);
1164                                 if (found)
1165                                         break;
1166                         }
1167                 }
1168
1169                 /*
1170                  * In the ALTER TABLE case, don't complain about index keys not
1171                  * created in the command; they may well exist already. DefineIndex
1172                  * will complain about them if not, and will also take care of marking
1173                  * them NOT NULL.
1174                  */
1175                 if (!found && !cxt->isalter)
1176                         ereport(ERROR,
1177                                         (errcode(ERRCODE_UNDEFINED_COLUMN),
1178                                          errmsg("column \"%s\" named in key does not exist",
1179                                                         key)));
1180
1181                 /* Check for PRIMARY KEY(foo, foo) */
1182                 foreach(columns, index->indexParams)
1183                 {
1184                         iparam = (IndexElem *) lfirst(columns);
1185                         if (iparam->name && strcmp(key, iparam->name) == 0)
1186                         {
1187                                 if (index->primary)
1188                                         ereport(ERROR,
1189                                                         (errcode(ERRCODE_DUPLICATE_COLUMN),
1190                                                          errmsg("column \"%s\" appears twice in primary key constraint",
1191                                                                         key)));
1192                                 else
1193                                         ereport(ERROR,
1194                                                         (errcode(ERRCODE_DUPLICATE_COLUMN),
1195                                         errmsg("column \"%s\" appears twice in unique constraint",
1196                                                    key)));
1197                         }
1198                 }
1199
1200                 /* OK, add it to the index definition */
1201                 iparam = makeNode(IndexElem);
1202                 iparam->name = pstrdup(key);
1203                 iparam->expr = NULL;
1204                 iparam->opclass = NIL;
1205                 iparam->ordering = SORTBY_DEFAULT;
1206                 iparam->nulls_ordering = SORTBY_NULLS_DEFAULT;
1207                 index->indexParams = lappend(index->indexParams, iparam);
1208         }
1209
1210         return index;
1211 }
1212
1213 /*
1214  * transformFKConstraints
1215  *              handle FOREIGN KEY constraints
1216  */
1217 static void
1218 transformFKConstraints(ParseState *pstate, CreateStmtContext *cxt,
1219                                            bool skipValidation, bool isAddConstraint)
1220 {
1221         ListCell   *fkclist;
1222
1223         if (cxt->fkconstraints == NIL)
1224                 return;
1225
1226         /*
1227          * If CREATE TABLE or adding a column with NULL default, we can safely
1228          * skip validation of the constraint.
1229          */
1230         if (skipValidation)
1231         {
1232                 foreach(fkclist, cxt->fkconstraints)
1233                 {
1234                         FkConstraint *fkconstraint = (FkConstraint *) lfirst(fkclist);
1235
1236                         fkconstraint->skip_validation = true;
1237                 }
1238         }
1239
1240         /*
1241          * For CREATE TABLE or ALTER TABLE ADD COLUMN, gin up an ALTER TABLE ADD
1242          * CONSTRAINT command to execute after the basic command is complete. (If
1243          * called from ADD CONSTRAINT, that routine will add the FK constraints to
1244          * its own subcommand list.)
1245          *
1246          * Note: the ADD CONSTRAINT command must also execute after any index
1247          * creation commands.  Thus, this should run after
1248          * transformIndexConstraints, so that the CREATE INDEX commands are
1249          * already in cxt->alist.
1250          */
1251         if (!isAddConstraint)
1252         {
1253                 AlterTableStmt *alterstmt = makeNode(AlterTableStmt);
1254
1255                 alterstmt->relation = cxt->relation;
1256                 alterstmt->cmds = NIL;
1257                 alterstmt->relkind = OBJECT_TABLE;
1258
1259                 foreach(fkclist, cxt->fkconstraints)
1260                 {
1261                         FkConstraint *fkconstraint = (FkConstraint *) lfirst(fkclist);
1262                         AlterTableCmd *altercmd = makeNode(AlterTableCmd);
1263
1264                         altercmd->subtype = AT_ProcessedConstraint;
1265                         altercmd->name = NULL;
1266                         altercmd->def = (Node *) fkconstraint;
1267                         alterstmt->cmds = lappend(alterstmt->cmds, altercmd);
1268                 }
1269
1270                 cxt->alist = lappend(cxt->alist, alterstmt);
1271         }
1272 }
1273
1274 /*
1275  * transformIndexStmt - parse analysis for CREATE INDEX
1276  *
1277  * Note: this is a no-op for an index not using either index expressions or
1278  * a predicate expression.      There are several code paths that create indexes
1279  * without bothering to call this, because they know they don't have any
1280  * such expressions to deal with.
1281  */
1282 IndexStmt *
1283 transformIndexStmt(IndexStmt *stmt, const char *queryString)
1284 {
1285         Relation        rel;
1286         ParseState *pstate;
1287         RangeTblEntry *rte;
1288         ListCell   *l;
1289
1290         /*
1291          * We must not scribble on the passed-in IndexStmt, so copy it.  (This is
1292          * overkill, but easy.)
1293          */
1294         stmt = (IndexStmt *) copyObject(stmt);
1295
1296         /*
1297          * Open the parent table with appropriate locking.      We must do this
1298          * because addRangeTableEntry() would acquire only AccessShareLock,
1299          * leaving DefineIndex() needing to do a lock upgrade with consequent risk
1300          * of deadlock.  Make sure this stays in sync with the type of lock
1301          * DefineIndex() wants.
1302          */
1303         rel = heap_openrv(stmt->relation,
1304                                   (stmt->concurrent ? ShareUpdateExclusiveLock : ShareLock));
1305
1306         /* Set up pstate */
1307         pstate = make_parsestate(NULL);
1308         pstate->p_sourcetext = queryString;
1309
1310         /*
1311          * Put the parent table into the rtable so that the expressions can refer
1312          * to its fields without qualification.
1313          */
1314         rte = addRangeTableEntry(pstate, stmt->relation, NULL, false, true);
1315
1316         /* no to join list, yes to namespaces */
1317         addRTEtoQuery(pstate, rte, false, true, true);
1318
1319         /* take care of the where clause */
1320         if (stmt->whereClause)
1321                 stmt->whereClause = transformWhereClause(pstate,
1322                                                                                                  stmt->whereClause,
1323                                                                                                  "WHERE");
1324
1325         /* take care of any index expressions */
1326         foreach(l, stmt->indexParams)
1327         {
1328                 IndexElem  *ielem = (IndexElem *) lfirst(l);
1329
1330                 if (ielem->expr)
1331                 {
1332                         ielem->expr = transformExpr(pstate, ielem->expr);
1333
1334                         /*
1335                          * We check only that the result type is legitimate; this is for
1336                          * consistency with what transformWhereClause() checks for the
1337                          * predicate.  DefineIndex() will make more checks.
1338                          */
1339                         if (expression_returns_set(ielem->expr))
1340                                 ereport(ERROR,
1341                                                 (errcode(ERRCODE_DATATYPE_MISMATCH),
1342                                                  errmsg("index expression cannot return a set")));
1343                 }
1344         }
1345
1346         /*
1347          * Check that only the base rel is mentioned.
1348          */
1349         if (list_length(pstate->p_rtable) != 1)
1350                 ereport(ERROR,
1351                                 (errcode(ERRCODE_INVALID_COLUMN_REFERENCE),
1352                                  errmsg("index expressions and predicates can refer only to the table being indexed")));
1353
1354         free_parsestate(pstate);
1355
1356         /* Close relation, but keep the lock */
1357         heap_close(rel, NoLock);
1358
1359         return stmt;
1360 }
1361
1362
1363 /*
1364  * transformRuleStmt -
1365  *        transform a CREATE RULE Statement. The action is a list of parse
1366  *        trees which is transformed into a list of query trees, and we also
1367  *        transform the WHERE clause if any.
1368  *
1369  * actions and whereClause are output parameters that receive the
1370  * transformed results.
1371  *
1372  * Note that we must not scribble on the passed-in RuleStmt, so we do
1373  * copyObject() on the actions and WHERE clause.
1374  */
1375 void
1376 transformRuleStmt(RuleStmt *stmt, const char *queryString,
1377                                   List **actions, Node **whereClause)
1378 {
1379         Relation        rel;
1380         ParseState *pstate;
1381         RangeTblEntry *oldrte;
1382         RangeTblEntry *newrte;
1383
1384         /*
1385          * To avoid deadlock, make sure the first thing we do is grab
1386          * AccessExclusiveLock on the target relation.  This will be needed by
1387          * DefineQueryRewrite(), and we don't want to grab a lesser lock
1388          * beforehand.
1389          */
1390         rel = heap_openrv(stmt->relation, AccessExclusiveLock);
1391
1392         /* Set up pstate */
1393         pstate = make_parsestate(NULL);
1394         pstate->p_sourcetext = queryString;
1395
1396         /*
1397          * NOTE: 'OLD' must always have a varno equal to 1 and 'NEW' equal to 2.
1398          * Set up their RTEs in the main pstate for use in parsing the rule
1399          * qualification.
1400          */
1401         oldrte = addRangeTableEntryForRelation(pstate, rel,
1402                                                                                    makeAlias("*OLD*", NIL),
1403                                                                                    false, false);
1404         newrte = addRangeTableEntryForRelation(pstate, rel,
1405                                                                                    makeAlias("*NEW*", NIL),
1406                                                                                    false, false);
1407         /* Must override addRangeTableEntry's default access-check flags */
1408         oldrte->requiredPerms = 0;
1409         newrte->requiredPerms = 0;
1410
1411         /*
1412          * They must be in the namespace too for lookup purposes, but only add the
1413          * one(s) that are relevant for the current kind of rule.  In an UPDATE
1414          * rule, quals must refer to OLD.field or NEW.field to be unambiguous, but
1415          * there's no need to be so picky for INSERT & DELETE.  We do not add them
1416          * to the joinlist.
1417          */
1418         switch (stmt->event)
1419         {
1420                 case CMD_SELECT:
1421                         addRTEtoQuery(pstate, oldrte, false, true, true);
1422                         break;
1423                 case CMD_UPDATE:
1424                         addRTEtoQuery(pstate, oldrte, false, true, true);
1425                         addRTEtoQuery(pstate, newrte, false, true, true);
1426                         break;
1427                 case CMD_INSERT:
1428                         addRTEtoQuery(pstate, newrte, false, true, true);
1429                         break;
1430                 case CMD_DELETE:
1431                         addRTEtoQuery(pstate, oldrte, false, true, true);
1432                         break;
1433                 default:
1434                         elog(ERROR, "unrecognized event type: %d",
1435                                  (int) stmt->event);
1436                         break;
1437         }
1438
1439         /* take care of the where clause */
1440         *whereClause = transformWhereClause(pstate,
1441                                                                           (Node *) copyObject(stmt->whereClause),
1442                                                                                 "WHERE");
1443
1444         if (list_length(pstate->p_rtable) != 2)         /* naughty, naughty... */
1445                 ereport(ERROR,
1446                                 (errcode(ERRCODE_INVALID_OBJECT_DEFINITION),
1447                                  errmsg("rule WHERE condition cannot contain references to other relations")));
1448
1449         /* aggregates not allowed (but subselects are okay) */
1450         if (pstate->p_hasAggs)
1451                 ereport(ERROR,
1452                                 (errcode(ERRCODE_GROUPING_ERROR),
1453                    errmsg("cannot use aggregate function in rule WHERE condition")));
1454
1455         /*
1456          * 'instead nothing' rules with a qualification need a query rangetable so
1457          * the rewrite handler can add the negated rule qualification to the
1458          * original query. We create a query with the new command type CMD_NOTHING
1459          * here that is treated specially by the rewrite system.
1460          */
1461         if (stmt->actions == NIL)
1462         {
1463                 Query      *nothing_qry = makeNode(Query);
1464
1465                 nothing_qry->commandType = CMD_NOTHING;
1466                 nothing_qry->rtable = pstate->p_rtable;
1467                 nothing_qry->jointree = makeFromExpr(NIL, NULL);                /* no join wanted */
1468
1469                 *actions = list_make1(nothing_qry);
1470         }
1471         else
1472         {
1473                 ListCell   *l;
1474                 List       *newactions = NIL;
1475
1476                 /*
1477                  * transform each statement, like parse_sub_analyze()
1478                  */
1479                 foreach(l, stmt->actions)
1480                 {
1481                         Node       *action = (Node *) lfirst(l);
1482                         ParseState *sub_pstate = make_parsestate(NULL);
1483                         Query      *sub_qry,
1484                                            *top_subqry;
1485                         bool            has_old,
1486                                                 has_new;
1487
1488                         /*
1489                          * Since outer ParseState isn't parent of inner, have to pass down
1490                          * the query text by hand.
1491                          */
1492                         sub_pstate->p_sourcetext = queryString;
1493
1494                         /*
1495                          * Set up OLD/NEW in the rtable for this statement.  The entries
1496                          * are added only to relnamespace, not varnamespace, because we
1497                          * don't want them to be referred to by unqualified field names
1498                          * nor "*" in the rule actions.  We decide later whether to put
1499                          * them in the joinlist.
1500                          */
1501                         oldrte = addRangeTableEntryForRelation(sub_pstate, rel,
1502                                                                                                    makeAlias("*OLD*", NIL),
1503                                                                                                    false, false);
1504                         newrte = addRangeTableEntryForRelation(sub_pstate, rel,
1505                                                                                                    makeAlias("*NEW*", NIL),
1506                                                                                                    false, false);
1507                         oldrte->requiredPerms = 0;
1508                         newrte->requiredPerms = 0;
1509                         addRTEtoQuery(sub_pstate, oldrte, false, true, false);
1510                         addRTEtoQuery(sub_pstate, newrte, false, true, false);
1511
1512                         /* Transform the rule action statement */
1513                         top_subqry = transformStmt(sub_pstate,
1514                                                                            (Node *) copyObject(action));
1515
1516                         /*
1517                          * We cannot support utility-statement actions (eg NOTIFY) with
1518                          * nonempty rule WHERE conditions, because there's no way to make
1519                          * the utility action execute conditionally.
1520                          */
1521                         if (top_subqry->commandType == CMD_UTILITY &&
1522                                 *whereClause != NULL)
1523                                 ereport(ERROR,
1524                                                 (errcode(ERRCODE_INVALID_OBJECT_DEFINITION),
1525                                                  errmsg("rules with WHERE conditions can only have SELECT, INSERT, UPDATE, or DELETE actions")));
1526
1527                         /*
1528                          * If the action is INSERT...SELECT, OLD/NEW have been pushed down
1529                          * into the SELECT, and that's what we need to look at. (Ugly
1530                          * kluge ... try to fix this when we redesign querytrees.)
1531                          */
1532                         sub_qry = getInsertSelectQuery(top_subqry, NULL);
1533
1534                         /*
1535                          * If the sub_qry is a setop, we cannot attach any qualifications
1536                          * to it, because the planner won't notice them.  This could
1537                          * perhaps be relaxed someday, but for now, we may as well reject
1538                          * such a rule immediately.
1539                          */
1540                         if (sub_qry->setOperations != NULL && *whereClause != NULL)
1541                                 ereport(ERROR,
1542                                                 (errcode(ERRCODE_FEATURE_NOT_SUPPORTED),
1543                                                  errmsg("conditional UNION/INTERSECT/EXCEPT statements are not implemented")));
1544
1545                         /*
1546                          * Validate action's use of OLD/NEW, qual too
1547                          */
1548                         has_old =
1549                                 rangeTableEntry_used((Node *) sub_qry, PRS2_OLD_VARNO, 0) ||
1550                                 rangeTableEntry_used(*whereClause, PRS2_OLD_VARNO, 0);
1551                         has_new =
1552                                 rangeTableEntry_used((Node *) sub_qry, PRS2_NEW_VARNO, 0) ||
1553                                 rangeTableEntry_used(*whereClause, PRS2_NEW_VARNO, 0);
1554
1555                         switch (stmt->event)
1556                         {
1557                                 case CMD_SELECT:
1558                                         if (has_old)
1559                                                 ereport(ERROR,
1560                                                                 (errcode(ERRCODE_INVALID_OBJECT_DEFINITION),
1561                                                                  errmsg("ON SELECT rule cannot use OLD")));
1562                                         if (has_new)
1563                                                 ereport(ERROR,
1564                                                                 (errcode(ERRCODE_INVALID_OBJECT_DEFINITION),
1565                                                                  errmsg("ON SELECT rule cannot use NEW")));
1566                                         break;
1567                                 case CMD_UPDATE:
1568                                         /* both are OK */
1569                                         break;
1570                                 case CMD_INSERT:
1571                                         if (has_old)
1572                                                 ereport(ERROR,
1573                                                                 (errcode(ERRCODE_INVALID_OBJECT_DEFINITION),
1574                                                                  errmsg("ON INSERT rule cannot use OLD")));
1575                                         break;
1576                                 case CMD_DELETE:
1577                                         if (has_new)
1578                                                 ereport(ERROR,
1579                                                                 (errcode(ERRCODE_INVALID_OBJECT_DEFINITION),
1580                                                                  errmsg("ON DELETE rule cannot use NEW")));
1581                                         break;
1582                                 default:
1583                                         elog(ERROR, "unrecognized event type: %d",
1584                                                  (int) stmt->event);
1585                                         break;
1586                         }
1587
1588                         /*
1589                          * For efficiency's sake, add OLD to the rule action's jointree
1590                          * only if it was actually referenced in the statement or qual.
1591                          *
1592                          * For INSERT, NEW is not really a relation (only a reference to
1593                          * the to-be-inserted tuple) and should never be added to the
1594                          * jointree.
1595                          *
1596                          * For UPDATE, we treat NEW as being another kind of reference to
1597                          * OLD, because it represents references to *transformed* tuples
1598                          * of the existing relation.  It would be wrong to enter NEW
1599                          * separately in the jointree, since that would cause a double
1600                          * join of the updated relation.  It's also wrong to fail to make
1601                          * a jointree entry if only NEW and not OLD is mentioned.
1602                          */
1603                         if (has_old || (has_new && stmt->event == CMD_UPDATE))
1604                         {
1605                                 /*
1606                                  * If sub_qry is a setop, manipulating its jointree will do no
1607                                  * good at all, because the jointree is dummy. (This should be
1608                                  * a can't-happen case because of prior tests.)
1609                                  */
1610                                 if (sub_qry->setOperations != NULL)
1611                                         ereport(ERROR,
1612                                                         (errcode(ERRCODE_FEATURE_NOT_SUPPORTED),
1613                                                          errmsg("conditional UNION/INTERSECT/EXCEPT statements are not implemented")));
1614                                 /* hack so we can use addRTEtoQuery() */
1615                                 sub_pstate->p_rtable = sub_qry->rtable;
1616                                 sub_pstate->p_joinlist = sub_qry->jointree->fromlist;
1617                                 addRTEtoQuery(sub_pstate, oldrte, true, false, false);
1618                                 sub_qry->jointree->fromlist = sub_pstate->p_joinlist;
1619                         }
1620
1621                         newactions = lappend(newactions, top_subqry);
1622
1623                         free_parsestate(sub_pstate);
1624                 }
1625
1626                 *actions = newactions;
1627         }
1628
1629         free_parsestate(pstate);
1630
1631         /* Close relation, but keep the exclusive lock */
1632         heap_close(rel, NoLock);
1633 }
1634
1635
1636 /*
1637  * transformAlterTableStmt -
1638  *              parse analysis for ALTER TABLE
1639  *
1640  * Returns a List of utility commands to be done in sequence.  One of these
1641  * will be the transformed AlterTableStmt, but there may be additional actions
1642  * to be done before and after the actual AlterTable() call.
1643  */
1644 List *
1645 transformAlterTableStmt(AlterTableStmt *stmt, const char *queryString)
1646 {
1647         Relation        rel;
1648         ParseState *pstate;
1649         CreateStmtContext cxt;
1650         List       *result;
1651         List       *save_alist;
1652         ListCell   *lcmd,
1653                            *l;
1654         List       *newcmds = NIL;
1655         bool            skipValidation = true;
1656         AlterTableCmd *newcmd;
1657
1658         /*
1659          * We must not scribble on the passed-in AlterTableStmt, so copy it. (This
1660          * is overkill, but easy.)
1661          */
1662         stmt = (AlterTableStmt *) copyObject(stmt);
1663
1664         /*
1665          * Acquire exclusive lock on the target relation, which will be held until
1666          * end of transaction.  This ensures any decisions we make here based on
1667          * the state of the relation will still be good at execution. We must get
1668          * exclusive lock now because execution will; taking a lower grade lock
1669          * now and trying to upgrade later risks deadlock.
1670          */
1671         rel = relation_openrv(stmt->relation, AccessExclusiveLock);
1672
1673         /* Set up pstate */
1674         pstate = make_parsestate(NULL);
1675         pstate->p_sourcetext = queryString;
1676
1677         cxt.stmtType = "ALTER TABLE";
1678         cxt.relation = stmt->relation;
1679         cxt.rel = rel;
1680         cxt.inhRelations = NIL;
1681         cxt.isalter = true;
1682         cxt.hasoids = false;            /* need not be right */
1683         cxt.columns = NIL;
1684         cxt.ckconstraints = NIL;
1685         cxt.fkconstraints = NIL;
1686         cxt.ixconstraints = NIL;
1687         cxt.inh_indexes = NIL;
1688         cxt.blist = NIL;
1689         cxt.alist = NIL;
1690         cxt.pkey = NULL;
1691
1692         /*
1693          * The only subtypes that currently require parse transformation handling
1694          * are ADD COLUMN and ADD CONSTRAINT.  These largely re-use code from
1695          * CREATE TABLE.
1696          */
1697         foreach(lcmd, stmt->cmds)
1698         {
1699                 AlterTableCmd *cmd = (AlterTableCmd *) lfirst(lcmd);
1700
1701                 switch (cmd->subtype)
1702                 {
1703                         case AT_AddColumn:
1704                                 {
1705                                         ColumnDef  *def = (ColumnDef *) cmd->def;
1706
1707                                         Assert(IsA(cmd->def, ColumnDef));
1708                                         transformColumnDefinition(pstate, &cxt,
1709                                                                                           (ColumnDef *) cmd->def);
1710
1711                                         /*
1712                                          * If the column has a non-null default, we can't skip
1713                                          * validation of foreign keys.
1714                                          */
1715                                         if (((ColumnDef *) cmd->def)->raw_default != NULL)
1716                                                 skipValidation = false;
1717
1718                                         newcmds = lappend(newcmds, cmd);
1719
1720                                         /*
1721                                          * Convert an ADD COLUMN ... NOT NULL constraint to a
1722                                          * separate command
1723                                          */
1724                                         if (def->is_not_null)
1725                                         {
1726                                                 /* Remove NOT NULL from AddColumn */
1727                                                 def->is_not_null = false;
1728
1729                                                 /* Add as a separate AlterTableCmd */
1730                                                 newcmd = makeNode(AlterTableCmd);
1731                                                 newcmd->subtype = AT_SetNotNull;
1732                                                 newcmd->name = pstrdup(def->colname);
1733                                                 newcmds = lappend(newcmds, newcmd);
1734                                         }
1735
1736                                         /*
1737                                          * All constraints are processed in other ways. Remove the
1738                                          * original list
1739                                          */
1740                                         def->constraints = NIL;
1741
1742                                         break;
1743                                 }
1744                         case AT_AddConstraint:
1745
1746                                 /*
1747                                  * The original AddConstraint cmd node doesn't go to newcmds
1748                                  */
1749
1750                                 if (IsA(cmd->def, Constraint))
1751                                         transformTableConstraint(pstate, &cxt,
1752                                                                                          (Constraint *) cmd->def);
1753                                 else if (IsA(cmd->def, FkConstraint))
1754                                 {
1755                                         cxt.fkconstraints = lappend(cxt.fkconstraints, cmd->def);
1756                                         skipValidation = false;
1757                                 }
1758                                 else
1759                                         elog(ERROR, "unrecognized node type: %d",
1760                                                  (int) nodeTag(cmd->def));
1761                                 break;
1762
1763                         case AT_ProcessedConstraint:
1764
1765                                 /*
1766                                  * Already-transformed ADD CONSTRAINT, so just make it look
1767                                  * like the standard case.
1768                                  */
1769                                 cmd->subtype = AT_AddConstraint;
1770                                 newcmds = lappend(newcmds, cmd);
1771                                 break;
1772
1773                         default:
1774                                 newcmds = lappend(newcmds, cmd);
1775                                 break;
1776                 }
1777         }
1778
1779         /*
1780          * transformIndexConstraints wants cxt.alist to contain only index
1781          * statements, so transfer anything we already have into save_alist
1782          * immediately.
1783          */
1784         save_alist = cxt.alist;
1785         cxt.alist = NIL;
1786
1787         /* Postprocess index and FK constraints */
1788         transformIndexConstraints(pstate, &cxt);
1789
1790         transformFKConstraints(pstate, &cxt, skipValidation, true);
1791
1792         /*
1793          * Push any index-creation commands into the ALTER, so that they can be
1794          * scheduled nicely by tablecmds.c.  Note that tablecmds.c assumes that
1795          * the IndexStmt attached to an AT_AddIndex subcommand has already been
1796          * through transformIndexStmt.
1797          */
1798         foreach(l, cxt.alist)
1799         {
1800                 Node       *idxstmt = (Node *) lfirst(l);
1801
1802                 Assert(IsA(idxstmt, IndexStmt));
1803                 newcmd = makeNode(AlterTableCmd);
1804                 newcmd->subtype = AT_AddIndex;
1805                 newcmd->def = (Node *) transformIndexStmt((IndexStmt *) idxstmt,
1806                                                                                                   queryString);
1807                 newcmds = lappend(newcmds, newcmd);
1808         }
1809         cxt.alist = NIL;
1810
1811         /* Append any CHECK or FK constraints to the commands list */
1812         foreach(l, cxt.ckconstraints)
1813         {
1814                 newcmd = makeNode(AlterTableCmd);
1815                 newcmd->subtype = AT_AddConstraint;
1816                 newcmd->def = (Node *) lfirst(l);
1817                 newcmds = lappend(newcmds, newcmd);
1818         }
1819         foreach(l, cxt.fkconstraints)
1820         {
1821                 newcmd = makeNode(AlterTableCmd);
1822                 newcmd->subtype = AT_AddConstraint;
1823                 newcmd->def = (Node *) lfirst(l);
1824                 newcmds = lappend(newcmds, newcmd);
1825         }
1826
1827         /* Close rel but keep lock */
1828         relation_close(rel, NoLock);
1829
1830         /*
1831          * Output results.
1832          */
1833         stmt->cmds = newcmds;
1834
1835         result = lappend(cxt.blist, stmt);
1836         result = list_concat(result, cxt.alist);
1837         result = list_concat(result, save_alist);
1838
1839         return result;
1840 }
1841
1842
1843 /*
1844  * Preprocess a list of column constraint clauses
1845  * to attach constraint attributes to their primary constraint nodes
1846  * and detect inconsistent/misplaced constraint attributes.
1847  *
1848  * NOTE: currently, attributes are only supported for FOREIGN KEY primary
1849  * constraints, but someday they ought to be supported for other constraints.
1850  */
1851 static void
1852 transformConstraintAttrs(List *constraintList)
1853 {
1854         Node       *lastprimarynode = NULL;
1855         bool            saw_deferrability = false;
1856         bool            saw_initially = false;
1857         ListCell   *clist;
1858
1859         foreach(clist, constraintList)
1860         {
1861                 Node       *node = lfirst(clist);
1862
1863                 if (!IsA(node, Constraint))
1864                 {
1865                         lastprimarynode = node;
1866                         /* reset flags for new primary node */
1867                         saw_deferrability = false;
1868                         saw_initially = false;
1869                 }
1870                 else
1871                 {
1872                         Constraint *con = (Constraint *) node;
1873
1874                         switch (con->contype)
1875                         {
1876                                 case CONSTR_ATTR_DEFERRABLE:
1877                                         if (lastprimarynode == NULL ||
1878                                                 !IsA(lastprimarynode, FkConstraint))
1879                                                 ereport(ERROR,
1880                                                                 (errcode(ERRCODE_SYNTAX_ERROR),
1881                                                                  errmsg("misplaced DEFERRABLE clause")));
1882                                         if (saw_deferrability)
1883                                                 ereport(ERROR,
1884                                                                 (errcode(ERRCODE_SYNTAX_ERROR),
1885                                                                  errmsg("multiple DEFERRABLE/NOT DEFERRABLE clauses not allowed")));
1886                                         saw_deferrability = true;
1887                                         ((FkConstraint *) lastprimarynode)->deferrable = true;
1888                                         break;
1889                                 case CONSTR_ATTR_NOT_DEFERRABLE:
1890                                         if (lastprimarynode == NULL ||
1891                                                 !IsA(lastprimarynode, FkConstraint))
1892                                                 ereport(ERROR,
1893                                                                 (errcode(ERRCODE_SYNTAX_ERROR),
1894                                                                  errmsg("misplaced NOT DEFERRABLE clause")));
1895                                         if (saw_deferrability)
1896                                                 ereport(ERROR,
1897                                                                 (errcode(ERRCODE_SYNTAX_ERROR),
1898                                                                  errmsg("multiple DEFERRABLE/NOT DEFERRABLE clauses not allowed")));
1899                                         saw_deferrability = true;
1900                                         ((FkConstraint *) lastprimarynode)->deferrable = false;
1901                                         if (saw_initially &&
1902                                                 ((FkConstraint *) lastprimarynode)->initdeferred)
1903                                                 ereport(ERROR,
1904                                                                 (errcode(ERRCODE_SYNTAX_ERROR),
1905                                                                  errmsg("constraint declared INITIALLY DEFERRED must be DEFERRABLE")));
1906                                         break;
1907                                 case CONSTR_ATTR_DEFERRED:
1908                                         if (lastprimarynode == NULL ||
1909                                                 !IsA(lastprimarynode, FkConstraint))
1910                                                 ereport(ERROR,
1911                                                                 (errcode(ERRCODE_SYNTAX_ERROR),
1912                                                          errmsg("misplaced INITIALLY DEFERRED clause")));
1913                                         if (saw_initially)
1914                                                 ereport(ERROR,
1915                                                                 (errcode(ERRCODE_SYNTAX_ERROR),
1916                                                                  errmsg("multiple INITIALLY IMMEDIATE/DEFERRED clauses not allowed")));
1917                                         saw_initially = true;
1918                                         ((FkConstraint *) lastprimarynode)->initdeferred = true;
1919
1920                                         /*
1921                                          * If only INITIALLY DEFERRED appears, assume DEFERRABLE
1922                                          */
1923                                         if (!saw_deferrability)
1924                                                 ((FkConstraint *) lastprimarynode)->deferrable = true;
1925                                         else if (!((FkConstraint *) lastprimarynode)->deferrable)
1926                                                 ereport(ERROR,
1927                                                                 (errcode(ERRCODE_SYNTAX_ERROR),
1928                                                                  errmsg("constraint declared INITIALLY DEFERRED must be DEFERRABLE")));
1929                                         break;
1930                                 case CONSTR_ATTR_IMMEDIATE:
1931                                         if (lastprimarynode == NULL ||
1932                                                 !IsA(lastprimarynode, FkConstraint))
1933                                                 ereport(ERROR,
1934                                                                 (errcode(ERRCODE_SYNTAX_ERROR),
1935                                                         errmsg("misplaced INITIALLY IMMEDIATE clause")));
1936                                         if (saw_initially)
1937                                                 ereport(ERROR,
1938                                                                 (errcode(ERRCODE_SYNTAX_ERROR),
1939                                                                  errmsg("multiple INITIALLY IMMEDIATE/DEFERRED clauses not allowed")));
1940                                         saw_initially = true;
1941                                         ((FkConstraint *) lastprimarynode)->initdeferred = false;
1942                                         break;
1943                                 default:
1944                                         /* Otherwise it's not an attribute */
1945                                         lastprimarynode = node;
1946                                         /* reset flags for new primary node */
1947                                         saw_deferrability = false;
1948                                         saw_initially = false;
1949                                         break;
1950                         }
1951                 }
1952         }
1953 }
1954
1955 /*
1956  * Special handling of type definition for a column
1957  */
1958 static void
1959 transformColumnType(ParseState *pstate, ColumnDef *column)
1960 {
1961         /*
1962          * All we really need to do here is verify that the type is valid.
1963          */
1964         Type            ctype = typenameType(pstate, column->typename, NULL);
1965
1966         ReleaseSysCache(ctype);
1967 }
1968
1969
1970 /*
1971  * transformCreateSchemaStmt -
1972  *        analyzes the CREATE SCHEMA statement
1973  *
1974  * Split the schema element list into individual commands and place
1975  * them in the result list in an order such that there are no forward
1976  * references (e.g. GRANT to a table created later in the list). Note
1977  * that the logic we use for determining forward references is
1978  * presently quite incomplete.
1979  *
1980  * SQL92 also allows constraints to make forward references, so thumb through
1981  * the table columns and move forward references to a posterior alter-table
1982  * command.
1983  *
1984  * The result is a list of parse nodes that still need to be analyzed ---
1985  * but we can't analyze the later commands until we've executed the earlier
1986  * ones, because of possible inter-object references.
1987  *
1988  * Note: this breaks the rules a little bit by modifying schema-name fields
1989  * within passed-in structs.  However, the transformation would be the same
1990  * if done over, so it should be all right to scribble on the input to this
1991  * extent.
1992  */
1993 List *
1994 transformCreateSchemaStmt(CreateSchemaStmt *stmt)
1995 {
1996         CreateSchemaStmtContext cxt;
1997         List       *result;
1998         ListCell   *elements;
1999
2000         cxt.stmtType = "CREATE SCHEMA";
2001         cxt.schemaname = stmt->schemaname;
2002         cxt.authid = stmt->authid;
2003         cxt.sequences = NIL;
2004         cxt.tables = NIL;
2005         cxt.views = NIL;
2006         cxt.indexes = NIL;
2007         cxt.triggers = NIL;
2008         cxt.grants = NIL;
2009
2010         /*
2011          * Run through each schema element in the schema element list. Separate
2012          * statements by type, and do preliminary analysis.
2013          */
2014         foreach(elements, stmt->schemaElts)
2015         {
2016                 Node       *element = lfirst(elements);
2017
2018                 switch (nodeTag(element))
2019                 {
2020                         case T_CreateSeqStmt:
2021                                 {
2022                                         CreateSeqStmt *elp = (CreateSeqStmt *) element;
2023
2024                                         setSchemaName(cxt.schemaname, &elp->sequence->schemaname);
2025                                         cxt.sequences = lappend(cxt.sequences, element);
2026                                 }
2027                                 break;
2028
2029                         case T_CreateStmt:
2030                                 {
2031                                         CreateStmt *elp = (CreateStmt *) element;
2032
2033                                         setSchemaName(cxt.schemaname, &elp->relation->schemaname);
2034
2035                                         /*
2036                                          * XXX todo: deal with constraints
2037                                          */
2038                                         cxt.tables = lappend(cxt.tables, element);
2039                                 }
2040                                 break;
2041
2042                         case T_ViewStmt:
2043                                 {
2044                                         ViewStmt   *elp = (ViewStmt *) element;
2045
2046                                         setSchemaName(cxt.schemaname, &elp->view->schemaname);
2047
2048                                         /*
2049                                          * XXX todo: deal with references between views
2050                                          */
2051                                         cxt.views = lappend(cxt.views, element);
2052                                 }
2053                                 break;
2054
2055                         case T_IndexStmt:
2056                                 {
2057                                         IndexStmt  *elp = (IndexStmt *) element;
2058
2059                                         setSchemaName(cxt.schemaname, &elp->relation->schemaname);
2060                                         cxt.indexes = lappend(cxt.indexes, element);
2061                                 }
2062                                 break;
2063
2064                         case T_CreateTrigStmt:
2065                                 {
2066                                         CreateTrigStmt *elp = (CreateTrigStmt *) element;
2067
2068                                         setSchemaName(cxt.schemaname, &elp->relation->schemaname);
2069                                         cxt.triggers = lappend(cxt.triggers, element);
2070                                 }
2071                                 break;
2072
2073                         case T_GrantStmt:
2074                                 cxt.grants = lappend(cxt.grants, element);
2075                                 break;
2076
2077                         default:
2078                                 elog(ERROR, "unrecognized node type: %d",
2079                                          (int) nodeTag(element));
2080                 }
2081         }
2082
2083         result = NIL;
2084         result = list_concat(result, cxt.sequences);
2085         result = list_concat(result, cxt.tables);
2086         result = list_concat(result, cxt.views);
2087         result = list_concat(result, cxt.indexes);
2088         result = list_concat(result, cxt.triggers);
2089         result = list_concat(result, cxt.grants);
2090
2091         return result;
2092 }
2093
2094 /*
2095  * setSchemaName
2096  *              Set or check schema name in an element of a CREATE SCHEMA command
2097  */
2098 static void
2099 setSchemaName(char *context_schema, char **stmt_schema_name)
2100 {
2101         if (*stmt_schema_name == NULL)
2102                 *stmt_schema_name = context_schema;
2103         else if (strcmp(context_schema, *stmt_schema_name) != 0)
2104                 ereport(ERROR,
2105                                 (errcode(ERRCODE_INVALID_SCHEMA_DEFINITION),
2106                                  errmsg("CREATE specifies a schema (%s) "
2107                                                 "different from the one being created (%s)",
2108                                                 *stmt_schema_name, context_schema)));
2109 }