MySQL 8.4.0
Source Code Documentation
sql_optimizer.h
Go to the documentation of this file.
1#ifndef SQL_OPTIMIZER_INCLUDED
2#define SQL_OPTIMIZER_INCLUDED
3
4/* Copyright (c) 2000, 2024, Oracle and/or its affiliates.
5
6 This program is free software; you can redistribute it and/or modify
7 it under the terms of the GNU General Public License, version 2.0,
8 as published by the Free Software Foundation.
9
10 This program is designed to work with certain software (including
11 but not limited to OpenSSL) that is licensed under separate terms,
12 as designated in a particular file or component or in included license
13 documentation. The authors of MySQL hereby grant you an additional
14 permission to link the program and your derivative works with the
15 separately licensed software that they have either included with
16 the program or referenced in the documentation.
17
18 This program is distributed in the hope that it will be useful,
19 but WITHOUT ANY WARRANTY; without even the implied warranty of
20 MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
21 GNU General Public License, version 2.0, for more details.
22
23 You should have received a copy of the GNU General Public License
24 along with this program; if not, write to the Free Software
25 Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA */
26
27/**
28 @file sql/sql_optimizer.h
29 Classes used for query optimizations.
30*/
31
32#include <sys/types.h>
33
34#include <cstring>
35#include <memory>
36#include <utility>
37
38#include "field_types.h"
39#include "my_alloc.h"
40#include "my_base.h"
41#include "my_dbug.h"
42#include "my_table_map.h"
43#include "sql/field.h"
44#include "sql/item.h"
46#include "sql/mem_root_array.h"
47#include "sql/opt_explain_format.h" // Explain_sort_clause
48#include "sql/sql_executor.h"
49#include "sql/sql_lex.h"
50#include "sql/sql_list.h"
52#include "sql/sql_select.h" // Key_use
53#include "sql/table.h"
55
56enum class Subquery_strategy : int;
57class COND_EQUAL;
58class Item_subselect;
59class Item_sum;
61class THD;
62class Window;
63struct AccessPath;
64struct MYSQL_LOCK;
65
66class Item_equal;
67template <class T>
68class mem_root_deque;
69
70// Key_use has a trivial destructor, no need to run it from Mem_root_array.
72
74
75/*
76 This structure is used to collect info on potentially sargable
77 predicates in order to check whether they become sargable after
78 reading const tables.
79 We form a bitmap of indexes that can be used for sargable predicates.
80 Only such indexes are involved in range analysis.
81*/
82
84 Field *field; /* field against which to check sargability */
85 Item **arg_value; /* values of potential keys for lookups */
86 uint num_values; /* number of values in the above array */
87};
88
89/**
90 Wrapper for ORDER* pointer to trace origins of ORDER list
91
92 As far as ORDER is just a head object of ORDER expression
93 chain, we need some wrapper object to associate flags with
94 the whole ORDER list.
95*/
97 public:
98 ORDER *order; ///< ORDER expression that we are wrapping with this class
99 Explain_sort_clause src; ///< origin of order list
100
101 private:
102 int flags; ///< bitmap of Explain_sort_property
103 // Status of const condition removal from the ORDER Expression
105
106 public:
108
110 bool const_optimized_arg = false)
111 : order(order_arg),
112 src(src_arg),
113 flags(order_arg ? ESP_EXISTS : ESP_none),
114 m_const_optimized(const_optimized_arg) {}
115
116 bool empty() const { return order == nullptr; }
117
118 void clean() {
119 order = nullptr;
120 src = ESC_none;
121 flags = ESP_none;
122 m_const_optimized = false;
123 }
124
125 int get_flags() const {
126 assert(order);
127 return flags;
128 }
129
130 bool is_const_optimized() const { return m_const_optimized; }
131};
132
133class JOIN {
134 public:
135 JOIN(THD *thd_arg, Query_block *select);
136 JOIN(const JOIN &rhs) = delete;
137 JOIN &operator=(const JOIN &rhs) = delete;
138
139 /// Query expression referring this query block
142 }
143
144 /// Query block that is optimized and executed using this JOIN
146 /// Thread handler
147 THD *const thd;
148
149 /**
150 Optimal query execution plan. Initialized with a tentative plan in
151 JOIN::make_join_plan() and later replaced with the optimal plan in
152 get_best_combination().
153 */
155 /// Array of QEP_TABs
156 QEP_TAB *qep_tab{nullptr};
157
158 /**
159 Array of plan operators representing the current (partial) best
160 plan. The array is allocated in JOIN::make_join_plan() and is valid only
161 inside this function. Initially (*best_ref[i]) == join_tab[i].
162 The optimizer reorders best_ref.
163 */
164 JOIN_TAB **best_ref{nullptr};
165 /// mapping between table indexes and JOIN_TABs
166 JOIN_TAB **map2table{nullptr};
167 /*
168 The table which has an index that allows to produce the required ordering.
169 A special value of 0x1 means that the ordering will be produced by
170 passing 1st non-const table to filesort(). NULL means no such table exists.
171 */
173
174 // Temporary tables that need to be cleaned up after the query.
175 // Only used for the hypergraph optimizer; the non-hypergraph optimizer
176 // uses QEP_TABs to hold the list of tables (including temporary tables).
179
180 // Allocated on the MEM_ROOT, but can hold some objects
181 // that allocate on the heap and thus need destruction.
183 };
186
187 // Similarly, filesorts that need to be cleaned up after the query.
188 // Only used for the hypergraph optimizer, for the same reason as above.
190
191 /**
192 Before plan has been created, "tables" denote number of input tables in the
193 query block and "primary_tables" is equal to "tables".
194 After plan has been created (after JOIN::get_best_combination()),
195 the JOIN_TAB objects are enumerated as follows:
196 - "tables" gives the total number of allocated JOIN_TAB objects
197 - "primary_tables" gives the number of input tables, including
198 materialized temporary tables from semi-join operation.
199 - "const_tables" are those tables among primary_tables that are detected
200 to be constant.
201 - "tmp_tables" is 0, 1 or 2 (more if windows) and counts the maximum
202 possible number of intermediate tables in post-processing (ie sorting and
203 duplicate removal).
204 Later, tmp_tables will be adjusted to the correct number of
205 intermediate tables, @see JOIN::make_tmp_tables_info.
206 - The remaining tables (ie. tables - primary_tables - tmp_tables) are
207 input tables to materialized semi-join operations.
208 The tables are ordered as follows in the join_tab array:
209 1. const primary table
210 2. non-const primary tables
211 3. intermediate sort/group tables
212 4. possible holes in array
213 5. semi-joined tables used with materialization strategy
214 */
215 uint tables{0}; ///< Total number of tables in query block
216 uint primary_tables{0}; ///< Number of primary input tables in query block
217 uint const_tables{0}; ///< Number of primary tables deemed constant
218 uint tmp_tables{0}; ///< Number of temporary tables used by query
220 /**
221 Indicates that the data will be aggregated (typically GROUP BY),
222 _and_ that it is already processed in an order that is compatible with
223 the grouping in use (e.g. because we are scanning along an index,
224 or because an earlier step sorted the data in a group-compatible order).
225
226 Note that this flag changes value at multiple points during optimization;
227 if it's set when a temporary table is created, this means we aggregate
228 into said temporary table (end_write_group is chosen instead of end_write),
229 but if it's set later, it means that we can aggregate as we go,
230 just before sending the data to the client (end_send_group is chosen
231 instead of end_send).
232
233 @see make_group_fields, alloc_group_fields, JOIN::exec
234 */
236 /// If query contains GROUP BY clause
238 /// If true, send produced rows using query_result
239 bool do_send_rows{true};
240 /// Set of tables contained in query
242 table_map const_table_map; ///< Set of tables found to be const
243 /**
244 Const tables which are either:
245 - not empty
246 - empty but inner to a LEFT JOIN, thus "considered" not empty for the
247 rest of execution (a NULL-complemented row will be used).
248 */
250 /**
251 This is the bitmap of all tables which are dependencies of
252 lateral derived tables which are not (yet) part of the partial
253 plan. (The value is a logical 'or' of zero or more
254 Table_ref.map() values.)
255
256 When we are building the join order, there is a partial plan (an
257 ordered sequence of JOIN_TABs), and an unordered set of JOIN_TABs
258 not yet added to the plan. Due to backtracking, the partial plan
259 may both grow and shrink. When we add a new table to the plan, we
260 may wish to set up join buffering, so that rows from the preceding
261 table are buffered. If any of the remaining tables are derived
262 tables that depends on any of the predecessors of the table we
263 are adding (i.e. a lateral dependency), join buffering would be
264 inefficient. (@see setup_join_buffering() for a detailed
265 explanation of why this is so.)
266
267 For this reason we need to maintain this table_map of lateral
268 dependencies of tables not yet in the plan. Whenever we add a new
269 table to the plan, we update the map by calling
270 Optimize_table_order::recalculate_lateral_deps_incrementally().
271 And when we remove a table, we restore the previous map value
272 using a Tabel_map_restorer object.
273
274 As an example, assume that we join four tables, t1, t2, t3 and
275 d1, where d1 is a derived table that depends on t1:
276
277 SELECT * FROM t1 JOIN t2 ON t1.a=t2.b JOIN t3 ON t2.c=t3.d
278 JOIN LATERAL (SELECT DISTINCT e AS x FROM t4 WHERE t4.f=t1.c)
279 AS d1 ON t3.e=d1.x;
280
281 Now, if our partial plan is t1->t2, the map (of lateral
282 dependencies of the remaining tables) will contain t1.
283 This tells us that we should not use join buffering when joining t1
284 with t2. But if the partial plan is t1->d2->t2, the map will be
285 empty. We may thus use join buffering when joining d2 with t2.
286 */
288
289 /* Number of records produced after join + group operation */
294 // m_select_limit is used to decide if we are likely to scan the whole table.
296 /**
297 Used to fetch no more than given amount of rows per one
298 fetch operation of server side cursor.
299 The value is checked in end_send and end_send_group in fashion, similar
300 to offset_limit_cnt:
301 - fetch_limit= HA_POS_ERROR if there is no cursor.
302 - when we open a cursor, we set fetch_limit to 0,
303 - on each fetch iteration we add num_rows to fetch to fetch_limit
304 */
306
307 /**
308 This is the result of join optimization.
309
310 @note This is a scratch array, not used after get_best_combination().
311 */
313
314 /******* Join optimization state members start *******/
315
316 /* Current join optimization state */
318
319 /* We also maintain a stack of join optimization states in * join->positions[]
320 */
321 /******* Join optimization state members end *******/
322
323 /// A hook that secondary storage engines can use to override the executor
324 /// completely.
327
328 /**
329 The cost of best complete join plan found so far during optimization,
330 after optimization phase - cost of picked join order (not taking into
331 account the changes made by test_if_skip_sort_order()).
332 */
333 double best_read{0.0};
334 /**
335 The estimated row count of the plan with best read time (see above).
336 */
338 /// Expected cost of filesort.
339 double sort_cost{0.0};
340 /// Expected cost of windowing;
341 double windowing_cost{0.0};
345
346 // For destroying fields otherwise owned by RemoveDuplicatesIterator.
348
349 Item_sum **sum_funcs{nullptr};
350 /**
351 Describes a temporary table.
352 Each tmp table has its own tmp_table_param.
353 The one here is transiently used as a model by create_intermediate_table(),
354 to build the tmp table's own tmp_table_param.
355 */
358
359 enum class RollupState { NONE, INITED, READY };
361 bool implicit_grouping; ///< True if aggregated but no GROUP BY
362
363 /**
364 At construction time, set if SELECT DISTINCT. May be reset to false
365 later, when we set up a temporary table operation that deduplicates for us.
366 */
368
369 /**
370 If we have the GROUP BY statement in the query,
371 but the group_list was emptied by optimizer, this
372 flag is true.
373 It happens when fields in the GROUP BY are from
374 constant table
375 */
377
378 /*
379 simple_xxxxx is set if ORDER/GROUP BY doesn't include any references
380 to other tables than the first non-constant table in the JOIN.
381 It's also set if ORDER/GROUP BY is empty.
382 Used for deciding for or against using a temporary table to compute
383 GROUP/ORDER BY.
384 */
385 bool simple_order{false};
386 bool simple_group{false};
387
388 /*
389 m_ordered_index_usage is set if an ordered index access
390 should be used instead of a filesort when computing
391 ORDER/GROUP BY.
392 */
393 enum {
394 ORDERED_INDEX_VOID, // No ordered index avail.
395 ORDERED_INDEX_GROUP_BY, // Use index for GROUP BY
396 ORDERED_INDEX_ORDER_BY // Use index for ORDER BY
397 } m_ordered_index_usage{ORDERED_INDEX_VOID};
398
399 /**
400 Is set if we have a GROUP BY and we have ORDER BY on a constant or when
401 sorting isn't required.
402 */
403 bool skip_sort_order{false};
404
405 /**
406 If true we need a temporary table on the result set before any
407 windowing steps, e.g. for DISTINCT or we have a query ORDER BY.
408 See details in JOIN::optimize
409 */
411
412 /// If JOIN has lateral derived tables (is set at start of planning)
413 bool has_lateral{false};
414
415 /// Used and updated by JOIN::make_join_plan() and optimize_keyuse()
417
418 /**
419 Array of pointers to lists of expressions.
420 Each list represents the SELECT list at a certain stage of execution,
421 and also contains necessary extras: expressions added for ORDER BY,
422 GROUP BY, window clauses, underlying items of split items.
423 This array is only used when the query makes use of tmp tables: after
424 writing to tmp table (e.g. for GROUP BY), if this write also does a
425 function's calculation (e.g. of SUM), after the write the function's value
426 is in a column of the tmp table. If a SELECT list expression is the SUM,
427 and we now want to read that materialized SUM and send it forward, a new
428 expression (Item_field type instead of Item_sum), is needed. The new
429 expressions are listed in JOIN::tmp_fields_list[x]; 'x' is a number
430 (REF_SLICE_).
431 @see JOIN::make_tmp_tables_info()
432 */
434
435 int error{0}; ///< set in optimize(), exec(), prepare_result()
436
437 /**
438 Incremented each time clear_hash_tables() is run, signaling to
439 HashJoinIterators that they cannot keep their hash tables anymore
440 (since outer references may have changed).
441 */
443
444 /**
445 ORDER BY and GROUP BY lists, to transform with prepare,optimize and exec
446 */
448
449 // Used so that AggregateIterator knows which items to signal when the rollup
450 // level changes. Obviously only used in the presence of rollup.
455
456 /**
457 Any window definitions
458 */
460
461 /**
462 True if a window requires a certain order of rows, which implies that any
463 order of rows coming out of the pre-window join will be disturbed.
464 */
465 bool m_windows_sort{false};
466
467 /// If we have set up tmp tables for windowing, @see make_tmp_tables_info
468 bool m_windowing_steps{false};
469
470 /**
471 Buffer to gather GROUP BY, ORDER BY and DISTINCT QEP details for EXPLAIN
472 */
474
475 /**
476 JOIN::having_cond is initially equal to query_block->having_cond, but may
477 later be changed by optimizations performed by JOIN.
478 The relationship between the JOIN::having_cond condition and the
479 associated variable query_block->having_value is so that
480 having_value can be:
481 - COND_UNDEF if a having clause was not specified in the query or
482 if it has not been optimized yet
483 - COND_TRUE if the having clause is always true, in which case
484 JOIN::having_cond is set to NULL.
485 - COND_FALSE if the having clause is impossible, in which case
486 JOIN::having_cond is set to NULL
487 - COND_OK otherwise, meaning that the having clause needs to be
488 further evaluated
489 All of the above also applies to the where_cond/query_block->cond_value
490 pair.
491 */
492 /**
493 Optimized WHERE clause item tree (valid for one single execution).
494 Used in JOIN execution if no tables. Otherwise, attached in pieces to
495 JOIN_TABs and then not used in JOIN execution.
496 Printed by EXPLAIN EXTENDED.
497 Initialized by Query_block::get_optimizable_conditions().
498 */
500 /**
501 Optimized HAVING clause item tree (valid for one single execution).
502 Used in JOIN execution, as last "row filtering" step. With one exception:
503 may be pushed to the JOIN_TABs of temporary tables used in DISTINCT /
504 GROUP BY (see JOIN::make_tmp_tables_info()); in that case having_cond is
505 set to NULL, but is first saved to having_for_explain so that EXPLAIN
506 EXTENDED can still print it.
507 Initialized by Query_block::get_optimizable_conditions().
508 */
510 Item *having_for_explain; ///< Saved optimized HAVING for EXPLAIN
511 /**
512 Pointer set to query_block->get_table_list() at the start of
513 optimization. May be changed (to NULL) only if optimize_aggregated_query()
514 optimizes tables away.
515 */
518 /*
519 Join tab to return to. Points to an element of join->join_tab array, or to
520 join->join_tab[-1].
521 This is used at execution stage to shortcut join enumeration. Currently
522 shortcutting is done to handle outer joins or handle semi-joins with
523 FirstMatch strategy.
524 */
526
527 /**
528 ref_items is an array of 4+ slices, each containing an array of Item
529 pointers. ref_items is used in different phases of query execution.
530 - slice 0 is initially the same as Query_block::base_ref_items, ie it is
531 the set of items referencing fields from base tables. During optimization
532 and execution it may be temporarily overwritten by slice 1-3.
533 - slice 1 is a representation of the used items when being read from
534 the first temporary table.
535 - slice 2 is a representation of the used items when being read from
536 the second temporary table.
537 - slice 3 is a copy of the original slice 0. It is created if
538 slice overwriting is necessary, and it is used to restore
539 original values in slice 0 after having been overwritten.
540 - slices 4 -> N are used by windowing: all the window's out tmp tables,
541
542 Two windows: 4: window 1's out table
543 5: window 2's out table
544
545 and so on.
546
547 Slice 0 is allocated for the lifetime of a statement, whereas slices 1-3
548 are associated with a single optimization. The size of slice 0 determines
549 the slice size used when allocating the other slices.
550 */
552 nullptr}; // cardinality: REF_SLICE_SAVED_BASE + 1 + #windows*2
553
554 /**
555 The slice currently stored in ref_items[0].
556 Used to restore the base ref_items slice from the "save" slice after it
557 has been overwritten by another slice (1-3).
558 */
560
561 /**
562 Used only if this query block is recursive. Contains count of
563 all executions of this recursive query block, since the last
564 this->reset().
565 */
567
568 /**
569 <> NULL if optimization has determined that execution will produce an
570 empty result before aggregation, contains a textual explanation on why
571 result is empty. Implicitly grouped queries may still produce an
572 aggregation row.
573 @todo - suggest to set to "Preparation determined that query is empty"
574 when Query_block::is_empty_query() is true.
575 */
576 const char *zero_result_cause{nullptr};
577
578 /**
579 True if, at this stage of processing, subquery materialization is allowed
580 for children subqueries of this JOIN (those in the SELECT list, in WHERE,
581 etc). If false, and we have to evaluate a subquery at this stage, then we
582 must choose EXISTS.
583 */
585 /**
586 True if plan search is allowed to use references to expressions outer to
587 this JOIN (for example may set up a 'ref' access looking up an outer
588 expression in the index, etc).
589 */
590 bool allow_outer_refs{false};
591
592 /* Temporary tables used to weed-out semi-join duplicates */
595 /* end of allocation caching storage */
596
597 /** Exec time only: true <=> current group has been sent */
598 bool group_sent{false};
599 /// If true, calculate found rows for this query block
600 bool calc_found_rows{false};
601
602 /**
603 This will force tmp table to NOT use index + update for group
604 operation as it'll cause [de]serialization for each json aggregated
605 value and is very ineffective (times worse).
606 Server should use filesort, or tmp table + filesort to resolve GROUP BY
607 with JSON aggregate functions.
608 */
610
611 /// True if plan is const, ie it will return zero or one rows.
612 bool plan_is_const() const { return const_tables == primary_tables; }
613
614 /**
615 True if plan contains one non-const primary table (ie not including
616 tables taking part in semi-join materialization).
617 */
619
620 /**
621 Returns true if any of the items in JOIN::fields contains a call to the
622 full-text search function MATCH, which is not wrapped in an aggregation
623 function.
624 */
625 bool contains_non_aggregated_fts() const;
626
627 bool optimize(bool finalize_access_paths);
628 void reset();
629 bool prepare_result();
630 void destroy();
631 bool alloc_func_list();
633 bool before_group_by, bool recompute = false);
634
635 /**
636 Overwrites one slice of ref_items with the contents of another slice.
637 In the normal case, dst and src have the same size().
638 However: the rollup slices may have smaller size than slice_sz.
639 */
640 void copy_ref_item_slice(uint dst_slice, uint src_slice) {
641 copy_ref_item_slice(ref_items[dst_slice], ref_items[src_slice]);
642 }
644 assert(dst_arr.size() >= src_arr.size());
645 void *dest = dst_arr.array();
646 const void *src = src_arr.array();
647 if (!src_arr.is_null())
648 memcpy(dest, src, src_arr.size() * src_arr.element_size());
649 }
650
651 /**
652 Allocate a ref_item slice, assume that slice size is in ref_items[0]
653
654 @param thd_arg thread handler
655 @param sliceno The slice number to allocate in JOIN::ref_items
656
657 @returns false if success, true if error
658 */
659 bool alloc_ref_item_slice(THD *thd_arg, int sliceno);
660
661 /**
662 Overwrite the base slice of ref_items with the slice supplied as argument.
663
664 @param sliceno number to overwrite the base slice with, must be 1-4 or
665 4 + windowno.
666 */
667 void set_ref_item_slice(uint sliceno) {
668 assert((int)sliceno >= 1);
669 if (current_ref_item_slice != sliceno) {
671 DBUG_PRINT("info", ("JOIN %p ref slice %u -> %u", this,
672 current_ref_item_slice, sliceno));
673 current_ref_item_slice = sliceno;
674 }
675 }
676
677 /// @note do also consider Switch_ref_item_slice
679
680 /**
681 Returns the clone of fields_list which is appropriate for evaluating
682 expressions at the current stage of execution; which stage is denoted by
683 the value of current_ref_item_slice.
684 */
686
687 bool optimize_rollup();
689 /**
690 Release memory and, if possible, the open tables held by this execution
691 plan (and nested plans). It's used to release some tables before
692 the end of execution in order to increase concurrency and reduce
693 memory consumption.
694 */
695 void join_free();
696 /** Cleanup this JOIN. Not a full cleanup. reusable? */
697 void cleanup();
698
699 bool clear_fields(table_map *save_nullinfo);
700 void restore_fields(table_map save_nullinfo);
701
702 private:
703 /**
704 Return whether the caller should send a row even if the join
705 produced no rows if:
706 - there is an aggregate function (sum_func_count!=0), and
707 - the query is not grouped, and
708 - a possible HAVING clause evaluates to TRUE.
709
710 @note: if there is a having clause, it must be evaluated before
711 returning the row.
712 */
717 }
718
719 public:
723 bool attach_join_conditions(plan_idx last_tab);
724
725 private:
726 bool attach_join_condition_to_nest(plan_idx first_inner, plan_idx last_tab,
727 Item *join_cond, bool is_sj_mat_cond);
728
729 public:
732 bool sort_before_group);
736 table_map plan_tables, uint idx) const;
737 bool clear_sj_tmp_tables();
740
742 /// State of execution plan. Currently used only for EXPLAIN
744 NO_PLAN, ///< No plan is ready yet
745 ZERO_RESULT, ///< Zero result cause is set
746 NO_TABLES, ///< Plan has no tables
747 PLAN_READY ///< Plan is ready
748 };
749 /// See enum_plan_state
751 bool is_optimized() const { return optimized; }
752 void set_optimized() { optimized = true; }
753 bool is_executed() const { return executed; }
754 void set_executed() { executed = true; }
755
756 /**
757 Retrieve the cost model object to be used for this join.
758
759 @return Cost model object for the join
760 */
761
762 const Cost_model_server *cost_model() const;
763
764 /**
765 Check if FTS index only access is possible
766 */
767 bool fts_index_access(JOIN_TAB *tab);
768
770 /**
771 Propagate dependencies between tables due to outer join relations.
772
773 @returns false if success, true if error
774 */
776
777 /**
778 Handle offloading of query parts to the underlying engines, when
779 such is supported by their implementation.
780
781 @returns false if success, true if error
782 */
783 bool push_to_engines();
784
787
788 /**
789 If this query block was planned twice, once with and once without conditions
790 added by in2exists, changes the root access path to the one without
791 in2exists. If not (ie., there were never any such conditions in the first
792 place), does nothing.
793 */
795
796 /**
797 In the case of rollup (only): After the base slice list was made, we may
798 have modified the field list to add rollup group items and sum switchers,
799 but there may be Items with refs that refer to the base slice. This function
800 refreshes the base slice (and its copy, REF_SLICE_SAVED_BASE) with a fresh
801 copy of the list from “fields”.
802
803 When we get rid of slices entirely, we can get rid of this, too.
804 */
805 void refresh_base_slice();
806
807 /**
808 Whether this query block needs finalization (see
809 FinalizePlanForQueryBlock()) before it can be actually used.
810 This only happens when using the hypergraph join optimizer.
811 */
812 bool needs_finalize{false};
813
814 private:
815 bool optimized{false}; ///< flag to avoid double optimization in EXPLAIN
816
817 /**
818 Set by exec(), reset by reset(). Note that this needs to be set
819 _during_ the query (not only when it's done executing), or the
820 dynamic range optimizer will not understand which tables have been
821 read.
822 */
823 bool executed{false};
824
825 /// Final execution plan state. Currently used only for EXPLAIN
827
828 public:
829 /*
830 When join->select_count is set, tables will not be optimized away.
831 The call to records() will be delayed until the execution phase and
832 the counting will be done on an index of Optimizer's choice.
833 The index will be decided in find_shortest_key(), called from
834 optimize_aggregated_query().
835 */
836 bool select_count{false};
837
838 private:
839 /**
840 Create a temporary table to be used for processing DISTINCT/ORDER
841 BY/GROUP BY.
842
843 @note Will modify JOIN object wrt sort/group attributes
844
845 @param tab the JOIN_TAB object to attach created table to
846 @param tmp_table_fields List of items that will be used to define
847 column types of the table.
848 @param tmp_table_group Group key to use for temporary table, empty if none.
849 @param save_sum_fields If true, do not replace Item_sum items in
850 @c tmp_fields list with Item_field items referring
851 to fields in temporary table.
852
853 @returns false on success, true on failure
854 */
856 const mem_root_deque<Item *> &tmp_table_fields,
857 ORDER_with_src &tmp_table_group,
858 bool save_sum_fields);
859
860 /**
861 Optimize distinct when used on a subset of the tables.
862
863 E.g.,: SELECT DISTINCT t1.a FROM t1,t2 WHERE t1.b=t2.b
864 In this case we can stop scanning t2 when we have found one t1.a
865 */
866 void optimize_distinct();
867
868 /**
869 Function sets FT hints, initializes FT handlers and
870 checks if FT index can be used as covered.
871 */
872 bool optimize_fts_query();
873
874 /**
875 Checks if the chosen plan suffers from a problem related to full-text search
876 and streaming aggregation, which is likely to cause wrong results or make
877 the query misbehave in other ways, and raises an error if so. Only to be
878 called for queries with full-text search and GROUP BY WITH ROLLUP.
879
880 If there are calls to MATCH in the SELECT list (including the hidden
881 elements lifted there from other clauses), and they are not inside an
882 aggregate function, the results of the MATCH clause need to be materialized
883 before streaming aggregation is performed. The hypergraph optimizer adds a
884 materialization step before aggregation if needed (see
885 CreateStreamingAggregationPath()), but the old optimizer only does that for
886 implicitly grouped queries. For explicitly grouped queries, it instead
887 disables streaming aggregation for the queries that would need a
888 materialization step to work correctly (see JOIN::test_skip_sort()).
889
890 For explicitly grouped queries WITH ROLLUP, however, streaming aggregation
891 is currently the only alternative. In many cases it still works correctly
892 because an intermediate materialization step has been added for some other
893 reason, typically for a sort. For now, in those cases where a
894 materialization step has not been added, we raise an error instead of going
895 ahead with an invalid execution plan.
896
897 @return true if an error was raised.
898 */
899 bool check_access_path_with_fts() const;
900
902 /**
903 Initialize key dependencies for join tables.
904
905 TODO figure out necessity of this method. Current test
906 suite passed without this initialization.
907 */
909 JOIN_TAB *const tab_end = join_tab + tables;
910 for (JOIN_TAB *tab = join_tab; tab < tab_end; tab++)
911 tab->key_dependent = tab->dependent;
912 }
913
914 private:
915 void set_prefix_tables();
916 void cleanup_item_list(const mem_root_deque<Item *> &items) const;
918 bool make_join_plan();
919 bool init_planner_arrays();
923 bool estimate_rowcount();
924 void optimize_keyuse();
925 void set_semijoin_info();
926 /**
927 An utility function - apply heuristics and optimize access methods to tables.
928 @note Side effect - this function could set 'Impossible WHERE' zero
929 result.
930 */
932 void update_depend_map();
934 /**
935 Fill in outer join related info for the execution plan structure.
936
937 For each outer join operation left after simplification of the
938 original query the function set up the following pointers in the linear
939 structure join->join_tab representing the selected execution plan.
940 The first inner table t0 for the operation is set to refer to the last
941 inner table tk through the field t0->last_inner.
942 Any inner table ti for the operation are set to refer to the first
943 inner table ti->first_inner.
944 The first inner table t0 for the operation is set to refer to the
945 first inner table of the embedding outer join operation, if there is any,
946 through the field t0->first_upper.
947 The on expression for the outer join operation is attached to the
948 corresponding first inner table through the field t0->on_expr_ref.
949 Here ti are structures of the JOIN_TAB type.
950
951 EXAMPLE. For the query:
952 @code
953 SELECT * FROM t1
954 LEFT JOIN
955 (t2, t3 LEFT JOIN t4 ON t3.a=t4.a)
956 ON (t1.a=t2.a AND t1.b=t3.b)
957 WHERE t1.c > 5,
958 @endcode
959
960 given the execution plan with the table order t1,t2,t3,t4
961 is selected, the following references will be set;
962 t4->last_inner=[t4], t4->first_inner=[t4], t4->first_upper=[t2]
963 t2->last_inner=[t4], t2->first_inner=t3->first_inner=[t2],
964 on expression (t1.a=t2.a AND t1.b=t3.b) will be attached to
965 *t2->on_expr_ref, while t3.a=t4.a will be attached to *t4->on_expr_ref.
966
967 @note
968 The function assumes that the simplification procedure has been
969 already applied to the join query (see simplify_joins).
970 This function can be called only after the execution plan
971 has been chosen.
972 */
973 void make_outerjoin_info();
974
975 /**
976 Initialize ref access for all tables that use it.
977
978 @return False if success, True if error
979
980 @note We cannot setup fields used for ref access before we have sorted
981 the items within multiple equalities according to the final order of
982 the tables involved in the join operation. Currently, this occurs in
983 @see substitute_for_best_equal_field().
984 */
985 bool init_ref_access();
986 bool alloc_qep(uint n);
987 void unplug_join_tabs();
988 bool setup_semijoin_materialized_table(JOIN_TAB *tab, uint tableno,
989 POSITION *inner_pos,
990 POSITION *sjm_pos);
991
992 bool add_having_as_tmp_table_cond(uint curr_tmp_table);
994 void set_plan_state(enum_plan_state plan_state_arg);
996 ORDER *remove_const(ORDER *first_order, Item *cond, bool change_list,
997 bool *simple_order, bool group_by);
998
999 /**
1000 Check whether this is a subquery that can be evaluated by index look-ups.
1001 If so, change subquery engine to subselect_indexsubquery_engine.
1002
1003 @retval 1 engine was changed
1004 @retval 0 engine wasn't changed
1005 @retval -1 OOM or other error
1006 */
1008
1009 /**
1010 Optimize DISTINCT, GROUP BY, ORDER BY clauses
1011
1012 @retval false ok
1013 @retval true an error occurred
1014 */
1016
1017 /**
1018 Test if an index could be used to replace filesort for ORDER BY/GROUP BY
1019
1020 @details
1021 Investigate whether we may use an ordered index as part of either
1022 DISTINCT, GROUP BY or ORDER BY execution. An ordered index may be
1023 used for only the first of any of these terms to be executed. This
1024 is reflected in the order which we check for test_if_skip_sort_order()
1025 below. However we do not check for DISTINCT here, as it would have
1026 been transformed to a GROUP BY at this stage if it is a candidate for
1027 ordered index optimization.
1028 If a decision was made to use an ordered index, the availability
1029 if such an access path is stored in 'm_ordered_index_usage' for later
1030 use by 'execute' or 'explain'
1031 */
1032 void test_skip_sort();
1033
1035
1036 /**
1037 Convert the executor structures to a set of access paths, storing
1038 the result in m_root_access_path.
1039 */
1040 void create_access_paths();
1041
1042 public:
1043 /**
1044 Create access paths with the knowledge that there are going to be zero rows
1045 coming from tables (before aggregation); typically because we know that
1046 all of them would be filtered away by WHERE (e.g. SELECT * FROM t1
1047 WHERE 1=2). This will normally yield no output rows, but if we have implicit
1048 aggregation, it might yield a single one.
1049 */
1051
1052 private:
1054
1055 /** @{ Helpers for create_access_paths. */
1059 /** @} */
1060
1061 /**
1062 An access path you can read from to get all records for this query
1063 (after you create an iterator from it).
1064 */
1066
1067 /**
1068 If this query block contains conditions synthesized during IN-to-EXISTS
1069 conversion: A second query plan with all such conditions removed.
1070 See comments in JOIN::optimize().
1071 */
1073};
1074
1075/**
1076 Use this in a function which depends on best_ref listing tables in the
1077 final join order. If 'tables==0', one is not expected to consult best_ref
1078 cells, and best_ref may not even have been allocated.
1079*/
1080#define ASSERT_BEST_REF_IN_JOIN_ORDER(join) \
1081 do { \
1082 assert((join)->tables == 0 || ((join)->best_ref && !(join)->join_tab)); \
1083 } while (0)
1084
1085/**
1086 RAII class to ease the temporary switching to a different slice of
1087 the ref item array.
1088*/
1091 uint saved;
1092
1093 public:
1094 Switch_ref_item_slice(JOIN *join_arg, uint new_v)
1095 : join(join_arg), saved(join->get_ref_item_slice()) {
1096 if (!join->ref_items[new_v].is_null()) join->set_ref_item_slice(new_v);
1097 }
1099};
1100
1101bool uses_index_fields_only(Item *item, TABLE *tbl, uint keyno,
1102 bool other_tbls_ok);
1103bool remove_eq_conds(THD *thd, Item *cond, Item **retcond,
1104 Item::cond_result *cond_value);
1105bool optimize_cond(THD *thd, Item **conds, COND_EQUAL **cond_equal,
1106 mem_root_deque<Table_ref *> *join_list,
1107 Item::cond_result *cond_value);
1109 COND_EQUAL *cond_equal,
1110 JOIN_TAB **table_join_idx);
1114 THD *thd, uint keyparts, Item_field **fields,
1115 const mem_root_deque<Item *> &outer_exprs);
1116Item_field *get_best_field(Item_field *item_field, COND_EQUAL *cond_equal);
1117Item *make_cond_for_table(THD *thd, Item *cond, table_map tables,
1118 table_map used_table, bool exclude_expensive_cond);
1120 uint first_unused);
1121
1122/**
1123 Create an order list that consists of all non-const fields and items.
1124 This is usable for e.g. converting DISTINCT into GROUP or ORDER BY.
1125 Is ref_item_array is non-null (is_null() returns false), the items
1126 will point into the slice given by it. Otherwise, it points directly
1127 into *fields (this is the only reason why fields is not const).
1128
1129 Try to put the items in "order_list" first, to allow one to optimize away
1130 a later ORDER BY.
1131 */
1133 ORDER *order_list,
1134 mem_root_deque<Item *> *fields,
1135 bool skip_aggregates,
1136 bool convert_bit_fields_to_long,
1137 bool *all_order_by_fields_used);
1138
1139/**
1140 Returns true if arguments are a temporal Field having no date,
1141 part and a temporal expression having a date part.
1142 @param f Field
1143 @param v Expression
1144 */
1145inline bool field_time_cmp_date(const Field *f, const Item *v) {
1146 const enum_field_types ft = f->type();
1147 return is_temporal_type(ft) && !is_temporal_type_with_date(ft) &&
1149}
1150
1151bool substitute_gc(THD *thd, Query_block *query_block, Item *where_cond,
1152 ORDER *group_list, ORDER *order);
1153
1154/**
1155 This class restores a table_map object to its original value
1156 when '*this' is destroyed.
1157 */
1159 /** The location to be restored.*/
1161 /** The original value to restore.*/
1163
1164 public:
1165 /**
1166 Constructor.
1167 @param map The table map that we wish to restore.
1168 */
1171
1172 // This class is not intended to be copied.
1175
1178 void assert_unchanged() const { assert(*m_location == m_saved_value); }
1179};
1180
1181/**
1182 Estimates how many times a subquery will be executed as part of a
1183 query execution. If it is a cacheable subquery, the estimate tells
1184 how many times the subquery will be executed if it is not cached.
1185
1186 @param[in] subquery the Item that represents the subquery
1187 @param[in,out] trace optimizer trace context
1188
1189 @return the number of times the subquery is expected to be executed
1190*/
1191double calculate_subquery_executions(const Item_subselect *subquery,
1192 Opt_trace_context *trace);
1193
1194extern const char *antijoin_null_cond;
1195
1196/**
1197 Checks if an Item, which is constant for execution, can be evaluated during
1198 optimization. It cannot be evaluated if it contains a subquery and the
1199 OPTION_NO_SUBQUERY_DURING_OPTIMIZATION query option is active.
1200
1201 @param item the Item to check
1202 @param select the query block that contains the Item
1203 @return false if this Item contains a subquery and subqueries cannot be
1204 evaluated during optimization, or true otherwise
1205*/
1206bool evaluate_during_optimization(const Item *item, const Query_block *select);
1207
1208/**
1209 Find the multiple equality predicate containing a field.
1210
1211 The function retrieves the multiple equalities accessed through
1212 the cond_equal structure from current level and up looking for
1213 an equality containing a field. It stops retrieval as soon as the equality
1214 is found and set up inherited_fl to true if it's found on upper levels.
1215
1216 @param cond_equal multiple equalities to search in
1217 @param item_field field to look for
1218 @param[out] inherited_fl set up to true if multiple equality is found
1219 on upper levels (not on current level of
1220 cond_equal)
1221
1222 @return
1223 - Item_equal for the found multiple equality predicate if a success;
1224 - nullptr otherwise.
1225*/
1227 const Item_field *item_field, bool *inherited_fl);
1228
1229/**
1230 Find an artificial cap for ref access. This is mostly a crutch to mitigate
1231 that we don't estimate the cache effects of ref accesses properly
1232 (ie., normally, if we do many, they will hit cache instead of being
1233 separate seeks). Given to find_cost_for_ref().
1234 */
1235double find_worst_seeks(const TABLE *table, double num_rows,
1236 double table_scan_cost);
1237
1238/**
1239 Whether a ref lookup of “right_item” on “field” will give an exact
1240 comparison in all cases, ie., one can remove any further checks on
1241 field = right_item. If not, there may be false positives, and one
1242 needs to keep the comparison after the ref lookup.
1243
1244 @param thd thread handler
1245 @param field field that is looked up through an index
1246 @param right_item value used to perform look up
1247 @param can_evaluate whether the function is allowed to evaluate right_item
1248 (if true, right_item must be const-for-execution)
1249 @param[out] subsumes true if an exact comparison can be done, false otherwise
1250
1251 @returns false if success, true if error
1252 */
1253bool ref_lookup_subsumes_comparison(THD *thd, Field *field, Item *right_item,
1254 bool can_evaluate, bool *subsumes);
1255
1256/**
1257 Checks if we need to create iterators for this query. We usually have to. The
1258 exception is if a secondary engine is used, and that engine will offload the
1259 query execution to an external executor using #JOIN::override_executor_func.
1260 In this case, the external executor will use its own execution structures and
1261 we don't need to bother with creating the iterators needed by the MySQL
1262 executor.
1263 */
1264bool IteratorsAreNeeded(const THD *thd, AccessPath *root_path);
1265
1266/**
1267 Estimates the number of base table row accesses that will be performed when
1268 executing a query using the given plan.
1269
1270 @param path The access path representing the plan.
1271 @param num_evaluations The number of times this path is expected to be
1272 evaluated during a single execution of the query.
1273 @param limit The maximum number of rows expected to be read from this path.
1274 @return An estimate of the number of row accesses.
1275 */
1276double EstimateRowAccesses(const AccessPath *path, double num_evaluations,
1277 double limit);
1278
1279/**
1280 Returns true if "item" can be used as a hash join condition between the tables
1281 given by "left_side" and "right_side". This is used to determine whether an
1282 equijoin condition needs to be attached as an "extra" condition.
1283
1284 It can be used as a hash join condition if the item on one side of the
1285 equality references some table in left_side and none in right_side, and the
1286 other side of the equality references some table in right_side and none in
1287 left_side.
1288
1289 @param item An equality that is a candidate for joining the left side tables
1290 with the right side tables.
1291 @param left_side The tables on the left side of the join.
1292 @param right_side The tables on the right side of the join.
1293
1294 @retval true If the equality can be used as a hash join condition.
1295 @retval false If the equality must be added as an extra condition to be
1296 evaluated after the join.
1297*/
1298bool IsHashEquijoinCondition(const Item_eq_base *item, table_map left_side,
1299 table_map right_side);
1300
1301#endif /* SQL_OPTIMIZER_INCLUDED */
bool is_null() const
Definition: sql_array.h:157
Element_type * array() const
Definition: sql_array.h:165
size_t size() const
Definition: sql_array.h:154
size_t element_size() const
Definition: sql_array.h:153
Definition: item_cmpfunc.h:2727
API for getting cost estimates for server operations that are not directly related to a table object.
Definition: opt_costmodel.h:54
Definition: opt_explain_format.h:451
Definition: field.h:575
virtual enum_field_types type() const =0
Base class for the equality comparison operators = and <=>.
Definition: item_cmpfunc.h:991
Definition: item_cmpfunc.h:2587
Definition: item.h:4349
Base class that is common to all subqueries and subquery predicates.
Definition: item_subselect.h:80
Class Item_sum is the base class used for special expressions that SQL calls 'set functions'.
Definition: item_sum.h:399
Base class that is used to represent any kind of expression in a relational query.
Definition: item.h:934
bool is_temporal_with_date() const
Definition: item.h:3263
cond_result
Definition: item.h:996
@ COND_FALSE
Definition: item.h:996
Query optimization plan node.
Definition: sql_select.h:602
Definition: sql_optimizer.h:133
const Cost_model_server * cost_model() const
Retrieve the cost model object to be used for this join.
Definition: sql_optimizer.cc:11402
bool skip_sort_order
Is set if we have a GROUP BY and we have ORDER BY on a constant or when sorting isn't required.
Definition: sql_optimizer.h:403
Table_ref * tables_list
Pointer set to query_block->get_table_list() at the start of optimization.
Definition: sql_optimizer.h:516
bool attach_join_condition_to_nest(plan_idx first_inner, plan_idx last_tab, Item *join_cond, bool is_sj_mat_cond)
Helper for JOIN::attach_join_conditions().
Definition: sql_optimizer.cc:8673
void set_root_access_path(AccessPath *path)
Definition: sql_optimizer.h:786
bool calc_found_rows
If true, calculate found rows for this query block.
Definition: sql_optimizer.h:600
bool plan_is_single_table()
True if plan contains one non-const primary table (ie not including tables taking part in semi-join m...
Definition: sql_optimizer.h:618
void mark_const_table(JOIN_TAB *table, Key_use *key)
Move const tables first in the position array.
Definition: sql_optimizer.cc:8504
JOIN_TAB * join_tab
Optimal query execution plan.
Definition: sql_optimizer.h:154
ha_rows fetch_limit
Used to fetch no more than given amount of rows per one fetch operation of server side cursor.
Definition: sql_optimizer.h:305
Item_sum ** sum_funcs
Definition: sql_optimizer.h:349
List< Cached_item > group_fields
Definition: sql_optimizer.h:343
bool m_windows_sort
True if a window requires a certain order of rows, which implies that any order of rows coming out of...
Definition: sql_optimizer.h:465
MYSQL_LOCK * lock
Definition: sql_optimizer.h:357
bool executed
Set by exec(), reset by reset().
Definition: sql_optimizer.h:823
QEP_TAB * qep_tab
Array of QEP_TABs.
Definition: sql_optimizer.h:156
bool send_row_on_empty_set() const
Return whether the caller should send a row even if the join produced no rows if:
Definition: sql_optimizer.h:713
ha_rows found_records
Definition: sql_optimizer.h:291
uint recursive_iteration_count
Used only if this query block is recursive.
Definition: sql_optimizer.h:566
void copy_ref_item_slice(Ref_item_array dst_arr, Ref_item_array src_arr)
Definition: sql_optimizer.h:643
bool child_subquery_can_materialize
True if, at this stage of processing, subquery materialization is allowed for children subqueries of ...
Definition: sql_optimizer.h:584
Prealloced_array< Item_rollup_group_item *, 4 > rollup_group_items
Definition: sql_optimizer.h:451
COND_EQUAL * cond_equal
Definition: sql_optimizer.h:517
JOIN_TAB ** map2table
mapping between table indexes and JOIN_TABs
Definition: sql_optimizer.h:166
ha_rows m_select_limit
Definition: sql_optimizer.h:295
POSITION * positions
Definition: sql_optimizer.h:317
uint current_ref_item_slice
The slice currently stored in ref_items[0].
Definition: sql_optimizer.h:559
bool is_executed() const
Definition: sql_optimizer.h:753
uint tables
Before plan has been created, "tables" denote number of input tables in the query block and "primary_...
Definition: sql_optimizer.h:215
bool has_lateral
If JOIN has lateral derived tables (is set at start of planning)
Definition: sql_optimizer.h:413
bool need_tmp_before_win
If true we need a temporary table on the result set before any windowing steps, e....
Definition: sql_optimizer.h:410
Prealloced_array< Item_rollup_sum_switcher *, 4 > rollup_sums
Definition: sql_optimizer.h:453
uint tmp_tables
Number of temporary tables used by query.
Definition: sql_optimizer.h:218
int error
set in optimize(), exec(), prepare_result()
Definition: sql_optimizer.h:435
bool plan_is_const() const
True if plan is const, ie it will return zero or one rows.
Definition: sql_optimizer.h:612
table_map const_table_map
Set of tables found to be const.
Definition: sql_optimizer.h:242
Prealloced_array< TemporaryTableToCleanup, 1 > temp_tables
Definition: sql_optimizer.h:184
Query_block *const query_block
Query block that is optimized and executed using this JOIN.
Definition: sql_optimizer.h:145
bool select_distinct
At construction time, set if SELECT DISTINCT.
Definition: sql_optimizer.h:367
RollupState
Definition: sql_optimizer.h:359
List< TABLE > sj_tmp_tables
Definition: sql_optimizer.h:593
table_map found_const_table_map
Const tables which are either:
Definition: sql_optimizer.h:249
bool simple_order
Definition: sql_optimizer.h:385
void set_executed()
Definition: sql_optimizer.h:754
List< Window > m_windows
Any window definitions.
Definition: sql_optimizer.h:459
Explain_format_flags explain_flags
Buffer to gather GROUP BY, ORDER BY and DISTINCT QEP details for EXPLAIN.
Definition: sql_optimizer.h:473
mem_root_deque< Item * > * tmp_fields
Array of pointers to lists of expressions.
Definition: sql_optimizer.h:433
uint const_tables
Number of primary tables deemed constant.
Definition: sql_optimizer.h:217
Prealloced_array< Filesort *, 1 > filesorts_to_cleanup
Definition: sql_optimizer.h:189
ha_rows examined_rows
Definition: sql_optimizer.h:292
ha_rows row_limit
Definition: sql_optimizer.h:293
bool allow_outer_refs
True if plan search is allowed to use references to expressions outer to this JOIN (for example may s...
Definition: sql_optimizer.h:590
JOIN_TAB ** best_ref
Array of plan operators representing the current (partial) best plan.
Definition: sql_optimizer.h:164
Item * having_for_explain
Saved optimized HAVING for EXPLAIN.
Definition: sql_optimizer.h:510
RollupState rollup_state
Definition: sql_optimizer.h:360
AccessPath * root_access_path() const
Definition: sql_optimizer.h:785
ha_rows send_records
Definition: sql_optimizer.h:290
Override_executor_func override_executor_func
Definition: sql_optimizer.h:326
plan_idx return_tab
Definition: sql_optimizer.h:525
enum_plan_state plan_state
Final execution plan state. Currently used only for EXPLAIN.
Definition: sql_optimizer.h:826
Item * having_cond
Optimized HAVING clause item tree (valid for one single execution).
Definition: sql_optimizer.h:509
void make_outerjoin_info()
Fill in outer join related info for the execution plan structure.
Definition: sql_optimizer.cc:8533
mem_root_deque< Item * > * fields
Definition: sql_optimizer.h:342
@ ORDERED_INDEX_GROUP_BY
Definition: sql_optimizer.h:395
@ ORDERED_INDEX_VOID
Definition: sql_optimizer.h:394
@ ORDERED_INDEX_ORDER_BY
Definition: sql_optimizer.h:396
Temp_table_param tmp_table_param
Describes a temporary table.
Definition: sql_optimizer.h:356
bool select_count
Definition: sql_optimizer.h:836
bool m_windowing_steps
If we have set up tmp tables for windowing,.
Definition: sql_optimizer.h:468
bool finalize_table_conditions(THD *thd)
Remove redundant predicates and cache constant expressions.
Definition: sql_optimizer.cc:9188
bool fts_index_access(JOIN_TAB *tab)
Check if FTS index only access is possible.
Definition: sql_optimizer.cc:10911
void optimize_keyuse()
Update some values in keyuse for faster choose_table_order() loop.
Definition: sql_optimizer.cc:10813
bool with_json_agg
This will force tmp table to NOT use index + update for group operation as it'll cause [de]serializat...
Definition: sql_optimizer.h:609
uint send_group_parts
Definition: sql_optimizer.h:219
AccessPath * m_root_access_path_no_in2exists
If this query block contains conditions synthesized during IN-to-EXISTS conversion: A second query pl...
Definition: sql_optimizer.h:1072
ORDER_with_src group_list
Definition: sql_optimizer.h:447
double sort_cost
Expected cost of filesort.
Definition: sql_optimizer.h:339
bool generate_derived_keys()
Add keys to derived tables'/views' result tables in a list.
Definition: sql_optimizer.cc:9267
bool optimize_fts_query()
Function sets FT hints, initializes FT handlers and checks if FT index can be used as covered.
Definition: sql_optimizer.cc:10852
enum_plan_state
State of execution plan. Currently used only for EXPLAIN.
Definition: sql_optimizer.h:743
@ NO_TABLES
Plan has no tables.
Definition: sql_optimizer.h:746
@ NO_PLAN
No plan is ready yet.
Definition: sql_optimizer.h:744
@ ZERO_RESULT
Zero result cause is set.
Definition: sql_optimizer.h:745
@ PLAN_READY
Plan is ready.
Definition: sql_optimizer.h:747
Key_use_array keyuse_array
Used and updated by JOIN::make_join_plan() and optimize_keyuse()
Definition: sql_optimizer.h:416
bool group_sent
Exec time only: true <=> current group has been sent.
Definition: sql_optimizer.h:598
bool needs_finalize
Whether this query block needs finalization (see FinalizePlanForQueryBlock()) before it can be actual...
Definition: sql_optimizer.h:812
void init_key_dependencies()
Initialize key dependencies for join tables.
Definition: sql_optimizer.h:908
void set_ref_item_slice(uint sliceno)
Overwrite the base slice of ref_items with the slice supplied as argument.
Definition: sql_optimizer.h:667
List< Cached_item > group_fields_cache
Definition: sql_optimizer.h:344
bool contains_non_aggregated_fts() const
Returns true if any of the items in JOIN::fields contains a call to the full-text search function MAT...
Definition: sql_optimizer.cc:10945
bool streaming_aggregation
Indicates that the data will be aggregated (typically GROUP BY), and that it is already processed in ...
Definition: sql_optimizer.h:235
void set_optimized()
Definition: sql_optimizer.h:752
uint primary_tables
Number of primary input tables in query block.
Definition: sql_optimizer.h:216
bool optimize_rollup()
Optimize rollup specification.
Definition: sql_optimizer.cc:11359
THD *const thd
Thread handler.
Definition: sql_optimizer.h:147
table_map all_table_map
Set of tables contained in query.
Definition: sql_optimizer.h:241
bool attach_join_conditions(plan_idx last_tab)
Attach outer join conditions to generated table conditions in an optimal way.
Definition: sql_optimizer.cc:8784
bool decide_subquery_strategy()
Decides between EXISTS and materialization; performs last steps to set up the chosen strategy.
Definition: sql_optimizer.cc:11073
List< Semijoin_mat_exec > sjm_exec_list
Definition: sql_optimizer.h:594
JOIN(const JOIN &rhs)=delete
TABLE * sort_by_table
Definition: sql_optimizer.h:172
Ref_item_array * ref_items
ref_items is an array of 4+ slices, each containing an array of Item pointers.
Definition: sql_optimizer.h:551
bool do_send_rows
If true, send produced rows using query_result.
Definition: sql_optimizer.h:239
double windowing_cost
Expected cost of windowing;.
Definition: sql_optimizer.h:341
enum_plan_state get_plan_state() const
See enum_plan_state.
Definition: sql_optimizer.h:750
JOIN & operator=(const JOIN &rhs)=delete
ORDER_with_src order
ORDER BY and GROUP BY lists, to transform with prepare,optimize and exec.
Definition: sql_optimizer.h:447
bool group_optimized_away
If we have the GROUP BY statement in the query, but the group_list was emptied by optimizer,...
Definition: sql_optimizer.h:376
double best_read
The cost of best complete join plan found so far during optimization, after optimization phase - cost...
Definition: sql_optimizer.h:333
ORDER * remove_const(ORDER *first_order, Item *cond, bool change_list, bool *simple_order, bool group_by)
Remove all constants and check if ORDER only contains simple expressions.
Definition: sql_optimizer.cc:10188
bool implicit_grouping
True if aggregated but no GROUP BY.
Definition: sql_optimizer.h:361
POSITION * best_positions
This is the result of join optimization.
Definition: sql_optimizer.h:312
void finalize_derived_keys()
For each materialized derived table/view, informs every TABLE of the key it will (not) use,...
Definition: sql_optimizer.cc:9287
bool optimized
flag to avoid double optimization in EXPLAIN
Definition: sql_optimizer.h:815
bool compare_costs_of_subquery_strategies(Subquery_strategy *method)
Tells what is the cheapest between IN->EXISTS and subquery materialization, in terms of cost,...
Definition: sql_optimizer.cc:11134
bool is_optimized() const
Definition: sql_optimizer.h:751
enum JOIN::@184 ORDERED_INDEX_VOID
const char * zero_result_cause
<> NULL if optimization has determined that execution will produce an empty result before aggregation...
Definition: sql_optimizer.h:576
Query_expression * query_expression() const
Query expression referring this query block.
Definition: sql_optimizer.h:140
mem_root_deque< Item * > * get_current_fields()
Returns the clone of fields_list which is appropriate for evaluating expressions at the current stage...
Definition: sql_optimizer.cc:11396
bool(*)(JOIN *, Query_result *) Override_executor_func
A hook that secondary storage engines can use to override the executor completely.
Definition: sql_optimizer.h:325
void clear_hash_tables()
Definition: sql_optimizer.h:739
uint get_ref_item_slice() const
Definition: sql_optimizer.h:678
List< Cached_item > semijoin_deduplication_fields
Definition: sql_optimizer.h:347
bool grouped
If query contains GROUP BY clause.
Definition: sql_optimizer.h:237
void refine_best_rowcount()
Refine the best_rowcount estimation based on what happens after tables have been joined: LIMIT and ty...
Definition: sql_optimizer.cc:11370
AccessPath * m_root_access_path
An access path you can read from to get all records for this query (after you create an iterator from...
Definition: sql_optimizer.h:1065
ha_rows best_rowcount
The estimated row count of the plan with best read time (see above).
Definition: sql_optimizer.h:337
Item * where_cond
JOIN::having_cond is initially equal to query_block->having_cond, but may later be changed by optimiz...
Definition: sql_optimizer.h:499
bool simple_group
Definition: sql_optimizer.h:386
uint64_t hash_table_generation
Incremented each time clear_hash_tables() is run, signaling to HashJoinIterators that they cannot kee...
Definition: sql_optimizer.h:442
table_map deps_of_remaining_lateral_derived_tables
This is the bitmap of all tables which are dependencies of lateral derived tables which are not (yet)...
Definition: sql_optimizer.h:287
void copy_ref_item_slice(uint dst_slice, uint src_slice)
Overwrites one slice of ref_items with the contents of another slice.
Definition: sql_optimizer.h:640
A Key_use represents an equality predicate of the form (table.column = val), where the column is inde...
Definition: sql_select.h:177
Definition: sql_list.h:467
A typesafe replacement for DYNAMIC_ARRAY.
Definition: mem_root_array.h:426
Wrapper for ORDER* pointer to trace origins of ORDER list.
Definition: sql_optimizer.h:96
bool empty() const
Definition: sql_optimizer.h:116
bool is_const_optimized() const
Definition: sql_optimizer.h:130
ORDER_with_src(ORDER *order_arg, Explain_sort_clause src_arg, bool const_optimized_arg=false)
Definition: sql_optimizer.h:109
int get_flags() const
Definition: sql_optimizer.h:125
bool m_const_optimized
Definition: sql_optimizer.h:104
void clean()
Definition: sql_optimizer.h:118
ORDER * order
ORDER expression that we are wrapping with this class.
Definition: sql_optimizer.h:98
ORDER_with_src()
Definition: sql_optimizer.h:107
Explain_sort_clause src
origin of order list
Definition: sql_optimizer.h:99
int flags
bitmap of Explain_sort_property
Definition: sql_optimizer.h:102
A per-session context which is always available at any point of execution, because in practice it's a...
Definition: opt_trace_context.h:93
A typesafe replacement for DYNAMIC_ARRAY.
Definition: prealloced_array.h:71
Definition: sql_executor.h:254
enum_op_type
Definition: sql_executor.h:401
This class represents a query block, aka a query specification, which is a query consisting of a SELE...
Definition: sql_lex.h:1163
Item::cond_result having_value
Definition: sql_lex.h:2060
Query_expression * master_query_expression() const
Definition: sql_lex.h:1256
This class represents a query expression (one query block or several query blocks combined with UNION...
Definition: sql_lex.h:626
Definition: query_result.h:58
RAII class to ease the temporary switching to a different slice of the ref item array.
Definition: sql_optimizer.h:1089
Switch_ref_item_slice(JOIN *join_arg, uint new_v)
Definition: sql_optimizer.h:1094
uint saved
Definition: sql_optimizer.h:1091
JOIN * join
Definition: sql_optimizer.h:1090
~Switch_ref_item_slice()
Definition: sql_optimizer.h:1098
For each client connection we create a separate thread with THD serving as a thread/connection descri...
Definition: sql_lexer_thd.h:36
This class restores a table_map object to its original value when '*this' is destroyed.
Definition: sql_optimizer.h:1158
Table_map_restorer(table_map *map)
Constructor.
Definition: sql_optimizer.h:1169
Table_map_restorer & operator=(const Table_map_restorer &)=delete
table_map *const m_location
The location to be restored.
Definition: sql_optimizer.h:1160
~Table_map_restorer()
Definition: sql_optimizer.h:1176
const table_map m_saved_value
The original value to restore.
Definition: sql_optimizer.h:1162
void restore()
Definition: sql_optimizer.h:1177
void assert_unchanged() const
Definition: sql_optimizer.h:1178
Table_map_restorer(const Table_map_restorer &)=delete
Definition: table.h:2863
Object containing parameters used when creating and using temporary tables.
Definition: temp_table_param.h:95
uint sum_func_count
Number of fields in the query that have aggregate functions.
Definition: temp_table_param.h:132
Represents the (explicit) window of a SQL 2003 section 7.11 <window clause>, or the implicit (inlined...
Definition: window.h:110
A (partial) implementation of std::deque allocating its blocks on a MEM_ROOT.
Definition: mem_root_deque.h:111
bool is_temporal_type(enum_field_types type)
Tests if field type is temporal, i.e.
Definition: field_common_properties.h:115
bool is_temporal_type_with_date(enum_field_types type)
Tests if field type is temporal and has date part, i.e.
Definition: field_common_properties.h:156
This file contains the field type.
enum_field_types
Column types for MySQL Note: Keep include/mysql/components/services/bits/stored_program_bits....
Definition: field_types.h:55
void optimize_distinct()
Optimize distinct when used on a subset of the tables.
Definition: sql_executor.cc:346
AccessPath * create_root_access_path_for_join()
Definition: sql_executor.cc:3015
AccessPath * attach_access_paths_for_having_and_limit(AccessPath *path) const
Definition: sql_executor.cc:3358
AccessPath * attach_access_path_for_update_or_delete(AccessPath *path) const
Definition: sql_executor.cc:2949
void restore_fields(table_map save_nullinfo)
Restore all result fields for all tables specified in save_nullinfo.
Definition: sql_executor.cc:4663
bool create_intermediate_table(QEP_TAB *tab, const mem_root_deque< Item * > &tmp_table_fields, ORDER_with_src &tmp_table_group, bool save_sum_fields)
Create a temporary table to be used for processing DISTINCT/ORDER BY/GROUP BY.
Definition: sql_executor.cc:179
QEP_TAB::enum_op_type get_end_select_func()
Definition: sql_executor.cc:574
void create_access_paths()
Convert the executor structures to a set of access paths, storing the result in m_root_access_path.
Definition: sql_executor.cc:2986
void create_access_paths_for_index_subquery()
Definition: sql_executor.cc:3382
bool clear_fields(table_map *save_nullinfo)
Set all column values from all input tables to NULL.
Definition: sql_executor.cc:4640
bool clear_corr_derived_tmp_tables()
Empties all correlated materialized derived tables.
Definition: sql_select.cc:1814
Item_equal * find_item_equal(COND_EQUAL *cond_equal, const Item_field *item_field, bool *inherited_fl)
Find the multiple equality predicate containing a field.
Definition: sql_optimizer.cc:3720
bool alloc_func_list()
Make an array of pointers to sum_functions to speed up sum_func calculation.
Definition: sql_select.cc:4088
Item_field * get_best_field(Item_field *item_field, COND_EQUAL *cond_equal)
Get the best field substitution for a given field.
Definition: sql_optimizer.cc:3753
void update_sargable_from_const(SARGABLE_PARAM *sargables)
Update info on indexes that can be used for search lookups as reading const tables may has added new ...
Definition: sql_optimizer.cc:5868
bool add_sorting_to_table(uint idx, ORDER_with_src *order, bool sort_before_group)
Add Filesort object to the given table to sort if with filesort.
Definition: sql_select.cc:5002
bool clear_sj_tmp_tables()
Remove all rows from all temp tables used by NL-semijoin runtime.
Definition: sql_select.cc:1804
bool alloc_qep(uint n)
Definition: sql_optimizer.cc:1343
void change_to_access_path_without_in2exists()
If this query block was planned twice, once with and once without conditions added by in2exists,...
Definition: sql_optimizer.cc:1142
void unplug_join_tabs()
Definition: sql_select.cc:4974
bool push_to_engines()
Handle offloading of query parts to the underlying engines, when such is supported by their implement...
Definition: sql_optimizer.cc:1178
bool make_tmp_tables_info()
Init tmp tables usage info.
Definition: sql_select.cc:4371
bool make_join_plan()
Calculate best possible join order and initialize the join structure.
Definition: sql_optimizer.cc:5316
void set_semijoin_embedding()
Set semi-join embedding join nest pointers.
Definition: sql_optimizer.cc:6041
bool optimize_distinct_group_order()
Optimize DISTINCT, GROUP BY, ORDER BY clauses.
Definition: sql_optimizer.cc:1490
JOIN(THD *thd_arg, Query_block *select)
Definition: sql_optimizer.cc:168
table_map calculate_deps_of_remaining_lateral_derived_tables(table_map plan_tables, uint idx) const
Finds the dependencies of the remaining lateral derived tables.
Definition: sql_optimizer.cc:3305
void set_prefix_tables()
Assign set of available (prefix) tables to all tables in query block.
Definition: sql_optimizer.cc:5209
void cleanup()
Cleanup this JOIN.
Definition: sql_select.cc:3735
bool uses_index_fields_only(Item *item, TABLE *tbl, uint keyno, bool other_tbls_ok)
Check if given expression only uses fields covered by index keyno in the table tbl.
Definition: sql_optimizer.cc:6519
void test_skip_sort()
Test if an index could be used to replace filesort for ORDER BY/GROUP BY.
Definition: sql_optimizer.cc:1676
bool propagate_dependencies()
Propagate dependencies between tables due to outer join relations.
Definition: sql_optimizer.cc:5565
void adjust_access_methods()
An utility function - apply heuristics and optimize access methods to tables.
Definition: sql_optimizer.cc:2954
bool estimate_rowcount()
Estimate the number of matched rows for each joined table.
Definition: sql_optimizer.cc:5906
bool prune_table_partitions()
Prune partitions for all tables of a join (query block).
Definition: sql_optimizer.cc:2803
uint build_bitmap_for_nested_joins(mem_root_deque< Table_ref * > *join_list, uint first_unused)
Assign each nested join structure a bit in nested_join_map.
Definition: sql_optimizer.cc:5034
void refresh_base_slice()
In the case of rollup (only): After the base slice list was made, we may have modified the field list...
Definition: sql_select.cc:4949
AccessPath * create_access_paths_for_zero_rows() const
Create access paths with the knowledge that there are going to be zero rows coming from tables (befor...
Definition: sql_optimizer.cc:1148
bool alloc_ref_item_slice(THD *thd_arg, int sliceno)
Allocate a ref_item slice, assume that slice size is in ref_items[0].
Definition: sql_optimizer.cc:208
bool setup_semijoin_materialized_table(JOIN_TAB *tab, uint tableno, POSITION *inner_pos, POSITION *sjm_pos)
Setup the materialized table for a semi-join nest.
Definition: sql_select.cc:3126
void join_free()
Release memory and, if possible, the open tables held by this execution plan (and nested plans).
Definition: sql_select.cc:3667
bool make_sum_func_list(const mem_root_deque< Item * > &fields, bool before_group_by, bool recompute=false)
Initialize 'sum_funcs' array with all Item_sum objects.
Definition: sql_select.cc:4136
bool extract_func_dependent_tables()
Extract const tables based on functional dependencies.
Definition: sql_optimizer.cc:5710
bool init_planner_arrays()
Initialize scratch arrays for the join order optimization.
Definition: sql_optimizer.cc:5446
bool substitute_gc(THD *thd, Query_block *query_block, Item *where_cond, ORDER *group_list, ORDER *order)
Substitute all expressions in the WHERE condition and ORDER/GROUP lists that match generated columns ...
Definition: sql_optimizer.cc:1224
void set_semijoin_info()
Set the first_sj_inner_tab and last_sj_inner_tab fields for all tables inside the semijoin nests of t...
Definition: sql_select.cc:2258
bool prepare_result()
Prepare join result.
Definition: sql_select.cc:1900
void destroy()
Clean up and destroy join object.
Definition: sql_select.cc:1918
bool add_having_as_tmp_table_cond(uint curr_tmp_table)
Add having condition as a filter condition, which is applied when reading from the temp table.
Definition: sql_select.cc:4215
Item * substitute_for_best_equal_field(THD *thd, Item *cond, COND_EQUAL *cond_equal, JOIN_TAB **table_join_idx)
Substitute every field reference in a condition by the best equal field and eliminate all multiple eq...
Definition: sql_optimizer.cc:4781
double find_worst_seeks(const TABLE *table, double num_rows, double table_scan_cost)
Find an artificial cap for ref access.
Definition: sql_optimizer.cc:5884
const char * antijoin_null_cond
Definition: sql_optimizer.cc:125
bool alloc_indirection_slices()
Definition: sql_optimizer.cc:218
void reset()
Reset the state of this join object so that it is ready for a new execution.
Definition: sql_select.cc:1835
bool optimize(bool finalize_access_paths)
Optimizes one query block into a query execution plan (QEP.)
Definition: sql_optimizer.cc:362
bool init_ref_access()
Initialize ref access for all tables that use it.
Definition: sql_select.cc:2235
bool get_best_combination()
Set up JOIN_TAB structs according to the picked join order in best_positions.
Definition: sql_optimizer.cc:3074
bool extract_const_tables()
Extract const tables based on row counts.
Definition: sql_optimizer.cc:5616
bool update_equalities_for_sjm()
Update equalities and keyuse references after semi-join materialization strategy is chosen.
Definition: sql_optimizer.cc:5145
void set_plan_state(enum_plan_state plan_state_arg)
Sets the plan's state of the JOIN.
Definition: sql_optimizer.cc:1315
bool check_access_path_with_fts() const
Checks if the chosen plan suffers from a problem related to full-text search and streaming aggregatio...
Definition: sql_optimizer.cc:258
void cleanup_item_list(const mem_root_deque< Item * > &items) const
Definition: sql_select.cc:2016
int replace_index_subquery()
Check whether this is a subquery that can be evaluated by index look-ups.
Definition: sql_optimizer.cc:1423
void update_depend_map()
Update the dependency map for the tables.
Definition: sql_optimizer.cc:5076
Subquery_strategy
Classes that represent predicates over table subqueries: [NOT] EXISTS, [NOT] IN, ANY/SOME and ALL.
Definition: item_subselect.h:406
This file follows Google coding style, except for the name MEM_ROOT (which is kept for historical rea...
This file includes constants used by all storage engines.
my_off_t ha_rows
Definition: my_base.h:1141
#define HA_POS_ERROR
Definition: my_base.h:1143
#define DBUG_PRINT(keyword, arglist)
Definition: my_dbug.h:181
uint64_t table_map
Definition: my_table_map.h:30
static char * path
Definition: mysqldump.cc:149
static PFS_engine_table_share_proxy table
Definition: pfs.cc:61
std::string join(Container cont, const std::string &delim)
join elements of an container into a string separated by a delimiter.
Definition: string.h:151
std::map< Key, Value, Compare, ut::allocator< std::pair< const Key, Value > > > map
Specialization of map which uses ut_allocator.
Definition: ut0new.h:2892
EXPLAIN FORMAT=<format> <command>.
Explain_sort_clause
Enumeration of ORDER BY, GROUP BY and DISTINCT clauses for array indexing.
Definition: opt_explain_format.h:428
@ ESC_none
Definition: opt_explain_format.h:429
@ ESP_EXISTS
Original query has this clause.
Definition: opt_explain_format.h:444
@ ESP_none
Definition: opt_explain_format.h:443
required string key
Definition: replication_asynchronous_connection_failover.proto:60
Classes for query execution.
Common types of the Optimizer, used by optimization and execution.
@ REF_SLICE_ACTIVE
The slice which is used during evaluation of expressions; Item_ref::ref points there.
Definition: sql_opt_exec_shared.h:621
int plan_idx
This represents the index of a JOIN_TAB/QEP_TAB in an array.
Definition: sql_opt_exec_shared.h:54
bool evaluate_during_optimization(const Item *item, const Query_block *select)
Checks if an Item, which is constant for execution, can be evaluated during optimization.
Definition: sql_optimizer.cc:11441
bool IsHashEquijoinCondition(const Item_eq_base *item, table_map left_side, table_map right_side)
Returns true if "item" can be used as a hash join condition between the tables given by "left_side" a...
Definition: sql_optimizer.cc:11744
Item * make_cond_for_table(THD *thd, Item *cond, table_map tables, table_map used_table, bool exclude_expensive_cond)
Extract a condition that can be checked after reading given table.
Definition: sql_optimizer.cc:9503
double calculate_subquery_executions(const Item_subselect *subquery, Opt_trace_context *trace)
Estimates how many times a subquery will be executed as part of a query execution.
Definition: sql_optimizer.cc:11244
Key_use_array * create_keyuse_for_table(THD *thd, uint keyparts, Item_field **fields, const mem_root_deque< Item * > &outer_exprs)
Create a keyuse array for a table with a primary key.
Definition: sql_optimizer.cc:8467
double EstimateRowAccesses(const AccessPath *path, double num_evaluations, double limit)
Estimates the number of base table row accesses that will be performed when executing a query using t...
Definition: sql_optimizer.cc:11584
ORDER * create_order_from_distinct(THD *thd, Ref_item_array ref_item_array, ORDER *order_list, mem_root_deque< Item * > *fields, bool skip_aggregates, bool convert_bit_fields_to_long, bool *all_order_by_fields_used)
Create an order list that consists of all non-const fields and items.
Definition: sql_optimizer.cc:10700
bool field_time_cmp_date(const Field *f, const Item *v)
Returns true if arguments are a temporal Field having no date, part and a temporal expression having ...
Definition: sql_optimizer.h:1145
bool is_indexed_agg_distinct(JOIN *join, mem_root_deque< Item_field * > *out_args)
Check for the presence of AGGFN(DISTINCT a) queries that may be subject to loose index scan.
Definition: sql_optimizer.cc:8048
bool IteratorsAreNeeded(const THD *thd, AccessPath *root_path)
Checks if we need to create iterators for this query.
Definition: sql_optimizer.cc:11475
bool optimize_cond(THD *thd, Item **conds, COND_EQUAL **cond_equal, mem_root_deque< Table_ref * > *join_list, Item::cond_result *cond_value)
Optimize conditions by.
Definition: sql_optimizer.cc:10337
bool remove_eq_conds(THD *thd, Item *cond, Item **retcond, Item::cond_result *cond_value)
Removes const and eq items.
Definition: sql_optimizer.cc:10453
bool ref_lookup_subsumes_comparison(THD *thd, Field *field, Item *right_item, bool can_evaluate, bool *subsumes)
Whether a ref lookup of “right_item” on “field” will give an exact comparison in all cases,...
Definition: sql_optimizer.cc:8911
Access paths are a query planning structure that correspond 1:1 to iterators, in that an access path ...
Definition: access_path.h:213
Definition: sql_optimizer.h:177
Temp_table_param * temp_table_param
Definition: sql_optimizer.h:182
TABLE * table
Definition: sql_optimizer.h:178
Definition: lock.h:39
Definition: table.h:285
A position of table within a join order.
Definition: sql_select.h:355
Definition: sql_optimizer.h:83
Item ** arg_value
Definition: sql_optimizer.h:85
Field * field
Definition: sql_optimizer.h:84
uint num_values
Definition: sql_optimizer.h:86
Definition: table.h:1405
#define PSI_NOT_INSTRUMENTED
Definition: validate_password_imp.cc:42
int n
Definition: xcom_base.cc:509