OSDN Git Service

候補インデックスのログ出力をよりわかりやすくした。
[pghintplan/pg_hint_plan.git] / pg_hint_plan.c
1 /*-------------------------------------------------------------------------
2  *
3  * pg_hint_plan.c
4  *                do instructions or hints to the planner using C-style block comments
5  *                of the SQL.
6  *
7  * Copyright (c) 2012, NIPPON TELEGRAPH AND TELEPHONE CORPORATION
8  *
9  *-------------------------------------------------------------------------
10  */
11 #include "postgres.h"
12 #include "commands/prepare.h"
13 #include "mb/pg_wchar.h"
14 #include "miscadmin.h"
15 #include "nodes/nodeFuncs.h"
16 #include "optimizer/clauses.h"
17 #include "optimizer/cost.h"
18 #include "optimizer/geqo.h"
19 #include "optimizer/joininfo.h"
20 #include "optimizer/pathnode.h"
21 #include "optimizer/paths.h"
22 #include "optimizer/plancat.h"
23 #include "optimizer/planner.h"
24 #include "optimizer/prep.h"
25 #include "optimizer/restrictinfo.h"
26 #include "parser/scansup.h"
27 #include "tcop/utility.h"
28 #include "utils/lsyscache.h"
29 #include "utils/memutils.h"
30 #if PG_VERSION_NUM >= 90200
31 #include "catalog/pg_class.h"
32 #endif
33
34 #ifdef PG_MODULE_MAGIC
35 PG_MODULE_MAGIC;
36 #endif
37
38 #if PG_VERSION_NUM < 90100
39 #error unsupported PostgreSQL version
40 #endif
41
42 #define BLOCK_COMMENT_START             "/*"
43 #define BLOCK_COMMENT_END               "*/"
44 #define HINT_COMMENT_KEYWORD    "+"
45 #define HINT_START                              BLOCK_COMMENT_START HINT_COMMENT_KEYWORD
46 #define HINT_END                                BLOCK_COMMENT_END
47
48 /* hint keywords */
49 #define HINT_SEQSCAN                    "SeqScan"
50 #define HINT_INDEXSCAN                  "IndexScan"
51 #define HINT_BITMAPSCAN                 "BitmapScan"
52 #define HINT_TIDSCAN                    "TidScan"
53 #define HINT_NOSEQSCAN                  "NoSeqScan"
54 #define HINT_NOINDEXSCAN                "NoIndexScan"
55 #define HINT_NOBITMAPSCAN               "NoBitmapScan"
56 #define HINT_NOTIDSCAN                  "NoTidScan"
57 #if PG_VERSION_NUM >= 90200
58 #define HINT_INDEXONLYSCAN              "IndexOnlyScan"
59 #define HINT_NOINDEXONLYSCAN    "NoIndexOnlyScan"
60 #endif
61 #define HINT_NESTLOOP                   "NestLoop"
62 #define HINT_MERGEJOIN                  "MergeJoin"
63 #define HINT_HASHJOIN                   "HashJoin"
64 #define HINT_NONESTLOOP                 "NoNestLoop"
65 #define HINT_NOMERGEJOIN                "NoMergeJoin"
66 #define HINT_NOHASHJOIN                 "NoHashJoin"
67 #define HINT_LEADING                    "Leading"
68 #define HINT_SET                                "Set"
69
70 #define HINT_ARRAY_DEFAULT_INITSIZE 8
71
72 #define hint_ereport(str, detail) \
73         ereport(pg_hint_plan_parse_messages, \
74                         (errmsg("hint syntax error at or near \"%s\"", (str)), \
75                          errdetail detail))
76
77 #define skip_space(str) \
78         while (isspace(*str)) \
79                 str++;
80
81 enum
82 {
83         ENABLE_SEQSCAN = 0x01,
84         ENABLE_INDEXSCAN = 0x02,
85         ENABLE_BITMAPSCAN = 0x04,
86         ENABLE_TIDSCAN = 0x08,
87 #if PG_VERSION_NUM >= 90200
88         ENABLE_INDEXONLYSCAN = 0x10
89 #endif
90 } SCAN_TYPE_BITS;
91
92 enum
93 {
94         ENABLE_NESTLOOP = 0x01,
95         ENABLE_MERGEJOIN = 0x02,
96         ENABLE_HASHJOIN = 0x04
97 } JOIN_TYPE_BITS;
98
99 #if PG_VERSION_NUM >= 90200
100 #define ENABLE_ALL_SCAN (ENABLE_SEQSCAN | ENABLE_INDEXSCAN | \
101                                                  ENABLE_BITMAPSCAN | ENABLE_TIDSCAN | \
102                                                  ENABLE_INDEXONLYSCAN)
103 #else
104 #define ENABLE_ALL_SCAN (ENABLE_SEQSCAN | ENABLE_INDEXSCAN | \
105                                                  ENABLE_BITMAPSCAN | ENABLE_TIDSCAN)
106 #endif
107 #define ENABLE_ALL_JOIN (ENABLE_NESTLOOP | ENABLE_MERGEJOIN | ENABLE_HASHJOIN)
108 #define DISABLE_ALL_SCAN 0
109 #define DISABLE_ALL_JOIN 0
110
111 /* hint keyword of enum type*/
112 typedef enum HintKeyword
113 {
114         HINT_KEYWORD_SEQSCAN,
115         HINT_KEYWORD_INDEXSCAN,
116         HINT_KEYWORD_BITMAPSCAN,
117         HINT_KEYWORD_TIDSCAN,
118         HINT_KEYWORD_NOSEQSCAN,
119         HINT_KEYWORD_NOINDEXSCAN,
120         HINT_KEYWORD_NOBITMAPSCAN,
121         HINT_KEYWORD_NOTIDSCAN,
122 #if PG_VERSION_NUM >= 90200
123         HINT_KEYWORD_INDEXONLYSCAN,
124         HINT_KEYWORD_NOINDEXONLYSCAN,
125 #endif
126         HINT_KEYWORD_NESTLOOP,
127         HINT_KEYWORD_MERGEJOIN,
128         HINT_KEYWORD_HASHJOIN,
129         HINT_KEYWORD_NONESTLOOP,
130         HINT_KEYWORD_NOMERGEJOIN,
131         HINT_KEYWORD_NOHASHJOIN,
132         HINT_KEYWORD_LEADING,
133         HINT_KEYWORD_SET,
134         HINT_KEYWORD_UNRECOGNIZED
135 } HintKeyword;
136
137 typedef struct Hint Hint;
138 typedef struct HintState HintState;
139
140 typedef Hint *(*HintCreateFunction) (const char *hint_str,
141                                                                          const char *keyword,
142                                                                          HintKeyword hint_keyword);
143 typedef void (*HintDeleteFunction) (Hint *hint);
144 typedef void (*HintDumpFunction) (Hint *hint, StringInfo buf);
145 typedef int (*HintCmpFunction) (const Hint *a, const Hint *b);
146 typedef const char *(*HintParseFunction) (Hint *hint, HintState *hstate,
147                                                                                   Query *parse, const char *str);
148
149 /* hint types */
150 #define NUM_HINT_TYPE   4
151 typedef enum HintType
152 {
153         HINT_TYPE_SCAN_METHOD,
154         HINT_TYPE_JOIN_METHOD,
155         HINT_TYPE_LEADING,
156         HINT_TYPE_SET
157 } HintType;
158
159 static const char *HintTypeName[] = {
160         "scan method",
161         "join method",
162         "leading",
163         "set"
164 };
165
166 /* hint status */
167 typedef enum HintStatus
168 {
169         HINT_STATE_NOTUSED = 0,         /* specified relation not used in query */
170         HINT_STATE_USED,                        /* hint is used */
171         HINT_STATE_DUPLICATION,         /* specified hint duplication */
172         HINT_STATE_ERROR                        /* execute error (parse error does not include
173                                                                  * it) */
174 } HintStatus;
175
176 #define hint_state_enabled(hint) ((hint)->base.state == HINT_STATE_NOTUSED || \
177                                                                   (hint)->base.state == HINT_STATE_USED)
178
179 /* common data for all hints. */
180 struct Hint
181 {
182         const char                 *hint_str;           /* must not do pfree */
183         const char                 *keyword;            /* must not do pfree */
184         HintKeyword                     hint_keyword;
185         HintType                        type;
186         HintStatus                      state;
187         HintDeleteFunction      delete_func;
188         HintDumpFunction        dump_func;
189         HintCmpFunction         cmp_func;
190         HintParseFunction       parse_func;
191 };
192
193 /* scan method hints */
194 typedef struct ScanMethodHint
195 {
196         Hint                    base;
197         char               *relname;
198         List               *indexnames;
199         unsigned char   enforce_mask;
200 } ScanMethodHint;
201
202 /* join method hints */
203 typedef struct JoinMethodHint
204 {
205         Hint                    base;
206         int                             nrels;
207         char              **relnames;
208         unsigned char   enforce_mask;
209         Relids                  joinrelids;
210 } JoinMethodHint;
211
212 /* join order hints */
213 typedef struct LeadingHint
214 {
215         Hint    base;
216         List   *relations;              /* relation names specified in Leading hint */
217 } LeadingHint;
218
219 /* change a run-time parameter hints */
220 typedef struct SetHint
221 {
222         Hint    base;
223         char   *name;                           /* name of variable */
224         char   *value;
225         List   *words;
226 } SetHint;
227
228 /*
229  * Describes a context of hint processing.
230  */
231 struct HintState
232 {
233         char               *hint_str;                   /* original hint string */
234
235         /* all hint */
236         int                             nall_hints;                     /* # of valid all hints */
237         int                             max_all_hints;          /* # of slots for all hints */
238         Hint              **all_hints;                  /* parsed all hints */
239
240         /* # of each hints */
241         int                             num_hints[NUM_HINT_TYPE];
242
243         /* for scan method hints */
244         ScanMethodHint **scan_hints;            /* parsed scan hints */
245         int                             init_scan_mask;         /* initial value scan parameter */
246         Index                   parent_relid;           /* inherit parent table relid */
247         ScanMethodHint *parent_hint;            /* inherit parent table scan hint */
248
249         /* for join method hints */
250         JoinMethodHint **join_hints;            /* parsed join hints */
251         int                             init_join_mask;         /* initial value join parameter */
252         List              **join_hint_level;
253
254         /* for Leading hint */
255         LeadingHint        *leading_hint;               /* parsed last specified Leading hint */
256
257         /* for Set hints */
258         SetHint           **set_hints;                  /* parsed Set hints */
259         GucContext              context;                        /* which GUC parameters can we set? */
260 };
261
262 /*
263  * Describes a hint parser module which is bound with particular hint keyword.
264  */
265 typedef struct HintParser
266 {
267         char                       *keyword;
268         HintCreateFunction      create_func;
269         HintKeyword                     hint_keyword;
270 } HintParser;
271
272 /* Module callbacks */
273 void            _PG_init(void);
274 void            _PG_fini(void);
275
276 static void push_hint(HintState *hstate);
277 static void pop_hint(void);
278
279 static void pg_hint_plan_ProcessUtility(Node *parsetree,
280                                                                                 const char *queryString,
281                                                                                 ParamListInfo params, bool isTopLevel,
282                                                                                 DestReceiver *dest,
283                                                                                 char *completionTag);
284 static PlannedStmt *pg_hint_plan_planner(Query *parse, int cursorOptions,
285                                                                                  ParamListInfo boundParams);
286 static void pg_hint_plan_get_relation_info(PlannerInfo *root,
287                                                                                    Oid relationObjectId,
288                                                                                    bool inhparent, RelOptInfo *rel);
289 static RelOptInfo *pg_hint_plan_join_search(PlannerInfo *root,
290                                                                                         int levels_needed,
291                                                                                         List *initial_rels);
292
293 static Hint *ScanMethodHintCreate(const char *hint_str, const char *keyword,
294                                                                   HintKeyword hint_keyword);
295 static void ScanMethodHintDelete(ScanMethodHint *hint);
296 static void ScanMethodHintDump(ScanMethodHint *hint, StringInfo buf);
297 static int ScanMethodHintCmp(const ScanMethodHint *a, const ScanMethodHint *b);
298 static const char *ScanMethodHintParse(ScanMethodHint *hint, HintState *hstate,
299                                                                            Query *parse, const char *str);
300 static Hint *JoinMethodHintCreate(const char *hint_str, const char *keyword,
301                                                                   HintKeyword hint_keyword);
302 static void JoinMethodHintDelete(JoinMethodHint *hint);
303 static void JoinMethodHintDump(JoinMethodHint *hint, StringInfo buf);
304 static int JoinMethodHintCmp(const JoinMethodHint *a, const JoinMethodHint *b);
305 static const char *JoinMethodHintParse(JoinMethodHint *hint, HintState *hstate,
306                                                                            Query *parse, const char *str);
307 static Hint *LeadingHintCreate(const char *hint_str, const char *keyword,
308                                                            HintKeyword hint_keyword);
309 static void LeadingHintDelete(LeadingHint *hint);
310 static void LeadingHintDump(LeadingHint *hint, StringInfo buf);
311 static int LeadingHintCmp(const LeadingHint *a, const LeadingHint *b);
312 static const char *LeadingHintParse(LeadingHint *hint, HintState *hstate,
313                                                                         Query *parse, const char *str);
314 static Hint *SetHintCreate(const char *hint_str, const char *keyword,
315                                                    HintKeyword hint_keyword);
316 static void SetHintDelete(SetHint *hint);
317 static void SetHintDump(SetHint *hint, StringInfo buf);
318 static int SetHintCmp(const SetHint *a, const SetHint *b);
319 static const char *SetHintParse(SetHint *hint, HintState *hstate, Query *parse,
320                                                                 const char *str);
321
322 RelOptInfo *pg_hint_plan_standard_join_search(PlannerInfo *root,
323                                                                                           int levels_needed,
324                                                                                           List *initial_rels);
325 void pg_hint_plan_join_search_one_level(PlannerInfo *root, int level);
326 static void make_rels_by_clause_joins(PlannerInfo *root, RelOptInfo *old_rel,
327                                                                           ListCell *other_rels);
328 static void make_rels_by_clauseless_joins(PlannerInfo *root,
329                                                                                   RelOptInfo *old_rel,
330                                                                                   ListCell *other_rels);
331 static bool has_join_restriction(PlannerInfo *root, RelOptInfo *rel);
332 static void set_append_rel_pathlist(PlannerInfo *root, RelOptInfo *rel,
333                                                                         Index rti, RangeTblEntry *rte);
334 #if PG_VERSION_NUM >= 90200
335 static void generate_mergeappend_paths(PlannerInfo *root, RelOptInfo *rel,
336                                                    List *live_childrels,
337                                                    List *all_child_pathkeys);
338 #endif
339 static List *accumulate_append_subpath(List *subpaths, Path *path);
340 #if PG_VERSION_NUM < 90200
341 static void set_dummy_rel_pathlist(RelOptInfo *rel);
342 #endif
343 RelOptInfo *pg_hint_plan_make_join_rel(PlannerInfo *root, RelOptInfo *rel1,
344                                                                            RelOptInfo *rel2);
345
346 /* GUC variables */
347 static bool     pg_hint_plan_enable_hint = true;
348 static bool     pg_hint_plan_debug_print = false;
349 static int      pg_hint_plan_parse_messages = INFO;
350
351 static const struct config_enum_entry parse_messages_level_options[] = {
352         {"debug", DEBUG2, true},
353         {"debug5", DEBUG5, false},
354         {"debug4", DEBUG4, false},
355         {"debug3", DEBUG3, false},
356         {"debug2", DEBUG2, false},
357         {"debug1", DEBUG1, false},
358         {"log", LOG, false},
359         {"info", INFO, false},
360         {"notice", NOTICE, false},
361         {"warning", WARNING, false},
362         {"error", ERROR, false},
363         /*
364          * {"fatal", FATAL, true},
365          * {"panic", PANIC, true},
366          */
367         {NULL, 0, false}
368 };
369
370 /* Saved hook values in case of unload */
371 static ProcessUtility_hook_type prev_ProcessUtility = NULL;
372 static planner_hook_type prev_planner = NULL;
373 static get_relation_info_hook_type prev_get_relation_info = NULL;
374 static join_search_hook_type prev_join_search = NULL;
375
376 /* Hold reference to currently active hint */
377 static HintState *current_hint = NULL;
378
379 /*
380  * List of hint contexts.  We treat the head of the list as the Top of the
381  * context stack, so current_hint always points the first element of this list.
382  */
383 static List *HintStateStack = NIL;
384
385 /*
386  * Holds statement name during executing EXECUTE command.  NULL for other
387  * statements.
388  */
389 static char        *stmt_name = NULL;
390
391 static const HintParser parsers[] = {
392         {HINT_SEQSCAN, ScanMethodHintCreate, HINT_KEYWORD_SEQSCAN},
393         {HINT_INDEXSCAN, ScanMethodHintCreate, HINT_KEYWORD_INDEXSCAN},
394         {HINT_BITMAPSCAN, ScanMethodHintCreate, HINT_KEYWORD_BITMAPSCAN},
395         {HINT_TIDSCAN, ScanMethodHintCreate, HINT_KEYWORD_TIDSCAN},
396         {HINT_NOSEQSCAN, ScanMethodHintCreate, HINT_KEYWORD_NOSEQSCAN},
397         {HINT_NOINDEXSCAN, ScanMethodHintCreate, HINT_KEYWORD_NOINDEXSCAN},
398         {HINT_NOBITMAPSCAN, ScanMethodHintCreate, HINT_KEYWORD_NOBITMAPSCAN},
399         {HINT_NOTIDSCAN, ScanMethodHintCreate, HINT_KEYWORD_NOTIDSCAN},
400 #if PG_VERSION_NUM >= 90200
401         {HINT_INDEXONLYSCAN, ScanMethodHintCreate, HINT_KEYWORD_INDEXONLYSCAN},
402         {HINT_NOINDEXONLYSCAN, ScanMethodHintCreate, HINT_KEYWORD_NOINDEXONLYSCAN},
403 #endif
404         {HINT_NESTLOOP, JoinMethodHintCreate, HINT_KEYWORD_NESTLOOP},
405         {HINT_MERGEJOIN, JoinMethodHintCreate, HINT_KEYWORD_MERGEJOIN},
406         {HINT_HASHJOIN, JoinMethodHintCreate, HINT_KEYWORD_HASHJOIN},
407         {HINT_NONESTLOOP, JoinMethodHintCreate, HINT_KEYWORD_NONESTLOOP},
408         {HINT_NOMERGEJOIN, JoinMethodHintCreate, HINT_KEYWORD_NOMERGEJOIN},
409         {HINT_NOHASHJOIN, JoinMethodHintCreate, HINT_KEYWORD_NOHASHJOIN},
410         {HINT_LEADING, LeadingHintCreate, HINT_KEYWORD_LEADING},
411         {HINT_SET, SetHintCreate, HINT_KEYWORD_SET},
412         {NULL, NULL, HINT_KEYWORD_UNRECOGNIZED}
413 };
414
415 /*
416  * Module load callbacks
417  */
418 void
419 _PG_init(void)
420 {
421         /* Define custom GUC variables. */
422         DefineCustomBoolVariable("pg_hint_plan.enable_hint",
423                          "Force planner to use plans specified in the hint comment preceding to the query.",
424                                                          NULL,
425                                                          &pg_hint_plan_enable_hint,
426                                                          true,
427                                                          PGC_USERSET,
428                                                          0,
429                                                          NULL,
430                                                          NULL,
431                                                          NULL);
432
433         DefineCustomBoolVariable("pg_hint_plan.debug_print",
434                                                          "Logs results of hint parsing.",
435                                                          NULL,
436                                                          &pg_hint_plan_debug_print,
437                                                          false,
438                                                          PGC_USERSET,
439                                                          0,
440                                                          NULL,
441                                                          NULL,
442                                                          NULL);
443
444         DefineCustomEnumVariable("pg_hint_plan.parse_messages",
445                                                          "Message level of parse errors.",
446                                                          NULL,
447                                                          &pg_hint_plan_parse_messages,
448                                                          INFO,
449                                                          parse_messages_level_options,
450                                                          PGC_USERSET,
451                                                          0,
452                                                          NULL,
453                                                          NULL,
454                                                          NULL);
455
456         /* Install hooks. */
457         prev_ProcessUtility = ProcessUtility_hook;
458         ProcessUtility_hook = pg_hint_plan_ProcessUtility;
459         prev_planner = planner_hook;
460         planner_hook = pg_hint_plan_planner;
461         prev_get_relation_info = get_relation_info_hook;
462         get_relation_info_hook = pg_hint_plan_get_relation_info;
463         prev_join_search = join_search_hook;
464         join_search_hook = pg_hint_plan_join_search;
465 }
466
467 /*
468  * Module unload callback
469  * XXX never called
470  */
471 void
472 _PG_fini(void)
473 {
474         /* Uninstall hooks. */
475         ProcessUtility_hook = prev_ProcessUtility;
476         planner_hook = prev_planner;
477         get_relation_info_hook = prev_get_relation_info;
478         join_search_hook = prev_join_search;
479 }
480
481 /*
482  * create and delete functions the hint object
483  */
484
485 static Hint *
486 ScanMethodHintCreate(const char *hint_str, const char *keyword,
487                                          HintKeyword hint_keyword)
488 {
489         ScanMethodHint *hint;
490
491         hint = palloc(sizeof(ScanMethodHint));
492         hint->base.hint_str = hint_str;
493         hint->base.keyword = keyword;
494         hint->base.hint_keyword = hint_keyword;
495         hint->base.type = HINT_TYPE_SCAN_METHOD;
496         hint->base.state = HINT_STATE_NOTUSED;
497         hint->base.delete_func = (HintDeleteFunction) ScanMethodHintDelete;
498         hint->base.dump_func = (HintDumpFunction) ScanMethodHintDump;
499         hint->base.cmp_func = (HintCmpFunction) ScanMethodHintCmp;
500         hint->base.parse_func = (HintParseFunction) ScanMethodHintParse;
501         hint->relname = NULL;
502         hint->indexnames = NIL;
503         hint->enforce_mask = 0;
504
505         return (Hint *) hint;
506 }
507
508 static void
509 ScanMethodHintDelete(ScanMethodHint *hint)
510 {
511         if (!hint)
512                 return;
513
514         if (hint->relname)
515                 pfree(hint->relname);
516         list_free_deep(hint->indexnames);
517         pfree(hint);
518 }
519
520 static Hint *
521 JoinMethodHintCreate(const char *hint_str, const char *keyword,
522                                          HintKeyword hint_keyword)
523 {
524         JoinMethodHint *hint;
525
526         hint = palloc(sizeof(JoinMethodHint));
527         hint->base.hint_str = hint_str;
528         hint->base.keyword = keyword;
529         hint->base.hint_keyword = hint_keyword;
530         hint->base.type = HINT_TYPE_JOIN_METHOD;
531         hint->base.state = HINT_STATE_NOTUSED;
532         hint->base.delete_func = (HintDeleteFunction) JoinMethodHintDelete;
533         hint->base.dump_func = (HintDumpFunction) JoinMethodHintDump;
534         hint->base.cmp_func = (HintCmpFunction) JoinMethodHintCmp;
535         hint->base.parse_func = (HintParseFunction) JoinMethodHintParse;
536         hint->nrels = 0;
537         hint->relnames = NULL;
538         hint->enforce_mask = 0;
539         hint->joinrelids = NULL;
540
541         return (Hint *) hint;
542 }
543
544 static void
545 JoinMethodHintDelete(JoinMethodHint *hint)
546 {
547         if (!hint)
548                 return;
549
550         if (hint->relnames)
551         {
552                 int     i;
553
554                 for (i = 0; i < hint->nrels; i++)
555                         pfree(hint->relnames[i]);
556                 pfree(hint->relnames);
557         }
558         bms_free(hint->joinrelids);
559         pfree(hint);
560 }
561
562 static Hint *
563 LeadingHintCreate(const char *hint_str, const char *keyword,
564                                   HintKeyword hint_keyword)
565 {
566         LeadingHint        *hint;
567
568         hint = palloc(sizeof(LeadingHint));
569         hint->base.hint_str = hint_str;
570         hint->base.keyword = keyword;
571         hint->base.hint_keyword = hint_keyword;
572         hint->base.type = HINT_TYPE_LEADING;
573         hint->base.state = HINT_STATE_NOTUSED;
574         hint->base.delete_func = (HintDeleteFunction)LeadingHintDelete;
575         hint->base.dump_func = (HintDumpFunction) LeadingHintDump;
576         hint->base.cmp_func = (HintCmpFunction) LeadingHintCmp;
577         hint->base.parse_func = (HintParseFunction) LeadingHintParse;
578         hint->relations = NIL;
579
580         return (Hint *) hint;
581 }
582
583 static void
584 LeadingHintDelete(LeadingHint *hint)
585 {
586         if (!hint)
587                 return;
588
589         list_free_deep(hint->relations);
590         pfree(hint);
591 }
592
593 static Hint *
594 SetHintCreate(const char *hint_str, const char *keyword,
595                           HintKeyword hint_keyword)
596 {
597         SetHint    *hint;
598
599         hint = palloc(sizeof(SetHint));
600         hint->base.hint_str = hint_str;
601         hint->base.keyword = keyword;
602         hint->base.hint_keyword = hint_keyword;
603         hint->base.type = HINT_TYPE_SET;
604         hint->base.state = HINT_STATE_NOTUSED;
605         hint->base.delete_func = (HintDeleteFunction) SetHintDelete;
606         hint->base.dump_func = (HintDumpFunction) SetHintDump;
607         hint->base.cmp_func = (HintCmpFunction) SetHintCmp;
608         hint->base.parse_func = (HintParseFunction) SetHintParse;
609         hint->name = NULL;
610         hint->value = NULL;
611         hint->words = NIL;
612
613         return (Hint *) hint;
614 }
615
616 static void
617 SetHintDelete(SetHint *hint)
618 {
619         if (!hint)
620                 return;
621
622         if (hint->name)
623                 pfree(hint->name);
624         if (hint->value)
625                 pfree(hint->value);
626         if (hint->words)
627                 list_free(hint->words);
628         pfree(hint);
629 }
630
631 static HintState *
632 HintStateCreate(void)
633 {
634         HintState   *hstate;
635
636         hstate = palloc(sizeof(HintState));
637         hstate->hint_str = NULL;
638         hstate->nall_hints = 0;
639         hstate->max_all_hints = 0;
640         hstate->all_hints = NULL;
641         memset(hstate->num_hints, 0, sizeof(hstate->num_hints));
642         hstate->scan_hints = NULL;
643         hstate->init_scan_mask = 0;
644         hstate->parent_relid = 0;
645         hstate->parent_hint = NULL;
646         hstate->join_hints = NULL;
647         hstate->init_join_mask = 0;
648         hstate->join_hint_level = NULL;
649         hstate->leading_hint = NULL;
650         hstate->context = superuser() ? PGC_SUSET : PGC_USERSET;
651         hstate->set_hints = NULL;
652
653         return hstate;
654 }
655
656 static void
657 HintStateDelete(HintState *hstate)
658 {
659         int                     i;
660
661         if (!hstate)
662                 return;
663
664         if (hstate->hint_str)
665                 pfree(hstate->hint_str);
666
667         for (i = 0; i < hstate->num_hints[HINT_TYPE_SCAN_METHOD]; i++)
668                 hstate->all_hints[i]->delete_func(hstate->all_hints[i]);
669         if (hstate->all_hints)
670                 pfree(hstate->all_hints);
671 }
672
673 /*
674  * dump functions
675  */
676
677 static void
678 dump_quote_value(StringInfo buf, const char *value)
679 {
680         bool            need_quote = false;
681         const char *str;
682
683         for (str = value; *str != '\0'; str++)
684         {
685                 if (isspace(*str) || *str == ')' || *str == '"')
686                 {
687                         need_quote = true;
688                         appendStringInfoCharMacro(buf, '"');
689                         break;
690                 }
691         }
692
693         for (str = value; *str != '\0'; str++)
694         {
695                 if (*str == '"')
696                         appendStringInfoCharMacro(buf, '"');
697
698                 appendStringInfoCharMacro(buf, *str);
699         }
700
701         if (need_quote)
702                 appendStringInfoCharMacro(buf, '"');
703 }
704
705 static void
706 ScanMethodHintDump(ScanMethodHint *hint, StringInfo buf)
707 {
708         ListCell   *l;
709
710         appendStringInfo(buf, "%s(", hint->base.keyword);
711         if (hint->relname != NULL)
712         {
713                 dump_quote_value(buf, hint->relname);
714                 foreach(l, hint->indexnames)
715                 {
716                         appendStringInfoCharMacro(buf, ' ');
717                         dump_quote_value(buf, (char *) lfirst(l));
718                 }
719         }
720         appendStringInfoString(buf, ")\n");
721 }
722
723 static void
724 JoinMethodHintDump(JoinMethodHint *hint, StringInfo buf)
725 {
726         int     i;
727
728         appendStringInfo(buf, "%s(", hint->base.keyword);
729         if (hint->relnames != NULL)
730         {
731                 dump_quote_value(buf, hint->relnames[0]);
732                 for (i = 1; i < hint->nrels; i++)
733                 {
734                         appendStringInfoCharMacro(buf, ' ');
735                         dump_quote_value(buf, hint->relnames[i]);
736                 }
737         }
738         appendStringInfoString(buf, ")\n");
739
740 }
741
742 static void
743 LeadingHintDump(LeadingHint *hint, StringInfo buf)
744 {
745         bool            is_first;
746         ListCell   *l;
747
748         appendStringInfo(buf, "%s(", HINT_LEADING);
749         is_first = true;
750         foreach(l, hint->relations)
751         {
752                 if (is_first)
753                         is_first = false;
754                 else
755                         appendStringInfoCharMacro(buf, ' ');
756
757                 dump_quote_value(buf, (char *) lfirst(l));
758         }
759
760         appendStringInfoString(buf, ")\n");
761 }
762
763 static void
764 SetHintDump(SetHint *hint, StringInfo buf)
765 {
766         bool            is_first = true;
767         ListCell   *l;
768
769         appendStringInfo(buf, "%s(", HINT_SET);
770         foreach(l, hint->words)
771         {
772                 if (is_first)
773                         is_first = false;
774                 else
775                         appendStringInfoCharMacro(buf, ' ');
776
777                 dump_quote_value(buf, (char *) lfirst(l));
778         }
779         appendStringInfo(buf, ")\n");
780 }
781
782 static void
783 all_hint_dump(HintState *hstate, StringInfo buf, const char *title,
784                           HintStatus state)
785 {
786         int     i;
787
788         appendStringInfo(buf, "%s:\n", title);
789         for (i = 0; i < hstate->nall_hints; i++)
790         {
791                 if (hstate->all_hints[i]->state != state)
792                         continue;
793
794                 hstate->all_hints[i]->dump_func(hstate->all_hints[i], buf);
795         }
796 }
797
798 static void
799 HintStateDump(HintState *hstate)
800 {
801         StringInfoData  buf;
802
803         if (!hstate)
804         {
805                 elog(LOG, "pg_hint_plan:\nno hint");
806                 return;
807         }
808
809         initStringInfo(&buf);
810
811         appendStringInfoString(&buf, "pg_hint_plan:\n");
812         all_hint_dump(hstate, &buf, "used hint", HINT_STATE_USED);
813         all_hint_dump(hstate, &buf, "not used hint", HINT_STATE_NOTUSED);
814         all_hint_dump(hstate, &buf, "duplication hint", HINT_STATE_DUPLICATION);
815         all_hint_dump(hstate, &buf, "error hint", HINT_STATE_ERROR);
816
817         elog(LOG, "%s", buf.data);
818
819         pfree(buf.data);
820 }
821
822 /*
823  * compare functions
824  */
825
826 static int
827 RelnameCmp(const void *a, const void *b)
828 {
829         const char *relnamea = *((const char **) a);
830         const char *relnameb = *((const char **) b);
831
832         return strcmp(relnamea, relnameb);
833 }
834
835 static int
836 ScanMethodHintCmp(const ScanMethodHint *a, const ScanMethodHint *b)
837 {
838         return RelnameCmp(&a->relname, &b->relname);
839 }
840
841 static int
842 JoinMethodHintCmp(const JoinMethodHint *a, const JoinMethodHint *b)
843 {
844         int     i;
845
846         if (a->nrels != b->nrels)
847                 return a->nrels - b->nrels;
848
849         for (i = 0; i < a->nrels; i++)
850         {
851                 int     result;
852                 if ((result = RelnameCmp(&a->relnames[i], &b->relnames[i])) != 0)
853                         return result;
854         }
855
856         return 0;
857 }
858
859 static int
860 LeadingHintCmp(const LeadingHint *a, const LeadingHint *b)
861 {
862         return 0;
863 }
864
865 static int
866 SetHintCmp(const SetHint *a, const SetHint *b)
867 {
868         return strcmp(a->name, b->name);
869 }
870
871 static int
872 HintCmp(const void *a, const void *b)
873 {
874         const Hint *hinta = *((const Hint **) a);
875         const Hint *hintb = *((const Hint **) b);
876
877         if (hinta->type != hintb->type)
878                 return hinta->type - hintb->type;
879         if (hinta->state == HINT_STATE_ERROR)
880                 return -1;
881         if (hintb->state == HINT_STATE_ERROR)
882                 return 1;
883         return hinta->cmp_func(hinta, hintb);
884 }
885
886 /*
887  * Returns byte offset of hint b from hint a.  If hint a was specified before
888  * b, positive value is returned.
889  */
890 static int
891 HintCmpWithPos(const void *a, const void *b)
892 {
893         const Hint *hinta = *((const Hint **) a);
894         const Hint *hintb = *((const Hint **) b);
895         int             result;
896
897         result = HintCmp(a, b);
898         if (result == 0)
899                 result = hinta->hint_str - hintb->hint_str;
900
901         return result;
902 }
903
904 /*
905  * parse functions
906  */
907 static const char *
908 parse_keyword(const char *str, StringInfo buf)
909 {
910         skip_space(str);
911
912         while (!isspace(*str) && *str != '(' && *str != '\0')
913                 appendStringInfoCharMacro(buf, *str++);
914
915         return str;
916 }
917
918 static const char *
919 skip_parenthesis(const char *str, char parenthesis)
920 {
921         skip_space(str);
922
923         if (*str != parenthesis)
924         {
925                 if (parenthesis == '(')
926                         hint_ereport(str, ("Opening parenthesis is necessary."));
927                 else if (parenthesis == ')')
928                         hint_ereport(str, ("Closing parenthesis is necessary."));
929
930                 return NULL;
931         }
932
933         str++;
934
935         return str;
936 }
937
938 /*
939  * Parse a token from str, and store malloc'd copy into word.  A token can be
940  * quoted with '"'.  Return value is pointer to unparsed portion of original
941  * string, or NULL if an error occurred.
942  *
943  * Parsed token is truncated within NAMEDATALEN-1 bytes, when truncate is true.
944  */
945 static const char *
946 parse_quote_value(const char *str, char **word, bool truncate)
947 {
948         StringInfoData  buf;
949         bool                    in_quote;
950
951         /* Skip leading spaces. */
952         skip_space(str);
953
954         initStringInfo(&buf);
955         if (*str == '"')
956         {
957                 str++;
958                 in_quote = true;
959         }
960         else
961                 in_quote = false;
962
963         while (true)
964         {
965                 if (in_quote)
966                 {
967                         /* Double quotation must be closed. */
968                         if (*str == '\0')
969                         {
970                                 pfree(buf.data);
971                                 hint_ereport(str, ("Unterminated quoted string."));
972                                 return NULL;
973                         }
974
975                         /*
976                          * Skip escaped double quotation.
977                          *
978                          * We don't allow slash-asterisk and asterisk-slash (delimiters of
979                          * block comments) to be an object name, so users must specify
980                          * alias for such object names.
981                          *
982                          * Those special names can be allowed if we care escaped slashes
983                          * and asterisks, but we don't.
984                          */
985                         if (*str == '"')
986                         {
987                                 str++;
988                                 if (*str != '"')
989                                         break;
990                         }
991                 }
992                 else if (isspace(*str) || *str == ')' || *str == '"' || *str == '\0')
993                         break;
994
995                 appendStringInfoCharMacro(&buf, *str++);
996         }
997
998         if (buf.len == 0)
999         {
1000                 hint_ereport(str, ("Zero-length delimited string."));
1001
1002                 pfree(buf.data);
1003
1004                 return NULL;
1005         }
1006
1007         /* Truncate name if it's too long */
1008         if (truncate)
1009                 truncate_identifier(buf.data, strlen(buf.data), true);
1010
1011         *word = buf.data;
1012
1013         return str;
1014 }
1015
1016 static const char *
1017 parse_parentheses(const char *str, List **name_list, HintType type)
1018 {
1019         char   *name;
1020         bool    truncate = true;
1021
1022         if ((str = skip_parenthesis(str, '(')) == NULL)
1023                 return NULL;
1024
1025         skip_space(str);
1026
1027         /* Store words in parentheses into name_list. */
1028         while(*str != ')' && *str != '\0')
1029         {
1030                 if ((str = parse_quote_value(str, &name, truncate)) == NULL)
1031                 {
1032                         list_free(*name_list);
1033                         return NULL;
1034                 }
1035
1036                 *name_list = lappend(*name_list, name);
1037                 skip_space(str);
1038
1039                 if (type == HINT_TYPE_SET)
1040                 {
1041                         truncate = false;
1042                 }
1043         }
1044
1045         if ((str = skip_parenthesis(str, ')')) == NULL)
1046                 return NULL;
1047         return str;
1048 }
1049
1050 static void
1051 parse_hints(HintState *hstate, Query *parse, const char *str)
1052 {
1053         StringInfoData  buf;
1054         char               *head;
1055
1056         initStringInfo(&buf);
1057         while (*str != '\0')
1058         {
1059                 const HintParser *parser;
1060
1061                 /* in error message, we output the comment including the keyword. */
1062                 head = (char *) str;
1063
1064                 /* parse only the keyword of the hint. */
1065                 resetStringInfo(&buf);
1066                 str = parse_keyword(str, &buf);
1067
1068                 for (parser = parsers; parser->keyword != NULL; parser++)
1069                 {
1070                         char   *keyword = parser->keyword;
1071                         Hint   *hint;
1072
1073                         if (strcasecmp(buf.data, keyword) != 0)
1074                                 continue;
1075
1076                         hint = parser->create_func(head, keyword, parser->hint_keyword);
1077
1078                         /* parser of each hint does parse in a parenthesis. */
1079                         if ((str = hint->parse_func(hint, hstate, parse, str)) == NULL)
1080                         {
1081                                 hint->delete_func(hint);
1082                                 pfree(buf.data);
1083                                 return;
1084                         }
1085
1086                         /*
1087                          * Add hint information into all_hints array.  If we don't have
1088                          * enough space, double the array.
1089                          */
1090                         if (hstate->nall_hints == 0)
1091                         {
1092                                 hstate->max_all_hints = HINT_ARRAY_DEFAULT_INITSIZE;
1093                                 hstate->all_hints = (Hint **)
1094                                         palloc(sizeof(Hint *) * hstate->max_all_hints);
1095                         }
1096                         else if (hstate->nall_hints == hstate->max_all_hints)
1097                         {
1098                                 hstate->max_all_hints *= 2;
1099                                 hstate->all_hints = (Hint **)
1100                                         repalloc(hstate->all_hints,
1101                                                          sizeof(Hint *) * hstate->max_all_hints);
1102                         }
1103
1104                         hstate->all_hints[hstate->nall_hints] = hint;
1105                         hstate->nall_hints++;
1106
1107                         skip_space(str);
1108
1109                         break;
1110                 }
1111
1112                 if (parser->keyword == NULL)
1113                 {
1114                         hint_ereport(head,
1115                                                  ("Unrecognized hint keyword \"%s\".", buf.data));
1116                         pfree(buf.data);
1117                         return;
1118                 }
1119         }
1120
1121         pfree(buf.data);
1122 }
1123
1124 /*
1125  * Do basic parsing of the query head comment.
1126  */
1127 static HintState *
1128 parse_head_comment(Query *parse)
1129 {
1130         const char *p;
1131         char       *head;
1132         char       *tail;
1133         int                     len;
1134         int                     i;
1135         HintState   *hstate;
1136
1137         /* get client-supplied query string. */
1138         if (stmt_name)
1139         {
1140                 PreparedStatement  *entry;
1141
1142                 entry = FetchPreparedStatement(stmt_name, true);
1143                 p = entry->plansource->query_string;
1144         }
1145         else
1146                 p = debug_query_string;
1147
1148         if (p == NULL)
1149                 return NULL;
1150
1151         /* extract query head comment. */
1152         len = strlen(HINT_START);
1153         skip_space(p);
1154         if (strncmp(p, HINT_START, len))
1155                 return NULL;
1156
1157         head = (char *) p;
1158         p += len;
1159         skip_space(p);
1160
1161         /* find hint end keyword. */
1162         if ((tail = strstr(p, HINT_END)) == NULL)
1163         {
1164                 hint_ereport(head, ("Unterminated block comment."));
1165                 return NULL;
1166         }
1167
1168         /* We don't support nested block comments. */
1169         if ((head = strstr(p, BLOCK_COMMENT_START)) != NULL && head < tail)
1170         {
1171                 hint_ereport(head, ("Nested block comments are not supported."));
1172                 return NULL;
1173         }
1174
1175         /* Make a copy of hint. */
1176         len = tail - p;
1177         head = palloc(len + 1);
1178         memcpy(head, p, len);
1179         head[len] = '\0';
1180         p = head;
1181
1182         hstate = HintStateCreate();
1183         hstate->hint_str = head;
1184
1185         /* parse each hint. */
1186         parse_hints(hstate, parse, p);
1187
1188         /* When nothing specified a hint, we free HintState and returns NULL. */
1189         if (hstate->nall_hints == 0)
1190         {
1191                 HintStateDelete(hstate);
1192                 return NULL;
1193         }
1194
1195         /* Sort hints in order of original position. */
1196         qsort(hstate->all_hints, hstate->nall_hints, sizeof(Hint *),
1197                   HintCmpWithPos);
1198
1199         /* Count number of hints per hint-type. */
1200         for (i = 0; i < hstate->nall_hints; i++)
1201         {
1202                 Hint   *cur_hint = hstate->all_hints[i];
1203                 hstate->num_hints[cur_hint->type]++;
1204         }
1205
1206         /*
1207          * If an object (or a set of objects) has multiple hints of same hint-type,
1208          * only the last hint is valid and others are igonred in planning.
1209          * Hints except the last are marked as 'duplicated' to remember the order.
1210          */
1211         for (i = 0; i < hstate->nall_hints - 1; i++)
1212         {
1213                 Hint   *cur_hint = hstate->all_hints[i];
1214                 Hint   *next_hint = hstate->all_hints[i + 1];
1215
1216                 /*
1217                  * Note that we need to pass addresses of hint pointers, because
1218                  * HintCmp is designed to sort array of Hint* by qsort.
1219                  */
1220                 if (HintCmp(&cur_hint, &next_hint) == 0)
1221                 {
1222                         hint_ereport(cur_hint->hint_str,
1223                                                  ("Conflict %s hint.", HintTypeName[cur_hint->type]));
1224                         cur_hint->state = HINT_STATE_DUPLICATION;
1225                 }
1226         }
1227
1228         /*
1229          * Make sure that per-type array pointers point proper position in the
1230          * array which consists of all hints.
1231          */
1232         hstate->scan_hints = (ScanMethodHint **) hstate->all_hints;
1233         hstate->join_hints = (JoinMethodHint **) hstate->all_hints +
1234                 hstate->num_hints[HINT_TYPE_SCAN_METHOD];
1235         hstate->leading_hint = (LeadingHint *) hstate->all_hints[
1236                 hstate->num_hints[HINT_TYPE_SCAN_METHOD] +
1237                 hstate->num_hints[HINT_TYPE_JOIN_METHOD] +
1238                 hstate->num_hints[HINT_TYPE_LEADING] - 1];
1239         hstate->set_hints = (SetHint **) hstate->all_hints +
1240                 hstate->num_hints[HINT_TYPE_SCAN_METHOD] +
1241                 hstate->num_hints[HINT_TYPE_JOIN_METHOD] +
1242                 hstate->num_hints[HINT_TYPE_LEADING];
1243
1244         return hstate;
1245 }
1246
1247 /*
1248  * Parse inside of parentheses of scan-method hints.
1249  */
1250 static const char *
1251 ScanMethodHintParse(ScanMethodHint *hint, HintState *hstate, Query *parse,
1252                                         const char *str)
1253 {
1254         const char         *keyword = hint->base.keyword;
1255         HintKeyword             hint_keyword = hint->base.hint_keyword;
1256         List               *name_list = NIL;
1257         int                             length;
1258
1259         if ((str = parse_parentheses(str, &name_list, hint->base.type)) == NULL)
1260                 return NULL;
1261
1262         /* Parse relation name and index name(s) if given hint accepts. */
1263         length = list_length(name_list);
1264         if (length > 0)
1265         {
1266                 hint->relname = linitial(name_list);
1267                 hint->indexnames = list_delete_first(name_list);
1268
1269                 /* check whether the hint accepts index name(s). */
1270                 if (hint_keyword != HINT_KEYWORD_INDEXSCAN &&
1271 #if PG_VERSION_NUM >= 90200
1272                         hint_keyword != HINT_KEYWORD_INDEXONLYSCAN &&
1273 #endif
1274                         hint_keyword != HINT_KEYWORD_BITMAPSCAN &&
1275                         length != 1)
1276                 {
1277                         hint_ereport(str,
1278                                                  ("%s hint accepts only one relation.",
1279                                                   hint->base.keyword));
1280                         hint->base.state = HINT_STATE_ERROR;
1281                         return str;
1282                 }
1283         }
1284         else
1285         {
1286                 hint_ereport(str,
1287                                          ("%s hint requires a relation.",
1288                                           hint->base.keyword));
1289                 hint->base.state = HINT_STATE_ERROR;
1290                 return str;
1291         }
1292
1293         /* Set a bit for specified hint. */
1294         switch (hint_keyword)
1295         {
1296                 case HINT_KEYWORD_SEQSCAN:
1297                         hint->enforce_mask = ENABLE_SEQSCAN;
1298                         break;
1299                 case HINT_KEYWORD_INDEXSCAN:
1300                         hint->enforce_mask = ENABLE_INDEXSCAN;
1301                         break;
1302                 case HINT_KEYWORD_BITMAPSCAN:
1303                         hint->enforce_mask = ENABLE_BITMAPSCAN;
1304                         break;
1305                 case HINT_KEYWORD_TIDSCAN:
1306                         hint->enforce_mask = ENABLE_TIDSCAN;
1307                         break;
1308                 case HINT_KEYWORD_NOSEQSCAN:
1309                         hint->enforce_mask = ENABLE_ALL_SCAN ^ ENABLE_SEQSCAN;
1310                         break;
1311                 case HINT_KEYWORD_NOINDEXSCAN:
1312                         hint->enforce_mask = ENABLE_ALL_SCAN ^ ENABLE_INDEXSCAN;
1313                         break;
1314                 case HINT_KEYWORD_NOBITMAPSCAN:
1315                         hint->enforce_mask = ENABLE_ALL_SCAN ^ ENABLE_BITMAPSCAN;
1316                         break;
1317                 case HINT_KEYWORD_NOTIDSCAN:
1318                         hint->enforce_mask = ENABLE_ALL_SCAN ^ ENABLE_TIDSCAN;
1319                         break;
1320 #if PG_VERSION_NUM >= 90200
1321                 case HINT_KEYWORD_INDEXONLYSCAN:
1322                         hint->enforce_mask = ENABLE_INDEXSCAN | ENABLE_INDEXONLYSCAN;
1323                         break;
1324                 case HINT_KEYWORD_NOINDEXONLYSCAN:
1325                         hint->enforce_mask = ENABLE_ALL_SCAN ^ ENABLE_INDEXONLYSCAN;
1326                         break;
1327 #endif
1328                 default:
1329                         hint_ereport(str, ("Unrecognized hint keyword \"%s\".", keyword));
1330                         return NULL;
1331                         break;
1332         }
1333
1334         return str;
1335 }
1336
1337 static const char *
1338 JoinMethodHintParse(JoinMethodHint *hint, HintState *hstate, Query *parse,
1339                                         const char *str)
1340 {
1341         const char         *keyword = hint->base.keyword;
1342         HintKeyword             hint_keyword = hint->base.hint_keyword;
1343         List               *name_list = NIL;
1344
1345         if ((str = parse_parentheses(str, &name_list, hint->base.type)) == NULL)
1346                 return NULL;
1347
1348         hint->nrels = list_length(name_list);
1349
1350         if (hint->nrels > 0)
1351         {
1352                 ListCell   *l;
1353                 int                     i = 0;
1354
1355                 /*
1356                  * Transform relation names from list to array to sort them with qsort
1357                  * after.
1358                  */
1359                 hint->relnames = palloc(sizeof(char *) * hint->nrels);
1360                 foreach (l, name_list)
1361                 {
1362                         hint->relnames[i] = lfirst(l);
1363                         i++;
1364                 }
1365         }
1366
1367         list_free(name_list);
1368
1369         /* A join hint requires at least two relations */
1370         if (hint->nrels < 2)
1371         {
1372                 hint_ereport(str,
1373                                          ("%s hint requires at least two relations.",
1374                                           hint->base.keyword));
1375                 hint->base.state = HINT_STATE_ERROR;
1376                 return str;
1377         }
1378
1379         /* Sort hints in alphabetical order of relation names. */
1380         qsort(hint->relnames, hint->nrels, sizeof(char *), RelnameCmp);
1381
1382         switch (hint_keyword)
1383         {
1384                 case HINT_KEYWORD_NESTLOOP:
1385                         hint->enforce_mask = ENABLE_NESTLOOP;
1386                         break;
1387                 case HINT_KEYWORD_MERGEJOIN:
1388                         hint->enforce_mask = ENABLE_MERGEJOIN;
1389                         break;
1390                 case HINT_KEYWORD_HASHJOIN:
1391                         hint->enforce_mask = ENABLE_HASHJOIN;
1392                         break;
1393                 case HINT_KEYWORD_NONESTLOOP:
1394                         hint->enforce_mask = ENABLE_ALL_JOIN ^ ENABLE_NESTLOOP;
1395                         break;
1396                 case HINT_KEYWORD_NOMERGEJOIN:
1397                         hint->enforce_mask = ENABLE_ALL_JOIN ^ ENABLE_MERGEJOIN;
1398                         break;
1399                 case HINT_KEYWORD_NOHASHJOIN:
1400                         hint->enforce_mask = ENABLE_ALL_JOIN ^ ENABLE_HASHJOIN;
1401                         break;
1402                 default:
1403                         hint_ereport(str, ("Unrecognized hint keyword \"%s\".", keyword));
1404                         return NULL;
1405                         break;
1406         }
1407
1408         return str;
1409 }
1410
1411 static const char *
1412 LeadingHintParse(LeadingHint *hint, HintState *hstate, Query *parse,
1413                                  const char *str)
1414 {
1415         List   *name_list = NIL;
1416
1417         if ((str = parse_parentheses(str, &name_list, hint->base.type)) == NULL)
1418                 return NULL;
1419
1420         hint->relations = name_list;
1421
1422         /* A Leading hint requires at least two relations */
1423         if (list_length(hint->relations) < 2)
1424         {
1425                 hint_ereport(hint->base.hint_str,
1426                                          ("%s hint requires at least two relations.",
1427                                           HINT_LEADING));
1428                 hint->base.state = HINT_STATE_ERROR;
1429         }
1430
1431         return str;
1432 }
1433
1434 static const char *
1435 SetHintParse(SetHint *hint, HintState *hstate, Query *parse, const char *str)
1436 {
1437         List   *name_list = NIL;
1438
1439         if ((str = parse_parentheses(str, &name_list, hint->base.type)) == NULL)
1440                 return NULL;
1441
1442         hint->words = name_list;
1443
1444         /* We need both name and value to set GUC parameter. */
1445         if (list_length(name_list) == 2)
1446         {
1447                 hint->name = linitial(name_list);
1448                 hint->value = lsecond(name_list);
1449         }
1450         else
1451         {
1452                 hint_ereport(hint->base.hint_str,
1453                                          ("%s hint requires name and value of GUC parameter.",
1454                                           HINT_SET));
1455                 hint->base.state = HINT_STATE_ERROR;
1456         }
1457
1458         return str;
1459 }
1460
1461 /*
1462  * set GUC parameter functions
1463  */
1464
1465 static int
1466 set_config_option_wrapper(const char *name, const char *value,
1467                                                   GucContext context, GucSource source,
1468                                                   GucAction action, bool changeVal, int elevel)
1469 {
1470         int                             result = 0;
1471         MemoryContext   ccxt = CurrentMemoryContext;
1472
1473         PG_TRY();
1474         {
1475 #if PG_VERSION_NUM >= 90200
1476                 result = set_config_option(name, value, context, source,
1477                                                                    action, changeVal, 0);
1478 #else
1479                 result = set_config_option(name, value, context, source,
1480                                                                    action, changeVal);
1481 #endif
1482         }
1483         PG_CATCH();
1484         {
1485                 ErrorData          *errdata;
1486
1487                 /* Save error info */
1488                 MemoryContextSwitchTo(ccxt);
1489                 errdata = CopyErrorData();
1490                 FlushErrorState();
1491
1492                 ereport(elevel, (errcode(errdata->sqlerrcode),
1493                                 errmsg("%s", errdata->message),
1494                                 errdata->detail ? errdetail("%s", errdata->detail) : 0,
1495                                 errdata->hint ? errhint("%s", errdata->hint) : 0));
1496                 FreeErrorData(errdata);
1497         }
1498         PG_END_TRY();
1499
1500         return result;
1501 }
1502
1503 static int
1504 set_config_options(SetHint **options, int noptions, GucContext context)
1505 {
1506         int     i;
1507         int     save_nestlevel;
1508
1509         save_nestlevel = NewGUCNestLevel();
1510
1511         for (i = 0; i < noptions; i++)
1512         {
1513                 SetHint    *hint = options[i];
1514                 int                     result;
1515
1516                 if (!hint_state_enabled(hint))
1517                         continue;
1518
1519                 result = set_config_option_wrapper(hint->name, hint->value, context,
1520                                                                                    PGC_S_SESSION, GUC_ACTION_SAVE, true,
1521                                                                                    pg_hint_plan_parse_messages);
1522                 if (result != 0)
1523                         hint->base.state = HINT_STATE_USED;
1524                 else
1525                         hint->base.state = HINT_STATE_ERROR;
1526         }
1527
1528         return save_nestlevel;
1529 }
1530
1531 #define SET_CONFIG_OPTION(name, type_bits) \
1532         set_config_option_wrapper((name), \
1533                 (mask & (type_bits)) ? "true" : "false", \
1534                 context, PGC_S_SESSION, GUC_ACTION_SAVE, true, ERROR)
1535
1536 static void
1537 set_scan_config_options(unsigned char enforce_mask, GucContext context)
1538 {
1539         unsigned char   mask;
1540
1541         if (enforce_mask == ENABLE_SEQSCAN || enforce_mask == ENABLE_INDEXSCAN ||
1542                 enforce_mask == ENABLE_BITMAPSCAN || enforce_mask == ENABLE_TIDSCAN
1543 #if PG_VERSION_NUM >= 90200
1544                 || enforce_mask == (ENABLE_INDEXSCAN | ENABLE_INDEXONLYSCAN)
1545 #endif
1546                 )
1547                 mask = enforce_mask;
1548         else
1549                 mask = enforce_mask & current_hint->init_scan_mask;
1550
1551         SET_CONFIG_OPTION("enable_seqscan", ENABLE_SEQSCAN);
1552         SET_CONFIG_OPTION("enable_indexscan", ENABLE_INDEXSCAN);
1553         SET_CONFIG_OPTION("enable_bitmapscan", ENABLE_BITMAPSCAN);
1554         SET_CONFIG_OPTION("enable_tidscan", ENABLE_TIDSCAN);
1555 #if PG_VERSION_NUM >= 90200
1556         SET_CONFIG_OPTION("enable_indexonlyscan", ENABLE_INDEXONLYSCAN);
1557 #endif
1558 }
1559
1560 static void
1561 set_join_config_options(unsigned char enforce_mask, GucContext context)
1562 {
1563         unsigned char   mask;
1564
1565         if (enforce_mask == ENABLE_NESTLOOP || enforce_mask == ENABLE_MERGEJOIN ||
1566                 enforce_mask == ENABLE_HASHJOIN)
1567                 mask = enforce_mask;
1568         else
1569                 mask = enforce_mask & current_hint->init_join_mask;
1570
1571         SET_CONFIG_OPTION("enable_nestloop", ENABLE_NESTLOOP);
1572         SET_CONFIG_OPTION("enable_mergejoin", ENABLE_MERGEJOIN);
1573         SET_CONFIG_OPTION("enable_hashjoin", ENABLE_HASHJOIN);
1574 }
1575
1576 /*
1577  * pg_hint_plan hook functions
1578  */
1579
1580 static void
1581 pg_hint_plan_ProcessUtility(Node *parsetree, const char *queryString,
1582                                                         ParamListInfo params, bool isTopLevel,
1583                                                         DestReceiver *dest, char *completionTag)
1584 {
1585         Node                               *node;
1586
1587         if (!pg_hint_plan_enable_hint)
1588         {
1589                 if (prev_ProcessUtility)
1590                         (*prev_ProcessUtility) (parsetree, queryString, params,
1591                                                                         isTopLevel, dest, completionTag);
1592                 else
1593                         standard_ProcessUtility(parsetree, queryString, params,
1594                                                                         isTopLevel, dest, completionTag);
1595
1596                 return;
1597         }
1598
1599         node = parsetree;
1600         if (IsA(node, ExplainStmt))
1601         {
1602                 /*
1603                  * Draw out parse tree of actual query from Query struct of EXPLAIN
1604                  * statement.
1605                  */
1606                 ExplainStmt        *stmt;
1607                 Query              *query;
1608
1609                 stmt = (ExplainStmt *) node;
1610
1611                 Assert(IsA(stmt->query, Query));
1612                 query = (Query *) stmt->query;
1613
1614                 if (query->commandType == CMD_UTILITY && query->utilityStmt != NULL)
1615                         node = query->utilityStmt;
1616         }
1617
1618         /*
1619          * If the query was a EXECUTE or CREATE TABLE AS EXECUTE, get query string
1620          * specified to preceding PREPARE command to use it as source of hints.
1621          */
1622         if (IsA(node, ExecuteStmt))
1623         {
1624                 ExecuteStmt        *stmt;
1625
1626                 stmt = (ExecuteStmt *) node;
1627                 stmt_name = stmt->name;
1628         }
1629 #if PG_VERSION_NUM >= 90200
1630         /*
1631          * CREATE AS EXECUTE behavior has changed since 9.2, so we must handle it
1632          * specially here.
1633          */
1634         if (IsA(node, CreateTableAsStmt))
1635         {
1636                 CreateTableAsStmt          *stmt;
1637                 Query              *query;
1638
1639                 stmt = (CreateTableAsStmt *) node;
1640                 Assert(IsA(stmt->query, Query));
1641                 query = (Query *) stmt->query;
1642
1643                 if (query->commandType == CMD_UTILITY &&
1644                         IsA(query->utilityStmt, ExecuteStmt))
1645                 {
1646                         ExecuteStmt *estmt = (ExecuteStmt *) query->utilityStmt;
1647                         stmt_name = estmt->name;
1648                 }
1649         }
1650 #endif
1651         if (stmt_name)
1652         {
1653                 PG_TRY();
1654                 {
1655                         if (prev_ProcessUtility)
1656                                 (*prev_ProcessUtility) (parsetree, queryString, params,
1657                                                                                 isTopLevel, dest, completionTag);
1658                         else
1659                                 standard_ProcessUtility(parsetree, queryString, params,
1660                                                                                 isTopLevel, dest, completionTag);
1661                 }
1662                 PG_CATCH();
1663                 {
1664                         stmt_name = NULL;
1665                         PG_RE_THROW();
1666                 }
1667                 PG_END_TRY();
1668
1669                 stmt_name = NULL;
1670
1671                 return;
1672         }
1673
1674         if (prev_ProcessUtility)
1675                 (*prev_ProcessUtility) (parsetree, queryString, params,
1676                                                                 isTopLevel, dest, completionTag);
1677         else
1678                 standard_ProcessUtility(parsetree, queryString, params,
1679                                                                 isTopLevel, dest, completionTag);
1680 }
1681
1682 /*
1683  * Push a hint into hint stack which is implemented with List struct.  Head of
1684  * list is top of stack.
1685  */
1686 static void
1687 push_hint(HintState *hstate)
1688 {
1689         /* Prepend new hint to the list means pushing to stack. */
1690         HintStateStack = lcons(hstate, HintStateStack);
1691
1692         /* Pushed hint is the one which should be used hereafter. */
1693         current_hint = hstate;
1694 }
1695
1696 /* Pop a hint from hint stack.  Popped hint is automatically discarded. */
1697 static void
1698 pop_hint(void)
1699 {
1700         /* Hint stack must not be empty. */
1701         if(HintStateStack == NIL)
1702                 elog(ERROR, "hint stack is empty");
1703
1704         /*
1705          * Take a hint at the head from the list, and free it.  Switch current_hint
1706          * to point new head (NULL if the list is empty).
1707          */
1708         HintStateStack = list_delete_first(HintStateStack);
1709         HintStateDelete(current_hint);
1710         if(HintStateStack == NIL)
1711                 current_hint = NULL;
1712         else
1713                 current_hint = (HintState *) lfirst(list_head(HintStateStack));
1714 }
1715
1716 static PlannedStmt *
1717 pg_hint_plan_planner(Query *parse, int cursorOptions, ParamListInfo boundParams)
1718 {
1719         int                             save_nestlevel;
1720         PlannedStmt        *result;
1721         HintState          *hstate;
1722
1723         /*
1724          * Use standard planner if pg_hint_plan is disabled.  Other hook functions
1725          * try to change plan with current_hint if any, so set it to NULL.
1726          */
1727         if (!pg_hint_plan_enable_hint)
1728         {
1729                 current_hint = NULL;
1730
1731                 if (prev_planner)
1732                         return (*prev_planner) (parse, cursorOptions, boundParams);
1733                 else
1734                         return standard_planner(parse, cursorOptions, boundParams);
1735         }
1736
1737         /* Create hint struct from parse tree. */
1738         hstate = parse_head_comment(parse);
1739
1740         /*
1741          * Use standard planner if the statement has not valid hint.  Other hook
1742          * functions try to change plan with current_hint if any, so set it to
1743          * NULL.
1744          */
1745         if (!hstate)
1746         {
1747                 current_hint = NULL;
1748
1749                 if (prev_planner)
1750                         return (*prev_planner) (parse, cursorOptions, boundParams);
1751                 else
1752                         return standard_planner(parse, cursorOptions, boundParams);
1753         }
1754
1755         /*
1756          * Push new hint struct to the hint stack to disable previous hint context.
1757          */
1758         push_hint(hstate);
1759
1760         /* Set GUC parameters which are specified with Set hint. */
1761         save_nestlevel = set_config_options(current_hint->set_hints,
1762                                                                                 current_hint->num_hints[HINT_TYPE_SET],
1763                                                                                 current_hint->context);
1764
1765         if (enable_seqscan)
1766                 current_hint->init_scan_mask |= ENABLE_SEQSCAN;
1767         if (enable_indexscan)
1768                 current_hint->init_scan_mask |= ENABLE_INDEXSCAN;
1769         if (enable_bitmapscan)
1770                 current_hint->init_scan_mask |= ENABLE_BITMAPSCAN;
1771         if (enable_tidscan)
1772                 current_hint->init_scan_mask |= ENABLE_TIDSCAN;
1773 #if PG_VERSION_NUM >= 90200
1774         if (enable_indexonlyscan)
1775                 current_hint->init_scan_mask |= ENABLE_INDEXONLYSCAN;
1776 #endif
1777         if (enable_nestloop)
1778                 current_hint->init_join_mask |= ENABLE_NESTLOOP;
1779         if (enable_mergejoin)
1780                 current_hint->init_join_mask |= ENABLE_MERGEJOIN;
1781         if (enable_hashjoin)
1782                 current_hint->init_join_mask |= ENABLE_HASHJOIN;
1783
1784         /*
1785          * Use PG_TRY mechanism to recover GUC parameters and current_hint to the
1786          * state when this planner started when error occurred in planner.
1787          */
1788         PG_TRY();
1789         {
1790                 if (prev_planner)
1791                         result = (*prev_planner) (parse, cursorOptions, boundParams);
1792                 else
1793                         result = standard_planner(parse, cursorOptions, boundParams);
1794         }
1795         PG_CATCH();
1796         {
1797                 /*
1798                  * Rollback changes of GUC parameters, and pop current hint context
1799                  * from hint stack to rewind the state.
1800                  */
1801                 AtEOXact_GUC(true, save_nestlevel);
1802                 pop_hint();
1803                 PG_RE_THROW();
1804         }
1805         PG_END_TRY();
1806
1807         /* Print hint in debug mode. */
1808         if (pg_hint_plan_debug_print)
1809                 HintStateDump(current_hint);
1810
1811         /*
1812          * Rollback changes of GUC parameters, and pop current hint context from
1813          * hint stack to rewind the state.
1814          */
1815         AtEOXact_GUC(true, save_nestlevel);
1816         pop_hint();
1817
1818         return result;
1819 }
1820
1821 /*
1822  * Return scan method hint which matches given aliasname.
1823  */
1824 static ScanMethodHint *
1825 find_scan_hint(PlannerInfo *root, RelOptInfo *rel)
1826 {
1827         RangeTblEntry  *rte;
1828         int                             i;
1829
1830         /*
1831          * We can't apply scan method hint if the relation is:
1832          *   - not a base relation
1833          *   - not an ordinary relation (such as join and subquery)
1834          */
1835         if (rel->reloptkind != RELOPT_BASEREL || rel->rtekind != RTE_RELATION)
1836                 return NULL;
1837
1838         rte = root->simple_rte_array[rel->relid];
1839
1840         /* We can't force scan method of foreign tables */
1841         if (rte->relkind == RELKIND_FOREIGN_TABLE)
1842                 return NULL;
1843
1844         /* Find scan method hint, which matches given names, from the list. */
1845         for (i = 0; i < current_hint->num_hints[HINT_TYPE_SCAN_METHOD]; i++)
1846         {
1847                 ScanMethodHint *hint = current_hint->scan_hints[i];
1848
1849                 /* We ignore disabled hints. */
1850                 if (!hint_state_enabled(hint))
1851                         continue;
1852
1853                 if (RelnameCmp(&rte->eref->aliasname, &hint->relname) == 0)
1854                         return hint;
1855         }
1856
1857         return NULL;
1858 }
1859
1860 static void
1861 delete_indexes(ScanMethodHint *hint, RelOptInfo *rel, Oid relationObjectId)
1862 {
1863         ListCell           *cell;
1864         ListCell           *prev;
1865         ListCell           *next;
1866         char               *relname = NULL;
1867         StringInfoData  buf;
1868
1869         /*
1870          * We delete all the IndexOptInfo list and prevent you from being usable by
1871          * a scan.
1872          */
1873         if (hint->enforce_mask == ENABLE_SEQSCAN ||
1874                 hint->enforce_mask == ENABLE_TIDSCAN)
1875         {
1876                 list_free_deep(rel->indexlist);
1877                 rel->indexlist = NIL;
1878                 hint->base.state = HINT_STATE_USED;
1879
1880                 return;
1881         }
1882
1883         /*
1884          * When a list of indexes is not specified, we just use all indexes.
1885          */
1886         if (hint->indexnames == NIL)
1887                 return;
1888
1889         /*
1890          * Leaving only an specified index, we delete it from a IndexOptInfo list
1891          * other than it.
1892          */
1893         prev = NULL;
1894         if (pg_hint_plan_debug_print)
1895                 initStringInfo(&buf);
1896
1897         for (cell = list_head(rel->indexlist); cell; cell = next)
1898         {
1899                 IndexOptInfo   *info = (IndexOptInfo *) lfirst(cell);
1900                 char               *indexname = get_rel_name(info->indexoid);
1901                 ListCell           *l;
1902                 bool                    use_index = false;
1903
1904                 next = lnext(cell);
1905
1906                 foreach(l, hint->indexnames)
1907                 {
1908                         if (RelnameCmp(&indexname, &lfirst(l)) == 0)
1909                         {
1910                                 use_index = true;
1911                                 if (pg_hint_plan_debug_print)
1912                                 {
1913                                         appendStringInfoCharMacro(&buf, ' ');
1914                                         dump_quote_value(&buf, indexname);
1915                                 }
1916
1917                                 break;
1918                         }
1919                 }
1920
1921                 if (!use_index)
1922                         rel->indexlist = list_delete_cell(rel->indexlist, cell, prev);
1923                 else
1924                         prev = cell;
1925
1926                 pfree(indexname);
1927         }
1928
1929         if (pg_hint_plan_debug_print)
1930         {
1931                 relname = get_rel_name(relationObjectId);
1932                 ereport(LOG,
1933                                 (errmsg("Candidate Index for \"%s\":%s",
1934                                  relname, buf.data)));
1935                 pfree(buf.data);
1936         }
1937 }
1938
1939 static void
1940 pg_hint_plan_get_relation_info(PlannerInfo *root, Oid relationObjectId,
1941                                                            bool inhparent, RelOptInfo *rel)
1942 {
1943         ScanMethodHint *hint;
1944
1945         if (prev_get_relation_info)
1946                 (*prev_get_relation_info) (root, relationObjectId, inhparent, rel);
1947
1948         /* Do nothing if we don't have valid hint in this context. */
1949         if (!current_hint)
1950                 return;
1951
1952         if (inhparent)
1953         {
1954                 /* store does relids of parent table. */
1955                 current_hint->parent_relid = rel->relid;
1956         }
1957         else if (current_hint->parent_relid != 0)
1958         {
1959                 /*
1960                  * We use the same GUC parameter if this table is the child table of a
1961                  * table called pg_hint_plan_get_relation_info just before that.
1962                  */
1963                 ListCell   *l;
1964
1965                 /* append_rel_list contains all append rels; ignore others */
1966                 foreach(l, root->append_rel_list)
1967                 {
1968                         AppendRelInfo *appinfo = (AppendRelInfo *) lfirst(l);
1969
1970                         /* This rel is child table. */
1971                         if (appinfo->parent_relid == current_hint->parent_relid &&
1972                                 appinfo->child_relid == rel->relid)
1973                         {
1974                                 if (current_hint->parent_hint)
1975                                         delete_indexes(current_hint->parent_hint, rel,
1976                                                                    relationObjectId);
1977
1978                                 return;
1979                         }
1980                 }
1981
1982                 /* This rel is not inherit table. */
1983                 current_hint->parent_relid = 0;
1984                 current_hint->parent_hint = NULL;
1985         }
1986
1987         /*
1988          * If scan method hint was given, reset GUC parameters which control
1989          * planner behavior about choosing scan methods.
1990          */
1991         if ((hint = find_scan_hint(root, rel)) == NULL)
1992         {
1993                 set_scan_config_options(current_hint->init_scan_mask,
1994                                                                 current_hint->context);
1995                 return;
1996         }
1997         set_scan_config_options(hint->enforce_mask, current_hint->context);
1998         hint->base.state = HINT_STATE_USED;
1999         if (inhparent)
2000                 current_hint->parent_hint = hint;
2001
2002         delete_indexes(hint, rel, relationObjectId);
2003 }
2004
2005 /*
2006  * Return index of relation which matches given aliasname, or 0 if not found.
2007  * If same aliasname was used multiple times in a query, return -1.
2008  */
2009 static int
2010 find_relid_aliasname(PlannerInfo *root, char *aliasname, List *initial_rels,
2011                                          const char *str)
2012 {
2013         int             i;
2014         Index   found = 0;
2015
2016         for (i = 1; i < root->simple_rel_array_size; i++)
2017         {
2018                 ListCell   *l;
2019
2020                 if (root->simple_rel_array[i] == NULL)
2021                         continue;
2022
2023                 Assert(i == root->simple_rel_array[i]->relid);
2024
2025                 if (RelnameCmp(&aliasname,
2026                                            &root->simple_rte_array[i]->eref->aliasname) != 0)
2027                         continue;
2028
2029                 foreach(l, initial_rels)
2030                 {
2031                         RelOptInfo *rel = (RelOptInfo *) lfirst(l);
2032
2033                         if (rel->reloptkind == RELOPT_BASEREL)
2034                         {
2035                                 if (rel->relid != i)
2036                                         continue;
2037                         }
2038                         else
2039                         {
2040                                 Assert(rel->reloptkind == RELOPT_JOINREL);
2041
2042                                 if (!bms_is_member(i, rel->relids))
2043                                         continue;
2044                         }
2045
2046                         if (found != 0)
2047                         {
2048                                 hint_ereport(str,
2049                                                          ("Relation name \"%s\" is ambiguous.",
2050                                                           aliasname));
2051                                 return -1;
2052                         }
2053
2054                         found = i;
2055                         break;
2056                 }
2057
2058         }
2059
2060         return found;
2061 }
2062
2063 /*
2064  * Return join hint which matches given joinrelids.
2065  */
2066 static JoinMethodHint *
2067 find_join_hint(Relids joinrelids)
2068 {
2069         List       *join_hint;
2070         ListCell   *l;
2071
2072         join_hint = current_hint->join_hint_level[bms_num_members(joinrelids)];
2073
2074         foreach(l, join_hint)
2075         {
2076                 JoinMethodHint *hint = (JoinMethodHint *) lfirst(l);
2077
2078                 if (bms_equal(joinrelids, hint->joinrelids))
2079                         return hint;
2080         }
2081
2082         return NULL;
2083 }
2084
2085 /*
2086  * Transform join method hint into handy form.
2087  *
2088  *   - create bitmap of relids from alias names, to make it easier to check
2089  *     whether a join path matches a join method hint.
2090  *   - add join method hints which are necessary to enforce join order
2091  *     specified by Leading hint
2092  */
2093 static void
2094 transform_join_hints(HintState *hstate, PlannerInfo *root, int nbaserel,
2095                 List *initial_rels, JoinMethodHint **join_method_hints)
2096 {
2097         int                             i;
2098         int                             relid;
2099         LeadingHint        *lhint;
2100         Relids                  joinrelids;
2101         int                             njoinrels;
2102         ListCell           *l;
2103
2104         /*
2105          * Create bitmap of relids from alias names for each join method hint.
2106          * Bitmaps are more handy than strings in join searching.
2107          */
2108         for (i = 0; i < hstate->num_hints[HINT_TYPE_JOIN_METHOD]; i++)
2109         {
2110                 JoinMethodHint *hint = hstate->join_hints[i];
2111                 int     j;
2112
2113                 if (!hint_state_enabled(hint) || hint->nrels > nbaserel)
2114                         continue;
2115
2116                 bms_free(hint->joinrelids);
2117                 hint->joinrelids = NULL;
2118                 relid = 0;
2119                 for (j = 0; j < hint->nrels; j++)
2120                 {
2121                         char   *relname = hint->relnames[j];
2122
2123                         relid = find_relid_aliasname(root, relname, initial_rels,
2124                                                                                  hint->base.hint_str);
2125
2126                         if (relid == -1)
2127                                 hint->base.state = HINT_STATE_ERROR;
2128
2129                         if (relid <= 0)
2130                                 break;
2131
2132                         if (bms_is_member(relid, hint->joinrelids))
2133                         {
2134                                 hint_ereport(hint->base.hint_str,
2135                                                          ("Relation name \"%s\" is duplicated.", relname));
2136                                 hint->base.state = HINT_STATE_ERROR;
2137                                 break;
2138                         }
2139
2140                         hint->joinrelids = bms_add_member(hint->joinrelids, relid);
2141                 }
2142
2143                 if (relid <= 0 || hint->base.state == HINT_STATE_ERROR)
2144                         continue;
2145
2146                 hstate->join_hint_level[hint->nrels] =
2147                         lappend(hstate->join_hint_level[hint->nrels], hint);
2148         }
2149
2150         /* Do nothing if no Leading hint was supplied. */
2151         if (hstate->num_hints[HINT_TYPE_LEADING] == 0)
2152                 return;
2153
2154         /* Do nothing if Leading hint is invalid. */
2155         lhint = hstate->leading_hint;
2156         if (!hint_state_enabled(lhint))
2157                 return;
2158
2159         /*
2160          * We need join method hints which fit specified join order in every join
2161          * level.  For example, Leading(A B C) virtually requires following join
2162          * method hints, if no join method hint supplied:
2163          *   - level 1: none
2164          *   - level 2: NestLoop(A B), MergeJoin(A B), HashJoin(A B)
2165          *   - level 3: NestLoop(A B C), MergeJoin(A B C), HashJoin(A B C)
2166          *
2167          * If we already have join method hint which fits specified join order in
2168          * that join level, we leave it as-is and don't add new hints.
2169          */
2170         joinrelids = NULL;
2171         njoinrels = 0;
2172         foreach(l, lhint->relations)
2173         {
2174                 char   *relname = (char *)lfirst(l);
2175                 JoinMethodHint *hint;
2176
2177                 /*
2178                  * Find relid of the relation which has given name.  If we have the
2179                  * name given in Leading hint multiple times in the join, nothing to
2180                  * do.
2181                  */
2182                 relid = find_relid_aliasname(root, relname, initial_rels,
2183                                                                          hstate->hint_str);
2184                 if (relid == -1)
2185                 {
2186                         bms_free(joinrelids);
2187                         return;
2188                 }
2189                 if (relid == 0)
2190                         continue;
2191
2192                 /* Found relid must not be in joinrelids. */
2193                 if (bms_is_member(relid, joinrelids))
2194                 {
2195                         hint_ereport(lhint->base.hint_str,
2196                                                  ("Relation name \"%s\" is duplicated.", relname));
2197                         lhint->base.state = HINT_STATE_ERROR;
2198                         bms_free(joinrelids);
2199                         return;
2200                 }
2201
2202                 /* Create bitmap of relids for current join level. */
2203                 joinrelids = bms_add_member(joinrelids, relid);
2204                 njoinrels++;
2205
2206                 /* We never have join method hint for single relation. */
2207                 if (njoinrels < 2)
2208                         continue;
2209
2210                 /*
2211                  * If we don't have join method hint, create new one for the
2212                  * join combination with all join methods are enabled.
2213                  */
2214                 hint = find_join_hint(joinrelids);
2215                 if (hint == NULL)
2216                 {
2217                         /*
2218                          * Here relnames is not set, since Relids bitmap is sufficient to
2219                          * control paths of this query afterward.
2220                          */
2221                         hint = (JoinMethodHint *) JoinMethodHintCreate(lhint->base.hint_str,
2222                                                                                                                    HINT_LEADING,
2223                                                                                                                   HINT_KEYWORD_LEADING);
2224                         hint->base.state = HINT_STATE_USED;
2225                         hint->nrels = njoinrels;
2226                         hint->enforce_mask = ENABLE_ALL_JOIN;
2227                         hint->joinrelids = bms_copy(joinrelids);
2228                 }
2229
2230                 join_method_hints[njoinrels] = hint;
2231
2232                 if (njoinrels >= nbaserel)
2233                         break;
2234         }
2235
2236         bms_free(joinrelids);
2237
2238         if (njoinrels < 2)
2239                 return;
2240
2241         /*
2242          * Delete all join hints which have different combination from Leading
2243          * hint.
2244          */
2245         for (i = 2; i <= njoinrels; i++)
2246         {
2247                 list_free(hstate->join_hint_level[i]);
2248
2249                 hstate->join_hint_level[i] = lappend(NIL, join_method_hints[i]);
2250         }
2251
2252         if (hint_state_enabled(lhint))
2253                 set_join_config_options(DISABLE_ALL_JOIN, current_hint->context);
2254
2255         lhint->base.state = HINT_STATE_USED;
2256
2257 }
2258
2259 /*
2260  * set_plain_rel_pathlist
2261  *        Build access paths for a plain relation (no subquery, no inheritance)
2262  *
2263  * This function was copied and edited from set_plain_rel_pathlist() in
2264  * src/backend/optimizer/path/allpaths.c
2265  */
2266 static void
2267 set_plain_rel_pathlist(PlannerInfo *root, RelOptInfo *rel, RangeTblEntry *rte)
2268 {
2269         /* Consider sequential scan */
2270 #if PG_VERSION_NUM >= 90200
2271         add_path(rel, create_seqscan_path(root, rel, NULL));
2272 #else
2273         add_path(rel, create_seqscan_path(root, rel));
2274 #endif
2275
2276         /* Consider index scans */
2277         create_index_paths(root, rel);
2278
2279         /* Consider TID scans */
2280         create_tidscan_paths(root, rel);
2281
2282         /* Now find the cheapest of the paths for this rel */
2283         set_cheapest(rel);
2284 }
2285
2286 static void
2287 rebuild_scan_path(HintState *hstate, PlannerInfo *root, int level,
2288                                   List *initial_rels)
2289 {
2290         ListCell   *l;
2291
2292         foreach(l, initial_rels)
2293         {
2294                 RelOptInfo         *rel = (RelOptInfo *) lfirst(l);
2295                 RangeTblEntry  *rte;
2296                 ScanMethodHint *hint;
2297
2298                 /* Skip relations which we can't choose scan method. */
2299                 if (rel->reloptkind != RELOPT_BASEREL || rel->rtekind != RTE_RELATION)
2300                         continue;
2301
2302                 rte = root->simple_rte_array[rel->relid];
2303
2304                 /* We can't force scan method of foreign tables */
2305                 if (rte->relkind == RELKIND_FOREIGN_TABLE)
2306                         continue;
2307
2308                 /*
2309                  * Create scan paths with GUC parameters which are at the beginning of
2310                  * planner if scan method hint is not specified, otherwise use
2311                  * specified hints and mark the hint as used.
2312                  */
2313                 if ((hint = find_scan_hint(root, rel)) == NULL)
2314                         set_scan_config_options(hstate->init_scan_mask,
2315                                                                         hstate->context);
2316                 else
2317                 {
2318                         set_scan_config_options(hint->enforce_mask, hstate->context);
2319                         hint->base.state = HINT_STATE_USED;
2320                 }
2321
2322                 list_free_deep(rel->pathlist);
2323                 rel->pathlist = NIL;
2324                 if (rte->inh)
2325                 {
2326                         /* It's an "append relation", process accordingly */
2327                         set_append_rel_pathlist(root, rel, rel->relid, rte);
2328                 }
2329                 else
2330                 {
2331                         set_plain_rel_pathlist(root, rel, rte);
2332                 }
2333         }
2334
2335         /*
2336          * Restore the GUC variables we set above.
2337          */
2338         set_scan_config_options(hstate->init_scan_mask, hstate->context);
2339 }
2340
2341 /*
2342  * wrapper of make_join_rel()
2343  *
2344  * call make_join_rel() after changing enable_* parameters according to given
2345  * hints.
2346  */
2347 static RelOptInfo *
2348 make_join_rel_wrapper(PlannerInfo *root, RelOptInfo *rel1, RelOptInfo *rel2)
2349 {
2350         Relids                  joinrelids;
2351         JoinMethodHint *hint;
2352         RelOptInfo         *rel;
2353         int                             save_nestlevel;
2354
2355         joinrelids = bms_union(rel1->relids, rel2->relids);
2356         hint = find_join_hint(joinrelids);
2357         bms_free(joinrelids);
2358
2359         if (!hint)
2360                 return pg_hint_plan_make_join_rel(root, rel1, rel2);
2361
2362         save_nestlevel = NewGUCNestLevel();
2363
2364         set_join_config_options(hint->enforce_mask, current_hint->context);
2365
2366         rel = pg_hint_plan_make_join_rel(root, rel1, rel2);
2367         hint->base.state = HINT_STATE_USED;
2368
2369         /*
2370          * Restore the GUC variables we set above.
2371          */
2372         AtEOXact_GUC(true, save_nestlevel);
2373
2374         return rel;
2375 }
2376
2377 static int
2378 get_num_baserels(List *initial_rels)
2379 {
2380         int                     nbaserel = 0;
2381         ListCell   *l;
2382
2383         foreach(l, initial_rels)
2384         {
2385                 RelOptInfo *rel = (RelOptInfo *) lfirst(l);
2386
2387                 if (rel->reloptkind == RELOPT_BASEREL)
2388                         nbaserel++;
2389                 else if (rel->reloptkind ==RELOPT_JOINREL)
2390                         nbaserel+= bms_num_members(rel->relids);
2391                 else
2392                 {
2393                         /* other values not expected here */
2394                         elog(ERROR, "unrecognized reloptkind type: %d", rel->reloptkind);
2395                 }
2396         }
2397
2398         return nbaserel;
2399 }
2400
2401 static RelOptInfo *
2402 pg_hint_plan_join_search(PlannerInfo *root, int levels_needed,
2403                                                  List *initial_rels)
2404 {
2405         JoinMethodHint **join_method_hints;
2406         int                     nbaserel;
2407         RelOptInfo *rel;
2408         int                     i;
2409
2410         /*
2411          * Use standard planner (or geqo planner) if pg_hint_plan is disabled or no
2412          * valid hint is supplied.
2413          */
2414         if (!current_hint)
2415         {
2416                 if (prev_join_search)
2417                         return (*prev_join_search) (root, levels_needed, initial_rels);
2418                 else if (enable_geqo && levels_needed >= geqo_threshold)
2419                         return geqo(root, levels_needed, initial_rels);
2420                 else
2421                         return standard_join_search(root, levels_needed, initial_rels);
2422         }
2423
2424         /* We apply scan method hint rebuild scan path. */
2425         rebuild_scan_path(current_hint, root, levels_needed, initial_rels);
2426
2427         /*
2428          * In the case using GEQO, only scan method hints and Set hints have
2429          * effect.  Join method and join order is not controllable by hints.
2430          */
2431         if (enable_geqo && levels_needed >= geqo_threshold)
2432                 return geqo(root, levels_needed, initial_rels);
2433
2434         nbaserel = get_num_baserels(initial_rels);
2435         current_hint->join_hint_level = palloc0(sizeof(List *) * (nbaserel + 1));
2436         join_method_hints = palloc0(sizeof(JoinMethodHint *) * (nbaserel + 1));
2437
2438         transform_join_hints(current_hint, root, nbaserel, initial_rels,
2439                                                  join_method_hints);
2440
2441         rel = pg_hint_plan_standard_join_search(root, levels_needed, initial_rels);
2442
2443         for (i = 2; i <= nbaserel; i++)
2444         {
2445                 list_free(current_hint->join_hint_level[i]);
2446
2447                 /* free Leading hint only */
2448                 if (join_method_hints[i] != NULL &&
2449                         join_method_hints[i]->enforce_mask == ENABLE_ALL_JOIN)
2450                         JoinMethodHintDelete(join_method_hints[i]);
2451         }
2452         pfree(current_hint->join_hint_level);
2453         pfree(join_method_hints);
2454
2455         if (current_hint->num_hints[HINT_TYPE_LEADING] > 0 &&
2456                 hint_state_enabled(current_hint->leading_hint))
2457                 set_join_config_options(current_hint->init_join_mask,
2458                                                                 current_hint->context);
2459
2460         return rel;
2461 }
2462
2463 /*
2464  * set_rel_pathlist
2465  *        Build access paths for a base relation
2466  *
2467  * This function was copied and edited from set_rel_pathlist() in
2468  * src/backend/optimizer/path/allpaths.c
2469  */
2470 static void
2471 set_rel_pathlist(PlannerInfo *root, RelOptInfo *rel,
2472                                  Index rti, RangeTblEntry *rte)
2473 {
2474 #if PG_VERSION_NUM >= 90200
2475         if (IS_DUMMY_REL(rel))
2476         {
2477                 /* We already proved the relation empty, so nothing more to do */
2478         }
2479         else if (rte->inh)
2480 #else
2481         if (rte->inh)
2482 #endif
2483         {
2484                 /* It's an "append relation", process accordingly */
2485                 set_append_rel_pathlist(root, rel, rti, rte);
2486         }
2487         else
2488         {
2489                 if (rel->rtekind == RTE_RELATION)
2490                 {
2491                         if (rte->relkind == RELKIND_RELATION)
2492                         {
2493                                 /* Plain relation */
2494                                 set_plain_rel_pathlist(root, rel, rte);
2495                         }
2496                         else
2497                                 elog(ERROR, "unexpected relkind: %c", rte->relkind);
2498                 }
2499                 else
2500                         elog(ERROR, "unexpected rtekind: %d", (int) rel->rtekind);
2501         }
2502 }
2503
2504 #define standard_join_search pg_hint_plan_standard_join_search
2505 #define join_search_one_level pg_hint_plan_join_search_one_level
2506 #define make_join_rel make_join_rel_wrapper
2507 #include "core.c"
2508
2509 #undef make_join_rel
2510 #define make_join_rel pg_hint_plan_make_join_rel
2511 #define add_paths_to_joinrel(root, joinrel, outerrel, innerrel, jointype, sjinfo, restrictlist) \
2512 do { \
2513         ScanMethodHint *hint = NULL; \
2514         if ((hint = find_scan_hint((root), (innerrel))) != NULL) \
2515         { \
2516                 set_scan_config_options(hint->enforce_mask, current_hint->context); \
2517                 hint->base.state = HINT_STATE_USED; \
2518         } \
2519         add_paths_to_joinrel((root), (joinrel), (outerrel), (innerrel), (jointype), (sjinfo), (restrictlist)); \
2520         if (hint != NULL) \
2521                 set_scan_config_options(current_hint->init_scan_mask, current_hint->context); \
2522 } while(0)
2523 #include "make_join_rel.c"