risingwave_frontend/planner/
mod.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 std::collections::HashMap;
16
17use crate::binder::{BoundStatement, ShareId};
18use crate::error::Result;
19use crate::optimizer::{OptimizerContextRef, PlanRoot};
20
21mod changelog;
22mod delete;
23mod insert;
24mod query;
25mod recursive_union;
26mod relation;
27mod select;
28mod set_expr;
29mod set_operation;
30mod statement;
31mod update;
32mod values;
33pub use query::LIMIT_ALL_COUNT;
34
35use crate::PlanRef;
36
37/// `Planner` converts a bound statement to a [`crate::optimizer::plan_node::PlanNode`] tree
38pub struct Planner {
39    ctx: OptimizerContextRef,
40    /// Mapping of `ShareId` to its share plan.
41    /// The share plan can be a CTE, a source, a view and so on.
42    share_cache: HashMap<ShareId, PlanRef>,
43    /// Plan for stream or batch.
44    plan_for: PlanFor,
45}
46
47#[derive(Debug, Copy, Clone)]
48pub enum PlanFor {
49    Stream,
50    Batch,
51    /// `BatchDql` is a special mode for batch.
52    /// Iceberg engine table will be converted to iceberg source based on this mode.
53    BatchDql,
54}
55
56impl Planner {
57    pub fn new_for_batch_dql(ctx: OptimizerContextRef) -> Planner {
58        Planner {
59            ctx,
60            share_cache: Default::default(),
61            plan_for: PlanFor::BatchDql,
62        }
63    }
64
65    pub fn new_for_batch(ctx: OptimizerContextRef) -> Planner {
66        Planner {
67            ctx,
68            share_cache: Default::default(),
69            plan_for: PlanFor::Batch,
70        }
71    }
72
73    pub fn new_for_stream(ctx: OptimizerContextRef) -> Planner {
74        Planner {
75            ctx,
76            share_cache: Default::default(),
77            plan_for: PlanFor::Stream,
78        }
79    }
80
81    /// Plan a [`BoundStatement`]. Need to bind a statement before plan.
82    pub fn plan(&mut self, stmt: BoundStatement) -> Result<PlanRoot> {
83        self.plan_statement(stmt)
84    }
85
86    pub fn ctx(&self) -> OptimizerContextRef {
87        self.ctx.clone()
88    }
89
90    pub fn plan_for(&self) -> PlanFor {
91        self.plan_for
92    }
93}