risingwave_frontend/optimizer/rule/stream/bushy_tree_join_ordering_rule.rs
1// Copyright 2025 RisingWave Labs
2//
3// Licensed under the Apache License, Version 2.0 (the "License");
4// you may not use this file except in compliance with the License.
5// You may obtain a copy of the License at
6//
7// http://www.apache.org/licenses/LICENSE-2.0
8//
9// Unless required by applicable law or agreed to in writing, software
10// distributed under the License is distributed on an "AS IS" BASIS,
11// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
12// See the License for the specific language governing permissions and
13// limitations under the License.
14
15use thiserror_ext::AsReport;
16
17use super::super::super::plan_node::*;
18use super::super::Rule;
19use crate::optimizer::rule::BoxedRule;
20
21/// Reorders a multi join into a bushy tree shape join tree with a minimal height.
22pub struct BushyTreeJoinOrderingRule {}
23
24/// If inputs of a multi join reach the limit, fallback to a left deep tree, because the search
25/// space could be too large to search.
26const BUSHY_TREE_JOIN_UPPER_LIMIT: usize = 10;
27
28/// To construct a bushy tree with a height lower than the left deep tree, we need tt least four
29/// inputs.
30const BUSHY_TREE_JOIN_LOWER_LIMIT: usize = 4;
31
32impl Rule for BushyTreeJoinOrderingRule {
33 fn apply(&self, plan: PlanRef) -> Option<PlanRef> {
34 let join = plan.as_logical_multi_join()?;
35 if join.inputs().len() >= BUSHY_TREE_JOIN_LOWER_LIMIT
36 && join.inputs().len() <= BUSHY_TREE_JOIN_UPPER_LIMIT
37 {
38 match join.as_bushy_tree_join() {
39 Ok(plan) => Some(plan),
40 Err(e) => {
41 eprintln!("{}", e.as_report());
42 None
43 }
44 }
45 } else {
46 // Too many inputs, so fallback to a left deep tree.
47 let join_ordering = join.heuristic_ordering().ok()?;
48 let left_deep_join = join.as_reordered_left_deep_join(&join_ordering);
49 Some(left_deep_join)
50 }
51 }
52}
53
54impl BushyTreeJoinOrderingRule {
55 pub fn create() -> BoxedRule {
56 Box::new(BushyTreeJoinOrderingRule {})
57 }
58}