1use std::collections::hash_map::Entry;
16use std::ops::Deref;
17
18use either::Either;
19use itertools::{EitherOrBoth, Itertools};
20use risingwave_common::bail;
21use risingwave_common::catalog::{Field, TableId};
22use risingwave_sqlparser::ast::{
23 AsOf, Expr as ParserExpr, FunctionArg, FunctionArgExpr, Ident, ObjectName, TableAlias,
24 TableFactor,
25};
26use thiserror::Error;
27use thiserror_ext::AsReport;
28
29use super::bind_context::ColumnBinding;
30use super::statement::RewriteExprsRecursive;
31use crate::binder::Binder;
32use crate::binder::bind_context::{BindingCte, BindingCteState};
33use crate::error::{ErrorCode, Result, RwError};
34use crate::expr::{ExprImpl, InputRef};
35
36mod cte_ref;
37mod join;
38mod share;
39mod subquery;
40mod table_function;
41mod table_or_source;
42mod watermark;
43mod window_table_function;
44
45pub use cte_ref::BoundBackCteRef;
46pub use join::BoundJoin;
47pub use share::{BoundShare, BoundShareInput};
48pub use subquery::BoundSubquery;
49pub use table_or_source::{BoundBaseTable, BoundSource, BoundSystemTable};
50pub use watermark::BoundWatermark;
51pub use window_table_function::{BoundWindowTableFunction, WindowTableFunctionKind};
52
53use crate::expr::{CorrelatedId, Depth};
54
55#[derive(Debug, Clone)]
58pub enum Relation {
59 Source(Box<BoundSource>),
60 BaseTable(Box<BoundBaseTable>),
61 SystemTable(Box<BoundSystemTable>),
62 Subquery(Box<BoundSubquery>),
63 Join(Box<BoundJoin>),
64 Apply(Box<BoundJoin>),
65 WindowTableFunction(Box<BoundWindowTableFunction>),
66 TableFunction {
68 expr: ExprImpl,
69 with_ordinality: bool,
70 },
71 Watermark(Box<BoundWatermark>),
72 Share(Box<BoundShare>),
74 BackCteRef(Box<BoundBackCteRef>),
75}
76
77impl RewriteExprsRecursive for Relation {
78 fn rewrite_exprs_recursive(&mut self, rewriter: &mut impl crate::expr::ExprRewriter) {
79 match self {
80 Relation::Subquery(inner) => inner.rewrite_exprs_recursive(rewriter),
81 Relation::Join(inner) => inner.rewrite_exprs_recursive(rewriter),
82 Relation::Apply(inner) => inner.rewrite_exprs_recursive(rewriter),
83 Relation::WindowTableFunction(inner) => inner.rewrite_exprs_recursive(rewriter),
84 Relation::Watermark(inner) => inner.rewrite_exprs_recursive(rewriter),
85 Relation::Share(inner) => inner.rewrite_exprs_recursive(rewriter),
86 Relation::TableFunction { expr: inner, .. } => {
87 *inner = rewriter.rewrite_expr(inner.take())
88 }
89 Relation::BackCteRef(inner) => inner.rewrite_exprs_recursive(rewriter),
90 _ => {}
91 }
92 }
93}
94
95impl Relation {
96 pub fn is_correlated_by_depth(&self, depth: Depth) -> bool {
97 match self {
98 Relation::Subquery(subquery) => subquery.query.is_correlated_by_depth(depth),
99 Relation::Join(join) | Relation::Apply(join) => {
100 join.cond.has_correlated_input_ref_by_depth(depth)
101 || join.left.is_correlated_by_depth(depth)
102 || join.right.is_correlated_by_depth(depth)
103 }
104 _ => false,
105 }
106 }
107
108 pub fn is_correlated_by_correlated_id(&self, correlated_id: CorrelatedId) -> bool {
109 match self {
110 Relation::Subquery(subquery) => {
111 subquery.query.is_correlated_by_correlated_id(correlated_id)
112 }
113 Relation::Join(join) | Relation::Apply(join) => {
114 join.cond
115 .has_correlated_input_ref_by_correlated_id(correlated_id)
116 || join.left.is_correlated_by_correlated_id(correlated_id)
117 || join.right.is_correlated_by_correlated_id(correlated_id)
118 }
119 _ => false,
120 }
121 }
122
123 pub fn collect_correlated_indices_by_depth_and_assign_id(
124 &mut self,
125 depth: Depth,
126 correlated_id: CorrelatedId,
127 ) -> Vec<usize> {
128 match self {
129 Relation::Subquery(subquery) => subquery
130 .query
131 .collect_correlated_indices_by_depth_and_assign_id(depth, correlated_id),
132 Relation::Join(join) | Relation::Apply(join) => {
133 let mut correlated_indices = vec![];
134 correlated_indices.extend(
135 join.cond
136 .collect_correlated_indices_by_depth_and_assign_id(depth, correlated_id),
137 );
138 correlated_indices.extend(
139 join.left
140 .collect_correlated_indices_by_depth_and_assign_id(depth, correlated_id),
141 );
142 correlated_indices.extend(
143 join.right
144 .collect_correlated_indices_by_depth_and_assign_id(depth, correlated_id),
145 );
146 correlated_indices
147 }
148 Relation::TableFunction {
149 expr: table_function,
150 with_ordinality: _,
151 } => table_function
152 .collect_correlated_indices_by_depth_and_assign_id(depth + 1, correlated_id),
153 Relation::Share(share) => match &mut share.input {
154 BoundShareInput::Query(query) => match query {
155 Either::Left(query) => query
156 .collect_correlated_indices_by_depth_and_assign_id(depth, correlated_id),
157 Either::Right(_) => vec![],
158 },
159 BoundShareInput::ChangeLog(change_log) => change_log
160 .collect_correlated_indices_by_depth_and_assign_id(depth, correlated_id),
161 },
162 _ => vec![],
163 }
164 }
165}
166
167#[derive(Debug)]
168#[non_exhaustive]
169pub enum ResolveQualifiedNameErrorKind {
170 QualifiedNameTooLong,
171 NotCurrentDatabase,
172}
173
174#[derive(Debug, Error)]
175pub struct ResolveQualifiedNameError {
176 qualified: String,
177 kind: ResolveQualifiedNameErrorKind,
178}
179
180impl std::fmt::Display for ResolveQualifiedNameError {
181 fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
182 match self.kind {
183 ResolveQualifiedNameErrorKind::QualifiedNameTooLong => write!(
184 f,
185 "improper qualified name (too many dotted names): {}",
186 self.qualified
187 ),
188 ResolveQualifiedNameErrorKind::NotCurrentDatabase => write!(
189 f,
190 "cross-database references are not implemented: \"{}\"",
191 self.qualified
192 ),
193 }
194 }
195}
196
197impl ResolveQualifiedNameError {
198 pub fn new(qualified: String, kind: ResolveQualifiedNameErrorKind) -> Self {
199 Self { qualified, kind }
200 }
201}
202
203impl From<ResolveQualifiedNameError> for RwError {
204 fn from(e: ResolveQualifiedNameError) -> Self {
205 ErrorCode::InvalidInputSyntax(format!("{}", e.as_report())).into()
206 }
207}
208
209impl Binder {
210 pub fn resolve_schema_qualified_name(
212 db_name: &str,
213 name: ObjectName,
214 ) -> std::result::Result<(Option<String>, String), ResolveQualifiedNameError> {
215 let formatted_name = name.to_string();
216 let mut identifiers = name.0;
217
218 if identifiers.len() > 3 {
219 return Err(ResolveQualifiedNameError::new(
220 formatted_name,
221 ResolveQualifiedNameErrorKind::QualifiedNameTooLong,
222 ));
223 }
224
225 let name = identifiers.pop().unwrap().real_value();
226
227 let schema_name = identifiers.pop().map(|ident| ident.real_value());
228 let database_name = identifiers.pop().map(|ident| ident.real_value());
229
230 if let Some(database_name) = database_name
231 && database_name != db_name
232 {
233 return Err(ResolveQualifiedNameError::new(
234 formatted_name,
235 ResolveQualifiedNameErrorKind::NotCurrentDatabase,
236 ));
237 }
238
239 Ok((schema_name, name))
240 }
241
242 pub fn validate_cross_db_reference(
244 db_name: &str,
245 name: &ObjectName,
246 ) -> std::result::Result<(), ResolveQualifiedNameError> {
247 let formatted_name = name.to_string();
248 let identifiers = &name.0;
249 if identifiers.len() > 3 {
250 return Err(ResolveQualifiedNameError::new(
251 formatted_name,
252 ResolveQualifiedNameErrorKind::QualifiedNameTooLong,
253 ));
254 }
255
256 if identifiers.len() == 3 && identifiers[0].real_value() != db_name {
257 return Err(ResolveQualifiedNameError::new(
258 formatted_name,
259 ResolveQualifiedNameErrorKind::NotCurrentDatabase,
260 ));
261 }
262
263 Ok(())
264 }
265
266 pub fn resolve_db_schema_qualified_name(
268 name: ObjectName,
269 ) -> std::result::Result<(Option<String>, Option<String>, String), ResolveQualifiedNameError>
270 {
271 let formatted_name = name.to_string();
272 let mut identifiers = name.0;
273
274 if identifiers.len() > 3 {
275 return Err(ResolveQualifiedNameError::new(
276 formatted_name,
277 ResolveQualifiedNameErrorKind::QualifiedNameTooLong,
278 ));
279 }
280
281 let name = identifiers.pop().unwrap().real_value();
282 let schema_name = identifiers.pop().map(|ident| ident.real_value());
283 let database_name = identifiers.pop().map(|ident| ident.real_value());
284
285 Ok((database_name, schema_name, name))
286 }
287
288 fn resolve_single_name(mut identifiers: Vec<Ident>, ident_desc: &str) -> Result<String> {
290 if identifiers.len() > 1 {
291 bail!("{} must contain 1 argument", ident_desc);
292 }
293 let name = identifiers.pop().unwrap().real_value();
294
295 Ok(name)
296 }
297
298 pub fn resolve_database_name(name: ObjectName) -> Result<String> {
300 Self::resolve_single_name(name.0, "database name")
301 }
302
303 pub fn resolve_schema_name(name: ObjectName) -> Result<String> {
305 Self::resolve_single_name(name.0, "schema name")
306 }
307
308 pub fn resolve_index_name(name: ObjectName) -> Result<String> {
310 Self::resolve_single_name(name.0, "index name")
311 }
312
313 pub fn resolve_view_name(name: ObjectName) -> Result<String> {
315 Self::resolve_single_name(name.0, "view name")
316 }
317
318 pub fn resolve_sink_name(name: ObjectName) -> Result<String> {
320 Self::resolve_single_name(name.0, "sink name")
321 }
322
323 pub fn resolve_subscription_name(name: ObjectName) -> Result<String> {
325 Self::resolve_single_name(name.0, "subscription name")
326 }
327
328 pub fn resolve_table_name(name: ObjectName) -> Result<String> {
330 Self::resolve_single_name(name.0, "table name")
331 }
332
333 pub fn resolve_source_name(name: ObjectName) -> Result<String> {
335 Self::resolve_single_name(name.0, "source name")
336 }
337
338 pub fn resolve_user_name(name: ObjectName) -> Result<String> {
340 Self::resolve_single_name(name.0, "user name")
341 }
342
343 pub(super) fn bind_table_to_context(
345 &mut self,
346 columns: impl IntoIterator<Item = (bool, Field)>, table_name: String,
348 alias: Option<TableAlias>,
349 ) -> Result<()> {
350 let (table_name, column_aliases) = match alias {
351 None => (table_name, vec![]),
352 Some(TableAlias { name, columns }) => (name.real_value(), columns),
353 };
354
355 let num_col_aliases = column_aliases.len();
356
357 let begin = self.context.columns.len();
358 let mut alias_iter = column_aliases.into_iter().fuse();
361 let mut index = 0;
362 columns.into_iter().for_each(|(is_hidden, mut field)| {
363 let name = match is_hidden {
364 true => field.name.clone(),
365 false => alias_iter
366 .next()
367 .map(|t| t.real_value())
368 .unwrap_or_else(|| field.name.clone()),
369 };
370 field.name.clone_from(&name);
371 self.context.columns.push(ColumnBinding::new(
372 table_name.clone(),
373 begin + index,
374 is_hidden,
375 field,
376 ));
377 self.context
378 .indices_of
379 .entry(name)
380 .or_default()
381 .push(self.context.columns.len() - 1);
382 index += 1;
383 });
384
385 let num_cols = index;
386 if num_cols < num_col_aliases {
387 return Err(ErrorCode::BindError(format!(
388 "table \"{table_name}\" has {num_cols} columns available but {num_col_aliases} column aliases specified",
389 ))
390 .into());
391 }
392
393 match self.context.range_of.entry(table_name.clone()) {
394 Entry::Occupied(_) => Err(ErrorCode::InternalError(format!(
395 "Duplicated table name while binding table to context: {}",
396 table_name
397 ))
398 .into()),
399 Entry::Vacant(entry) => {
400 entry.insert((begin, self.context.columns.len()));
401 Ok(())
402 }
403 }
404 }
405
406 pub fn bind_relation_by_name(
411 &mut self,
412 name: ObjectName,
413 alias: Option<TableAlias>,
414 as_of: Option<AsOf>,
415 allow_cross_db: bool,
416 ) -> Result<Relation> {
417 let (db_name, schema_name, table_name) = if allow_cross_db {
418 Self::resolve_db_schema_qualified_name(name)?
419 } else {
420 let (schema_name, table_name) =
421 Self::resolve_schema_qualified_name(&self.db_name, name)?;
422 (None, schema_name, table_name)
423 };
424
425 if schema_name.is_none()
426 && let Some(item) = self.context.cte_to_relation.get(&table_name)
428 {
429 if as_of.is_some() {
432 return Err(ErrorCode::BindError(
433 "Right table of a temporal join should not be a CTE. \
434 It should be a table, index, or materialized view"
435 .to_owned(),
436 )
437 .into());
438 }
439
440 let BindingCte {
441 share_id,
442 state: cte_state,
443 alias: mut original_alias,
444 } = item.deref().borrow().clone();
445
446 debug_assert_eq!(original_alias.name.real_value(), table_name);
448
449 if let Some(from_alias) = alias {
450 original_alias.name = from_alias.name;
451 original_alias.columns = original_alias
452 .columns
453 .into_iter()
454 .zip_longest(from_alias.columns)
455 .map(EitherOrBoth::into_right)
456 .collect();
457 }
458
459 match cte_state {
460 BindingCteState::Init => {
461 Err(ErrorCode::BindError("Base term of recursive CTE not found, consider writing it to left side of the `UNION ALL` operator".to_owned()).into())
462 }
463 BindingCteState::BaseResolved { base } => {
464 self.bind_table_to_context(
465 base.schema().fields.iter().map(|f| (false, f.clone())),
466 table_name.clone(),
467 Some(original_alias),
468 )?;
469 Ok(Relation::BackCteRef(Box::new(BoundBackCteRef { share_id, base })))
470 }
471 BindingCteState::Bound { query } => {
472 let input = BoundShareInput::Query(query);
473 self.bind_table_to_context(
474 input.fields()?,
475 table_name.clone(),
476 Some(original_alias),
477 )?;
478 Ok(Relation::Share(Box::new(BoundShare { share_id, input})))
481 }
482 BindingCteState::ChangeLog { table } => {
483 let input = BoundShareInput::ChangeLog(table);
484 self.bind_table_to_context(
485 input.fields()?,
486 table_name.clone(),
487 Some(original_alias),
488 )?;
489 Ok(Relation::Share(Box::new(BoundShare { share_id, input })))
490 },
491 }
492 } else {
493 self.bind_catalog_relation_by_name(
494 db_name.as_deref(),
495 schema_name.as_deref(),
496 &table_name,
497 alias,
498 as_of,
499 false,
500 )
501 }
502 }
503
504 fn bind_relation_by_function_arg(
506 &mut self,
507 arg: Option<FunctionArg>,
508 err_msg: &str,
509 ) -> Result<(Relation, ObjectName)> {
510 let Some(FunctionArg::Unnamed(FunctionArgExpr::Expr(expr))) = arg else {
511 return Err(ErrorCode::BindError(err_msg.to_owned()).into());
512 };
513 let table_name = match expr {
514 ParserExpr::Identifier(ident) => Ok::<_, RwError>(ObjectName(vec![ident])),
515 ParserExpr::CompoundIdentifier(idents) => Ok(ObjectName(idents)),
516 _ => Err(ErrorCode::BindError(err_msg.to_owned()).into()),
517 }?;
518
519 Ok((
520 self.bind_relation_by_name(table_name.clone(), None, None, true)?,
521 table_name,
522 ))
523 }
524
525 fn bind_column_by_function_args(
527 &mut self,
528 arg: Option<FunctionArg>,
529 err_msg: &str,
530 ) -> Result<Box<InputRef>> {
531 if let Some(time_col_arg) = arg
532 && let Some(ExprImpl::InputRef(time_col)) =
533 self.bind_function_arg(time_col_arg)?.into_iter().next()
534 {
535 Ok(time_col)
536 } else {
537 Err(ErrorCode::BindError(err_msg.to_owned()).into())
538 }
539 }
540
541 fn bind_internal_table(
543 &mut self,
544 args: Vec<FunctionArg>,
545 alias: Option<TableAlias>,
546 ) -> Result<Relation> {
547 if args.is_empty() || args.len() > 2 {
548 return Err(
549 ErrorCode::BindError("usage: rw_table(table_id[,schema_name])".to_owned()).into(),
550 );
551 }
552
553 let table_id: TableId = args[0]
554 .to_string()
555 .parse::<u32>()
556 .map_err(|err| {
557 RwError::from(ErrorCode::BindError(format!(
558 "invalid table id: {}",
559 err.as_report()
560 )))
561 })?
562 .into();
563
564 let schema = args.get(1).map(|arg| arg.to_string());
565
566 let table_name = self.catalog.get_table_name_by_id(table_id)?;
567 self.bind_catalog_relation_by_name(None, schema.as_deref(), &table_name, alias, None, false)
568 }
569
570 pub(super) fn bind_table_factor(&mut self, table_factor: TableFactor) -> Result<Relation> {
571 match table_factor {
572 TableFactor::Table { name, alias, as_of } => {
573 self.bind_relation_by_name(name, alias, as_of, true)
574 }
575 TableFactor::TableFunction {
576 name,
577 alias,
578 args,
579 with_ordinality,
580 } => {
581 self.try_mark_lateral_as_visible();
582 let result = self.bind_table_function(name, alias, args, with_ordinality);
583 self.try_mark_lateral_as_invisible();
584 result
585 }
586 TableFactor::Derived {
587 lateral,
588 subquery,
589 alias,
590 } => {
591 if lateral {
592 self.try_mark_lateral_as_visible();
594
595 let bound_subquery = self.bind_subquery_relation(*subquery, alias, true)?;
597
598 self.try_mark_lateral_as_invisible();
600 Ok(Relation::Subquery(Box::new(bound_subquery)))
601 } else {
602 self.push_lateral_context();
604 let bound_subquery = self.bind_subquery_relation(*subquery, alias, false)?;
605 self.pop_and_merge_lateral_context()?;
606 Ok(Relation::Subquery(Box::new(bound_subquery)))
607 }
608 }
609 TableFactor::NestedJoin(table_with_joins) => {
610 self.push_lateral_context();
611 let bound_join = self.bind_table_with_joins(*table_with_joins)?;
612 self.pop_and_merge_lateral_context()?;
613 Ok(bound_join)
614 }
615 }
616 }
617}