1mod analyze;
15mod data_type;
16pub(crate) mod ddl;
17mod legacy_source;
18mod operator;
19mod query;
20mod statement;
21mod value;
22
23#[cfg(not(feature = "std"))]
24use alloc::{
25 boxed::Box,
26 string::{String, ToString},
27 vec::Vec,
28};
29use core::fmt;
30use core::fmt::Display;
31use std::collections::HashSet;
32use std::sync::Arc;
33
34use itertools::Itertools;
35#[cfg(feature = "serde")]
36use serde::{Deserialize, Serialize};
37use winnow::ModalResult;
38
39pub use self::data_type::{DataType, StructField};
40pub use self::ddl::{
41 AlterColumnOperation, AlterConnectionOperation, AlterDatabaseOperation, AlterFragmentOperation,
42 AlterFunctionOperation, AlterSchemaOperation, AlterSecretOperation, AlterTableOperation,
43 ColumnDef, ColumnOption, ColumnOptionDef, ReferentialAction, SourceWatermark, TableConstraint,
44 WebhookSourceInfo,
45};
46pub use self::legacy_source::{CompatibleFormatEncode, get_delimiter};
47pub use self::operator::{BinaryOperator, QualifiedOperator, UnaryOperator};
48pub use self::query::{
49 Corresponding, Cte, CteInner, Distinct, Fetch, Join, JoinConstraint, JoinOperator, LateralView,
50 OrderByExpr, Query, Select, SelectItem, SetExpr, SetOperator, TableAlias, TableFactor,
51 TableWithJoins, Top, Values, With,
52};
53pub use self::statement::*;
54pub use self::value::{
55 ConnectionRefValue, CstyleEscapedString, DateTimeField, DollarQuotedString, JsonPredicateType,
56 SecretRefAsType, SecretRefValue, TrimWhereField, Value,
57};
58pub use crate::ast::analyze::AnalyzeTarget;
59pub use crate::ast::ddl::{
60 AlterIndexOperation, AlterSinkOperation, AlterSourceOperation, AlterSubscriptionOperation,
61 AlterViewOperation,
62};
63use crate::keywords::Keyword;
64use crate::parser::{IncludeOption, IncludeOptionItem, Parser, ParserError, StrError};
65
66pub type RedactSqlOptionKeywordsRef = Arc<HashSet<String>>;
67
68tokio::task_local! {
69 pub static REDACT_SQL_OPTION_KEYWORDS: RedactSqlOptionKeywordsRef;
70}
71
72pub struct DisplaySeparated<'a, T>
73where
74 T: fmt::Display,
75{
76 slice: &'a [T],
77 sep: &'static str,
78}
79
80impl<T> fmt::Display for DisplaySeparated<'_, T>
81where
82 T: fmt::Display,
83{
84 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
85 let mut delim = "";
86 for t in self.slice {
87 write!(f, "{}", delim)?;
88 delim = self.sep;
89 write!(f, "{}", t)?;
90 }
91 Ok(())
92 }
93}
94
95pub fn display_separated<'a, T>(slice: &'a [T], sep: &'static str) -> DisplaySeparated<'a, T>
96where
97 T: fmt::Display,
98{
99 DisplaySeparated { slice, sep }
100}
101
102pub fn display_comma_separated<T>(slice: &[T]) -> DisplaySeparated<'_, T>
103where
104 T: fmt::Display,
105{
106 DisplaySeparated { slice, sep: ", " }
107}
108
109#[derive(Debug, Clone, PartialEq, Eq, Hash)]
111#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
112pub struct Ident {
113 pub(crate) value: String,
115 pub(crate) quote_style: Option<char>,
118}
119
120impl Ident {
121 pub fn new_unchecked<S>(value: S) -> Self
124 where
125 S: Into<String>,
126 {
127 Ident {
128 value: value.into(),
129 quote_style: None,
130 }
131 }
132
133 pub fn with_quote_unchecked<S>(quote: char, value: S) -> Self
137 where
138 S: Into<String>,
139 {
140 Ident {
141 value: value.into(),
142 quote_style: Some(quote),
143 }
144 }
145
146 pub fn with_quote_check<S>(quote: char, value: S) -> Result<Ident, ParserError>
149 where
150 S: Into<String>,
151 {
152 let value_str = value.into();
153 if value_str.is_empty() {
154 return Err(ParserError::ParserError(format!(
155 "zero-length delimited identifier at or near \"{value_str}\""
156 )));
157 }
158
159 if !(quote == '\'' || quote == '"' || quote == '`' || quote == '[') {
160 return Err(ParserError::ParserError(
161 "unexpected quote style".to_owned(),
162 ));
163 }
164
165 Ok(Ident {
166 value: value_str,
167 quote_style: Some(quote),
168 })
169 }
170
171 pub fn real_value(&self) -> String {
175 match self.quote_style {
176 Some('"') => self.value.clone(),
177 _ => self.value.to_lowercase(),
178 }
179 }
180
181 pub fn quote_style(&self) -> Option<char> {
182 self.quote_style
183 }
184}
185
186impl From<&str> for Ident {
187 fn from(value: &str) -> Self {
188 Ident {
189 value: value.to_owned(),
190 quote_style: None,
191 }
192 }
193}
194
195impl ParseTo for Ident {
196 fn parse_to(parser: &mut Parser<'_>) -> ModalResult<Self> {
197 parser.parse_identifier()
198 }
199}
200
201impl fmt::Display for Ident {
202 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
203 match self.quote_style {
204 Some(q) if q == '"' || q == '\'' || q == '`' => write!(f, "{}{}{}", q, self.value, q),
205 Some('[') => write!(f, "[{}]", self.value),
206 None => f.write_str(&self.value),
207 _ => panic!("unexpected quote style"),
208 }
209 }
210}
211
212#[derive(Debug, Clone, PartialEq, Eq, Hash)]
216#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
217pub struct ObjectName(pub Vec<Ident>);
218
219impl ObjectName {
220 pub fn real_value(&self) -> String {
221 self.0
222 .iter()
223 .map(|ident| ident.real_value())
224 .collect::<Vec<_>>()
225 .join(".")
226 }
227
228 pub fn from_test_str(s: &str) -> Self {
229 ObjectName::from(vec![s.into()])
230 }
231}
232
233impl fmt::Display for ObjectName {
234 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
235 write!(f, "{}", display_separated(&self.0, "."))
236 }
237}
238
239impl ParseTo for ObjectName {
240 fn parse_to(p: &mut Parser<'_>) -> ModalResult<Self> {
241 p.parse_object_name()
242 }
243}
244
245impl From<Vec<Ident>> for ObjectName {
246 fn from(value: Vec<Ident>) -> Self {
247 Self(value)
248 }
249}
250
251#[derive(Debug, Clone, PartialEq, Eq, Hash)]
253#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
254pub struct Array {
255 pub elem: Vec<Expr>,
257
258 pub named: bool,
260}
261
262impl fmt::Display for Array {
263 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
264 write!(
265 f,
266 "{}[{}]",
267 if self.named { "ARRAY" } else { "" },
268 display_comma_separated(&self.elem)
269 )
270 }
271}
272
273#[derive(Copy, Clone, Debug, PartialEq, Eq, Hash)]
275#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
276pub struct EscapeChar(Option<char>);
277
278impl EscapeChar {
279 pub fn escape(ch: char) -> Self {
280 Self(Some(ch))
281 }
282
283 pub fn empty() -> Self {
284 Self(None)
285 }
286}
287
288impl fmt::Display for EscapeChar {
289 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
290 match self.0 {
291 Some(ch) => write!(f, "{}", ch),
292 None => f.write_str(""),
293 }
294 }
295}
296
297#[derive(Debug, Clone, PartialEq, Eq, Hash)]
303#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
304pub enum Expr {
305 Identifier(Ident),
307 CompoundIdentifier(Vec<Ident>),
309 FieldIdentifier(Box<Expr>, Vec<Ident>),
321 IsNull(Box<Expr>),
323 IsNotNull(Box<Expr>),
325 IsTrue(Box<Expr>),
327 IsNotTrue(Box<Expr>),
329 IsFalse(Box<Expr>),
331 IsNotFalse(Box<Expr>),
333 IsUnknown(Box<Expr>),
335 IsNotUnknown(Box<Expr>),
337 IsDistinctFrom(Box<Expr>, Box<Expr>),
339 IsNotDistinctFrom(Box<Expr>, Box<Expr>),
341 IsJson {
346 expr: Box<Expr>,
347 negated: bool,
348 item_type: JsonPredicateType,
349 unique_keys: bool,
350 },
351 InList {
353 expr: Box<Expr>,
354 list: Vec<Expr>,
355 negated: bool,
356 },
357 InSubquery {
359 expr: Box<Expr>,
360 subquery: Box<Query>,
361 negated: bool,
362 },
363 Between {
365 expr: Box<Expr>,
366 negated: bool,
367 low: Box<Expr>,
368 high: Box<Expr>,
369 },
370 Like {
372 negated: bool,
373 expr: Box<Expr>,
374 pattern: Box<Expr>,
375 escape_char: Option<EscapeChar>,
376 },
377 ILike {
379 negated: bool,
380 expr: Box<Expr>,
381 pattern: Box<Expr>,
382 escape_char: Option<EscapeChar>,
383 },
384 SimilarTo {
386 negated: bool,
387 expr: Box<Expr>,
388 pattern: Box<Expr>,
389 escape_char: Option<EscapeChar>,
390 },
391 BinaryOp {
393 left: Box<Expr>,
394 op: BinaryOperator,
395 right: Box<Expr>,
396 },
397 SomeOp(Box<Expr>),
399 AllOp(Box<Expr>),
401 UnaryOp {
403 op: UnaryOperator,
404 expr: Box<Expr>,
405 },
406 Cast {
408 expr: Box<Expr>,
409 data_type: DataType,
410 },
411 TryCast {
414 expr: Box<Expr>,
415 data_type: DataType,
416 },
417 AtTimeZone {
420 timestamp: Box<Expr>,
421 time_zone: Box<Expr>,
422 },
423 Extract {
425 field: String,
426 expr: Box<Expr>,
427 },
428 Substring {
430 expr: Box<Expr>,
431 substring_from: Option<Box<Expr>>,
432 substring_for: Option<Box<Expr>>,
433 },
434 Position {
436 substring: Box<Expr>,
437 string: Box<Expr>,
438 },
439 Overlay {
441 expr: Box<Expr>,
442 new_substring: Box<Expr>,
443 start: Box<Expr>,
444 count: Option<Box<Expr>>,
445 },
446 Trim {
450 expr: Box<Expr>,
451 trim_where: Option<TrimWhereField>,
453 trim_what: Option<Box<Expr>>,
454 },
455 Collate {
457 expr: Box<Expr>,
458 collation: ObjectName,
459 },
460 Nested(Box<Expr>),
462 Value(Value),
464 Parameter {
466 index: u64,
467 },
468 TypedString {
472 data_type: DataType,
473 value: String,
474 },
475 Function(Function),
477 Case {
483 operand: Option<Box<Expr>>,
484 conditions: Vec<Expr>,
485 results: Vec<Expr>,
486 else_result: Option<Box<Expr>>,
487 },
488 Exists(Box<Query>),
491 Subquery(Box<Query>),
494 GroupingSets(Vec<Vec<Expr>>),
496 Cube(Vec<Vec<Expr>>),
498 Rollup(Vec<Vec<Expr>>),
500 Row(Vec<Expr>),
502 Array(Array),
504 ArraySubquery(Box<Query>),
506 Index {
508 obj: Box<Expr>,
509 index: Box<Expr>,
510 },
511 ArrayRangeIndex {
513 obj: Box<Expr>,
514 start: Option<Box<Expr>>,
515 end: Option<Box<Expr>>,
516 },
517 LambdaFunction {
518 args: Vec<Ident>,
519 body: Box<Expr>,
520 },
521 Map {
522 entries: Vec<(Expr, Expr)>,
523 },
524}
525
526impl fmt::Display for Expr {
527 #[expect(clippy::disallowed_methods, reason = "use zip_eq")]
528 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
529 match self {
530 Expr::Identifier(s) => write!(f, "{}", s),
531 Expr::CompoundIdentifier(s) => write!(f, "{}", display_separated(s, ".")),
532 Expr::FieldIdentifier(ast, s) => write!(f, "({}).{}", ast, display_separated(s, ".")),
533 Expr::IsNull(ast) => write!(f, "{} IS NULL", ast),
534 Expr::IsNotNull(ast) => write!(f, "{} IS NOT NULL", ast),
535 Expr::IsTrue(ast) => write!(f, "{} IS TRUE", ast),
536 Expr::IsNotTrue(ast) => write!(f, "{} IS NOT TRUE", ast),
537 Expr::IsFalse(ast) => write!(f, "{} IS FALSE", ast),
538 Expr::IsNotFalse(ast) => write!(f, "{} IS NOT FALSE", ast),
539 Expr::IsUnknown(ast) => write!(f, "{} IS UNKNOWN", ast),
540 Expr::IsNotUnknown(ast) => write!(f, "{} IS NOT UNKNOWN", ast),
541 Expr::IsJson {
542 expr,
543 negated,
544 item_type,
545 unique_keys,
546 } => write!(
547 f,
548 "{} IS {}JSON{}{}",
549 expr,
550 if *negated { "NOT " } else { "" },
551 item_type,
552 if *unique_keys {
553 " WITH UNIQUE KEYS"
554 } else {
555 ""
556 },
557 ),
558 Expr::InList {
559 expr,
560 list,
561 negated,
562 } => write!(
563 f,
564 "{} {}IN ({})",
565 expr,
566 if *negated { "NOT " } else { "" },
567 display_comma_separated(list)
568 ),
569 Expr::InSubquery {
570 expr,
571 subquery,
572 negated,
573 } => write!(
574 f,
575 "{} {}IN ({})",
576 expr,
577 if *negated { "NOT " } else { "" },
578 subquery
579 ),
580 Expr::Between {
581 expr,
582 negated,
583 low,
584 high,
585 } => write!(
586 f,
587 "{} {}BETWEEN {} AND {}",
588 expr,
589 if *negated { "NOT " } else { "" },
590 low,
591 high
592 ),
593 Expr::Like {
594 negated,
595 expr,
596 pattern,
597 escape_char,
598 } => match escape_char {
599 Some(ch) => write!(
600 f,
601 "{} {}LIKE {} ESCAPE '{}'",
602 expr,
603 if *negated { "NOT " } else { "" },
604 pattern,
605 ch
606 ),
607 _ => write!(
608 f,
609 "{} {}LIKE {}",
610 expr,
611 if *negated { "NOT " } else { "" },
612 pattern
613 ),
614 },
615 Expr::ILike {
616 negated,
617 expr,
618 pattern,
619 escape_char,
620 } => match escape_char {
621 Some(ch) => write!(
622 f,
623 "{} {}ILIKE {} ESCAPE '{}'",
624 expr,
625 if *negated { "NOT " } else { "" },
626 pattern,
627 ch
628 ),
629 _ => write!(
630 f,
631 "{} {}ILIKE {}",
632 expr,
633 if *negated { "NOT " } else { "" },
634 pattern
635 ),
636 },
637 Expr::SimilarTo {
638 negated,
639 expr,
640 pattern,
641 escape_char,
642 } => match escape_char {
643 Some(ch) => write!(
644 f,
645 "{} {}SIMILAR TO {} ESCAPE '{}'",
646 expr,
647 if *negated { "NOT " } else { "" },
648 pattern,
649 ch
650 ),
651 _ => write!(
652 f,
653 "{} {}SIMILAR TO {}",
654 expr,
655 if *negated { "NOT " } else { "" },
656 pattern
657 ),
658 },
659 Expr::BinaryOp { left, op, right } => write!(f, "{} {} {}", left, op, right),
660 Expr::SomeOp(expr) => write!(f, "SOME({})", expr),
661 Expr::AllOp(expr) => write!(f, "ALL({})", expr),
662 Expr::UnaryOp { op, expr } => {
663 if op == &UnaryOperator::PGPostfixFactorial {
664 write!(f, "{}{}", expr, op)
665 } else {
666 write!(f, "{} {}", op, expr)
667 }
668 }
669 Expr::Cast { expr, data_type } => write!(f, "CAST({} AS {})", expr, data_type),
670 Expr::TryCast { expr, data_type } => write!(f, "TRY_CAST({} AS {})", expr, data_type),
671 Expr::AtTimeZone {
672 timestamp,
673 time_zone,
674 } => write!(f, "{} AT TIME ZONE {}", timestamp, time_zone),
675 Expr::Extract { field, expr } => write!(f, "EXTRACT({} FROM {})", field, expr),
676 Expr::Collate { expr, collation } => write!(f, "{} COLLATE {}", expr, collation),
677 Expr::Nested(ast) => write!(f, "({})", ast),
678 Expr::Value(v) => write!(f, "{}", v),
679 Expr::Parameter { index } => write!(f, "${}", index),
680 Expr::TypedString { data_type, value } => {
681 write!(f, "{}", data_type)?;
682 write!(f, " '{}'", &value::escape_single_quote_string(value))
683 }
684 Expr::Function(fun) => write!(f, "{}", fun),
685 Expr::Case {
686 operand,
687 conditions,
688 results,
689 else_result,
690 } => {
691 write!(f, "CASE")?;
692 if let Some(operand) = operand {
693 write!(f, " {}", operand)?;
694 }
695 for (c, r) in conditions.iter().zip_eq(results) {
696 write!(f, " WHEN {} THEN {}", c, r)?;
697 }
698
699 if let Some(else_result) = else_result {
700 write!(f, " ELSE {}", else_result)?;
701 }
702 write!(f, " END")
703 }
704 Expr::Exists(s) => write!(f, "EXISTS ({})", s),
705 Expr::Subquery(s) => write!(f, "({})", s),
706 Expr::GroupingSets(sets) => {
707 write!(f, "GROUPING SETS (")?;
708 let mut sep = "";
709 for set in sets {
710 write!(f, "{}", sep)?;
711 sep = ", ";
712 write!(f, "({})", display_comma_separated(set))?;
713 }
714 write!(f, ")")
715 }
716 Expr::Cube(sets) => {
717 write!(f, "CUBE (")?;
718 let mut sep = "";
719 for set in sets {
720 write!(f, "{}", sep)?;
721 sep = ", ";
722 if set.len() == 1 {
723 write!(f, "{}", set[0])?;
724 } else {
725 write!(f, "({})", display_comma_separated(set))?;
726 }
727 }
728 write!(f, ")")
729 }
730 Expr::Rollup(sets) => {
731 write!(f, "ROLLUP (")?;
732 let mut sep = "";
733 for set in sets {
734 write!(f, "{}", sep)?;
735 sep = ", ";
736 if set.len() == 1 {
737 write!(f, "{}", set[0])?;
738 } else {
739 write!(f, "({})", display_comma_separated(set))?;
740 }
741 }
742 write!(f, ")")
743 }
744 Expr::Substring {
745 expr,
746 substring_from,
747 substring_for,
748 } => {
749 write!(f, "SUBSTRING({}", expr)?;
750 if let Some(from_part) = substring_from {
751 write!(f, " FROM {}", from_part)?;
752 }
753 if let Some(from_part) = substring_for {
754 write!(f, " FOR {}", from_part)?;
755 }
756
757 write!(f, ")")
758 }
759 Expr::Position { substring, string } => {
760 write!(f, "POSITION({} IN {})", substring, string)
761 }
762 Expr::Overlay {
763 expr,
764 new_substring,
765 start,
766 count,
767 } => {
768 write!(f, "OVERLAY({}", expr)?;
769 write!(f, " PLACING {}", new_substring)?;
770 write!(f, " FROM {}", start)?;
771
772 if let Some(count_expr) = count {
773 write!(f, " FOR {}", count_expr)?;
774 }
775
776 write!(f, ")")
777 }
778 Expr::IsDistinctFrom(a, b) => write!(f, "{} IS DISTINCT FROM {}", a, b),
779 Expr::IsNotDistinctFrom(a, b) => write!(f, "{} IS NOT DISTINCT FROM {}", a, b),
780 Expr::Trim {
781 expr,
782 trim_where,
783 trim_what,
784 } => {
785 write!(f, "TRIM(")?;
786 if let Some(ident) = trim_where {
787 write!(f, "{} ", ident)?;
788 }
789 if let Some(trim_char) = trim_what {
790 write!(f, "{} ", trim_char)?;
791 }
792 write!(f, "FROM {})", expr)
793 }
794 Expr::Row(exprs) => write!(
795 f,
796 "ROW({})",
797 exprs
798 .iter()
799 .map(|v| v.to_string())
800 .collect::<Vec<String>>()
801 .as_slice()
802 .join(", ")
803 ),
804 Expr::Index { obj, index } => {
805 write!(f, "{}[{}]", obj, index)?;
806 Ok(())
807 }
808 Expr::ArrayRangeIndex { obj, start, end } => {
809 let start_str = match start {
810 None => "".to_owned(),
811 Some(start) => format!("{}", start),
812 };
813 let end_str = match end {
814 None => "".to_owned(),
815 Some(end) => format!("{}", end),
816 };
817 write!(f, "{}[{}:{}]", obj, start_str, end_str)?;
818 Ok(())
819 }
820 Expr::Array(exprs) => write!(f, "{}", exprs),
821 Expr::ArraySubquery(s) => write!(f, "ARRAY ({})", s),
822 Expr::LambdaFunction { args, body } => {
823 write!(
824 f,
825 "|{}| {}",
826 args.iter().map(ToString::to_string).join(", "),
827 body
828 )
829 }
830 Expr::Map { entries } => {
831 write!(
832 f,
833 "MAP {{{}}}",
834 entries
835 .iter()
836 .map(|(k, v)| format!("{}: {}", k, v))
837 .join(", ")
838 )
839 }
840 }
841 }
842}
843
844#[derive(Debug, Clone, PartialEq, Eq, Hash)]
846#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
847pub struct WindowSpec {
848 pub partition_by: Vec<Expr>,
849 pub order_by: Vec<OrderByExpr>,
850 pub window_frame: Option<WindowFrame>,
851}
852
853impl fmt::Display for WindowSpec {
854 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
855 let mut delim = "";
856 if !self.partition_by.is_empty() {
857 delim = " ";
858 write!(
859 f,
860 "PARTITION BY {}",
861 display_comma_separated(&self.partition_by)
862 )?;
863 }
864 if !self.order_by.is_empty() {
865 f.write_str(delim)?;
866 delim = " ";
867 write!(f, "ORDER BY {}", display_comma_separated(&self.order_by))?;
868 }
869 if let Some(window_frame) = &self.window_frame {
870 f.write_str(delim)?;
871 window_frame.fmt(f)?;
872 }
873 Ok(())
874 }
875}
876
877#[derive(Debug, Clone, PartialEq, Eq, Hash)]
883#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
884pub struct WindowFrame {
885 pub units: WindowFrameUnits,
886 pub bounds: WindowFrameBounds,
887 pub exclusion: Option<WindowFrameExclusion>,
888}
889
890#[derive(Debug, Clone, PartialEq, Eq, Hash)]
891#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
892pub enum WindowFrameUnits {
893 Rows,
894 Range,
895 Groups,
896 Session,
897}
898
899#[derive(Debug, Clone, PartialEq, Eq, Hash)]
900#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
901pub enum WindowFrameBounds {
902 Bounds {
903 start: WindowFrameBound,
904 end: Option<WindowFrameBound>,
908 },
909 Gap(Box<Expr>),
910}
911
912impl fmt::Display for WindowFrame {
913 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
914 write!(f, "{} ", self.units)?;
915 match &self.bounds {
916 WindowFrameBounds::Bounds { start, end } => {
917 if let Some(end) = end {
918 write!(f, "BETWEEN {} AND {}", start, end)
919 } else {
920 write!(f, "{}", start)
921 }
922 }
923 WindowFrameBounds::Gap(gap) => {
924 write!(f, "WITH GAP {}", gap)
925 }
926 }
927 }
928}
929
930impl fmt::Display for WindowFrameUnits {
931 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
932 f.write_str(match self {
933 WindowFrameUnits::Rows => "ROWS",
934 WindowFrameUnits::Range => "RANGE",
935 WindowFrameUnits::Groups => "GROUPS",
936 WindowFrameUnits::Session => "SESSION",
937 })
938 }
939}
940
941#[derive(Debug, Clone, PartialEq, Eq, Hash)]
943#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
944pub enum WindowFrameBound {
945 CurrentRow,
947 Preceding(Option<Box<Expr>>),
949 Following(Option<Box<Expr>>),
951}
952
953impl fmt::Display for WindowFrameBound {
954 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
955 match self {
956 WindowFrameBound::CurrentRow => f.write_str("CURRENT ROW"),
957 WindowFrameBound::Preceding(None) => f.write_str("UNBOUNDED PRECEDING"),
958 WindowFrameBound::Following(None) => f.write_str("UNBOUNDED FOLLOWING"),
959 WindowFrameBound::Preceding(Some(n)) => write!(f, "{} PRECEDING", n),
960 WindowFrameBound::Following(Some(n)) => write!(f, "{} FOLLOWING", n),
961 }
962 }
963}
964
965#[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
967#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
968pub enum WindowFrameExclusion {
969 CurrentRow,
970 Group,
971 Ties,
972 NoOthers,
973}
974
975impl fmt::Display for WindowFrameExclusion {
976 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
977 match self {
978 WindowFrameExclusion::CurrentRow => f.write_str("EXCLUDE CURRENT ROW"),
979 WindowFrameExclusion::Group => f.write_str("EXCLUDE GROUP"),
980 WindowFrameExclusion::Ties => f.write_str("EXCLUDE TIES"),
981 WindowFrameExclusion::NoOthers => f.write_str("EXCLUDE NO OTHERS"),
982 }
983 }
984}
985
986#[derive(Debug, Clone, PartialEq, Eq, Hash)]
987#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
988pub enum AddDropSync {
989 ADD,
990 DROP,
991 SYNC,
992}
993
994impl fmt::Display for AddDropSync {
995 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
996 match self {
997 AddDropSync::SYNC => f.write_str("SYNC PARTITIONS"),
998 AddDropSync::DROP => f.write_str("DROP PARTITIONS"),
999 AddDropSync::ADD => f.write_str("ADD PARTITIONS"),
1000 }
1001 }
1002}
1003
1004#[derive(Debug, Clone, PartialEq, Eq, Hash)]
1005#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
1006pub enum ShowObject {
1007 Table { schema: Option<Ident> },
1008 InternalTable { schema: Option<Ident> },
1009 Database,
1010 Schema,
1011 View { schema: Option<Ident> },
1012 MaterializedView { schema: Option<Ident> },
1013 Source { schema: Option<Ident> },
1014 Sink { schema: Option<Ident> },
1015 Subscription { schema: Option<Ident> },
1016 Columns { table: ObjectName },
1017 Connection { schema: Option<Ident> },
1018 Secret { schema: Option<Ident> },
1019 Function { schema: Option<Ident> },
1020 Indexes { table: ObjectName },
1021 Cluster,
1022 Jobs,
1023 ProcessList,
1024 Cursor,
1025 SubscriptionCursor,
1026}
1027
1028#[derive(Debug, Clone, PartialEq, Eq, Hash)]
1029#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
1030pub struct JobIdents(pub Vec<u32>);
1031
1032impl fmt::Display for ShowObject {
1033 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1034 fn fmt_schema(schema: &Option<Ident>) -> String {
1035 if let Some(schema) = schema {
1036 format!(" FROM {}", schema.value)
1037 } else {
1038 "".to_owned()
1039 }
1040 }
1041
1042 match self {
1043 ShowObject::Database => f.write_str("DATABASES"),
1044 ShowObject::Schema => f.write_str("SCHEMAS"),
1045 ShowObject::Table { schema } => {
1046 write!(f, "TABLES{}", fmt_schema(schema))
1047 }
1048 ShowObject::InternalTable { schema } => {
1049 write!(f, "INTERNAL TABLES{}", fmt_schema(schema))
1050 }
1051 ShowObject::View { schema } => {
1052 write!(f, "VIEWS{}", fmt_schema(schema))
1053 }
1054 ShowObject::MaterializedView { schema } => {
1055 write!(f, "MATERIALIZED VIEWS{}", fmt_schema(schema))
1056 }
1057 ShowObject::Source { schema } => write!(f, "SOURCES{}", fmt_schema(schema)),
1058 ShowObject::Sink { schema } => write!(f, "SINKS{}", fmt_schema(schema)),
1059 ShowObject::Columns { table } => write!(f, "COLUMNS FROM {}", table),
1060 ShowObject::Connection { schema } => write!(f, "CONNECTIONS{}", fmt_schema(schema)),
1061 ShowObject::Function { schema } => write!(f, "FUNCTIONS{}", fmt_schema(schema)),
1062 ShowObject::Indexes { table } => write!(f, "INDEXES FROM {}", table),
1063 ShowObject::Cluster => {
1064 write!(f, "CLUSTER")
1065 }
1066 ShowObject::Jobs => write!(f, "JOBS"),
1067 ShowObject::ProcessList => write!(f, "PROCESSLIST"),
1068 ShowObject::Subscription { schema } => write!(f, "SUBSCRIPTIONS{}", fmt_schema(schema)),
1069 ShowObject::Secret { schema } => write!(f, "SECRETS{}", fmt_schema(schema)),
1070 ShowObject::Cursor => write!(f, "CURSORS"),
1071 ShowObject::SubscriptionCursor => write!(f, "SUBSCRIPTION CURSORS"),
1072 }
1073 }
1074}
1075
1076#[derive(Debug, Clone, PartialEq, Eq, Hash)]
1077#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
1078pub enum ShowCreateType {
1079 Table,
1080 MaterializedView,
1081 View,
1082 Index,
1083 Source,
1084 Sink,
1085 Function,
1086 Subscription,
1087}
1088
1089impl fmt::Display for ShowCreateType {
1090 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1091 match self {
1092 ShowCreateType::Table => f.write_str("TABLE"),
1093 ShowCreateType::MaterializedView => f.write_str("MATERIALIZED VIEW"),
1094 ShowCreateType::View => f.write_str("VIEW"),
1095 ShowCreateType::Index => f.write_str("INDEX"),
1096 ShowCreateType::Source => f.write_str("SOURCE"),
1097 ShowCreateType::Sink => f.write_str("SINK"),
1098 ShowCreateType::Function => f.write_str("FUNCTION"),
1099 ShowCreateType::Subscription => f.write_str("SUBSCRIPTION"),
1100 }
1101 }
1102}
1103
1104#[derive(Debug, Clone, PartialEq, Eq, Hash)]
1105#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
1106pub enum CommentObject {
1107 Column,
1108 Table,
1109}
1110
1111impl fmt::Display for CommentObject {
1112 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1113 match self {
1114 CommentObject::Column => f.write_str("COLUMN"),
1115 CommentObject::Table => f.write_str("TABLE"),
1116 }
1117 }
1118}
1119
1120#[derive(Debug, Clone, PartialEq, Eq, Hash)]
1121#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
1122pub enum ExplainType {
1123 Logical,
1124 Physical,
1125 DistSql,
1126}
1127
1128impl fmt::Display for ExplainType {
1129 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1130 match self {
1131 ExplainType::Logical => f.write_str("Logical"),
1132 ExplainType::Physical => f.write_str("Physical"),
1133 ExplainType::DistSql => f.write_str("DistSQL"),
1134 }
1135 }
1136}
1137
1138#[derive(Debug, Clone, PartialEq, Eq, Hash)]
1139#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
1140pub enum ExplainFormat {
1141 Text,
1142 Json,
1143 Xml,
1144 Yaml,
1145 Dot,
1146}
1147
1148impl fmt::Display for ExplainFormat {
1149 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1150 match self {
1151 ExplainFormat::Text => f.write_str("TEXT"),
1152 ExplainFormat::Json => f.write_str("JSON"),
1153 ExplainFormat::Xml => f.write_str("XML"),
1154 ExplainFormat::Yaml => f.write_str("YAML"),
1155 ExplainFormat::Dot => f.write_str("DOT"),
1156 }
1157 }
1158}
1159
1160#[derive(Debug, Clone, PartialEq, Eq, Hash)]
1161#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
1162pub struct ExplainOptions {
1163 pub verbose: bool,
1165 pub trace: bool,
1167 pub explain_type: ExplainType,
1169 pub explain_format: ExplainFormat,
1171}
1172
1173impl Default for ExplainOptions {
1174 fn default() -> Self {
1175 Self {
1176 verbose: false,
1177 trace: false,
1178 explain_type: ExplainType::Physical,
1179 explain_format: ExplainFormat::Text,
1180 }
1181 }
1182}
1183
1184impl fmt::Display for ExplainOptions {
1185 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1186 let default = Self::default();
1187 if *self == default {
1188 Ok(())
1189 } else {
1190 let mut option_strs = vec![];
1191 if self.verbose {
1192 option_strs.push("VERBOSE".to_owned());
1193 }
1194 if self.trace {
1195 option_strs.push("TRACE".to_owned());
1196 }
1197 if self.explain_type == default.explain_type {
1198 option_strs.push(self.explain_type.to_string());
1199 }
1200 if self.explain_format == default.explain_format {
1201 option_strs.push(self.explain_format.to_string());
1202 }
1203 write!(f, "{}", option_strs.iter().format(","))
1204 }
1205 }
1206}
1207
1208#[derive(Debug, Clone, PartialEq, Eq, Hash)]
1209#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
1210pub struct CdcTableInfo {
1211 pub source_name: ObjectName,
1212 pub external_table_name: String,
1213}
1214
1215#[allow(clippy::large_enum_variant)]
1217#[derive(Debug, Clone, PartialEq, Eq, Hash)]
1218#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
1219pub enum Statement {
1220 Analyze {
1222 table_name: ObjectName,
1223 },
1224 Truncate {
1226 table_name: ObjectName,
1227 },
1228 Query(Box<Query>),
1230 Insert {
1232 table_name: ObjectName,
1234 columns: Vec<Ident>,
1236 source: Box<Query>,
1238 returning: Vec<SelectItem>,
1240 },
1241 Copy {
1242 table_name: ObjectName,
1244 columns: Vec<Ident>,
1246 values: Vec<Option<String>>,
1248 },
1249 Update {
1251 table_name: ObjectName,
1253 assignments: Vec<Assignment>,
1255 selection: Option<Expr>,
1257 returning: Vec<SelectItem>,
1259 },
1260 Delete {
1262 table_name: ObjectName,
1264 selection: Option<Expr>,
1266 returning: Vec<SelectItem>,
1268 },
1269 Discard(DiscardType),
1271 CreateView {
1273 or_replace: bool,
1274 materialized: bool,
1275 if_not_exists: bool,
1276 name: ObjectName,
1278 columns: Vec<Ident>,
1279 query: Box<Query>,
1280 emit_mode: Option<EmitMode>,
1281 with_options: Vec<SqlOption>,
1282 },
1283 CreateTable {
1285 or_replace: bool,
1286 temporary: bool,
1287 if_not_exists: bool,
1288 name: ObjectName,
1290 columns: Vec<ColumnDef>,
1292 wildcard_idx: Option<usize>,
1294 constraints: Vec<TableConstraint>,
1295 with_options: Vec<SqlOption>,
1296 format_encode: Option<CompatibleFormatEncode>,
1298 source_watermarks: Vec<SourceWatermark>,
1300 append_only: bool,
1302 on_conflict: Option<OnConflict>,
1304 with_version_column: Option<Ident>,
1306 query: Option<Box<Query>>,
1308 cdc_table_info: Option<CdcTableInfo>,
1310 include_column_options: IncludeOption,
1312 webhook_info: Option<WebhookSourceInfo>,
1314 engine: Engine,
1316 },
1317 CreateIndex {
1319 name: ObjectName,
1321 table_name: ObjectName,
1322 columns: Vec<OrderByExpr>,
1323 include: Vec<Ident>,
1324 distributed_by: Vec<Expr>,
1325 unique: bool,
1326 if_not_exists: bool,
1327 },
1328 CreateSource {
1330 stmt: CreateSourceStatement,
1331 },
1332 CreateSink {
1334 stmt: CreateSinkStatement,
1335 },
1336 CreateSubscription {
1338 stmt: CreateSubscriptionStatement,
1339 },
1340 CreateConnection {
1342 stmt: CreateConnectionStatement,
1343 },
1344 CreateSecret {
1345 stmt: CreateSecretStatement,
1346 },
1347 CreateFunction {
1351 or_replace: bool,
1352 temporary: bool,
1353 if_not_exists: bool,
1354 name: ObjectName,
1355 args: Option<Vec<OperateFunctionArg>>,
1356 returns: Option<CreateFunctionReturns>,
1357 params: CreateFunctionBody,
1359 with_options: CreateFunctionWithOptions, },
1361 CreateAggregate {
1365 or_replace: bool,
1366 if_not_exists: bool,
1367 name: ObjectName,
1368 args: Vec<OperateFunctionArg>,
1369 returns: DataType,
1370 append_only: bool,
1372 params: CreateFunctionBody,
1373 },
1374
1375 DeclareCursor {
1377 stmt: DeclareCursorStatement,
1378 },
1379
1380 FetchCursor {
1382 stmt: FetchCursorStatement,
1383 },
1384
1385 CloseCursor {
1387 stmt: CloseCursorStatement,
1388 },
1389
1390 AlterDatabase {
1392 name: ObjectName,
1393 operation: AlterDatabaseOperation,
1394 },
1395 AlterSchema {
1397 name: ObjectName,
1398 operation: AlterSchemaOperation,
1399 },
1400 AlterTable {
1402 name: ObjectName,
1404 operation: AlterTableOperation,
1405 },
1406 AlterIndex {
1408 name: ObjectName,
1410 operation: AlterIndexOperation,
1411 },
1412 AlterView {
1414 name: ObjectName,
1416 materialized: bool,
1417 operation: AlterViewOperation,
1418 },
1419 AlterSink {
1421 name: ObjectName,
1423 operation: AlterSinkOperation,
1424 },
1425 AlterSubscription {
1426 name: ObjectName,
1427 operation: AlterSubscriptionOperation,
1428 },
1429 AlterSource {
1431 name: ObjectName,
1433 operation: AlterSourceOperation,
1434 },
1435 AlterFunction {
1437 name: ObjectName,
1439 args: Option<Vec<OperateFunctionArg>>,
1440 operation: AlterFunctionOperation,
1441 },
1442 AlterConnection {
1444 name: ObjectName,
1446 operation: AlterConnectionOperation,
1447 },
1448 AlterSecret {
1450 name: ObjectName,
1452 with_options: Vec<SqlOption>,
1453 operation: AlterSecretOperation,
1454 },
1455 AlterFragment {
1457 fragment_id: u32,
1458 operation: AlterFragmentOperation,
1459 },
1460 Describe {
1462 name: ObjectName,
1464 },
1465 ShowObjects {
1467 object: ShowObject,
1468 filter: Option<ShowStatementFilter>,
1469 },
1470 ShowCreateObject {
1472 create_type: ShowCreateType,
1474 name: ObjectName,
1476 },
1477 ShowTransactionIsolationLevel,
1478 CancelJobs(JobIdents),
1480 Kill(i32),
1483 Drop(DropStatement),
1485 DropFunction {
1487 if_exists: bool,
1488 func_desc: Vec<FunctionDesc>,
1490 option: Option<ReferentialAction>,
1492 },
1493 DropAggregate {
1495 if_exists: bool,
1496 func_desc: Vec<FunctionDesc>,
1498 option: Option<ReferentialAction>,
1500 },
1501 SetVariable {
1507 local: bool,
1508 variable: Ident,
1509 value: SetVariableValue,
1510 },
1511 ShowVariable {
1515 variable: Vec<Ident>,
1516 },
1517 StartTransaction {
1519 modes: Vec<TransactionMode>,
1520 },
1521 Begin {
1523 modes: Vec<TransactionMode>,
1524 },
1525 Abort,
1527 SetTransaction {
1529 modes: Vec<TransactionMode>,
1530 snapshot: Option<Value>,
1531 session: bool,
1532 },
1533 SetTimeZone {
1535 local: bool,
1536 value: SetTimeZoneValue,
1537 },
1538 Comment {
1542 object_type: CommentObject,
1543 object_name: ObjectName,
1544 comment: Option<String>,
1545 },
1546 Commit {
1548 chain: bool,
1549 },
1550 Rollback {
1552 chain: bool,
1553 },
1554 CreateSchema {
1556 schema_name: ObjectName,
1557 if_not_exists: bool,
1558 owner: Option<ObjectName>,
1559 },
1560 CreateDatabase {
1562 db_name: ObjectName,
1563 if_not_exists: bool,
1564 owner: Option<ObjectName>,
1565 resource_group: Option<SetVariableValue>,
1566 },
1567 Grant {
1569 privileges: Privileges,
1570 objects: GrantObjects,
1571 grantees: Vec<Ident>,
1572 with_grant_option: bool,
1573 granted_by: Option<Ident>,
1574 },
1575 Revoke {
1577 privileges: Privileges,
1578 objects: GrantObjects,
1579 grantees: Vec<Ident>,
1580 granted_by: Option<Ident>,
1581 revoke_grant_option: bool,
1582 cascade: bool,
1583 },
1584 Deallocate {
1588 name: Ident,
1589 prepare: bool,
1590 },
1591 Execute {
1595 name: Ident,
1596 parameters: Vec<Expr>,
1597 },
1598 Prepare {
1602 name: Ident,
1603 data_types: Vec<DataType>,
1604 statement: Box<Statement>,
1605 },
1606 Explain {
1608 analyze: bool,
1610 statement: Box<Statement>,
1612 options: ExplainOptions,
1614 },
1615 ExplainAnalyzeStreamJob {
1620 target: AnalyzeTarget,
1621 duration_secs: Option<u64>,
1622 },
1623 CreateUser(CreateUserStatement),
1625 AlterUser(AlterUserStatement),
1627 AlterSystem {
1629 param: Ident,
1630 value: SetVariableValue,
1631 },
1632 Flush,
1636 Wait,
1639 Recover,
1641 Use {
1645 db_name: ObjectName,
1646 },
1647}
1648
1649impl fmt::Display for Statement {
1650 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1651 let mut buf = String::new();
1652 self.fmt_inner(&mut buf)?;
1653 if matches!(
1655 self,
1656 Statement::CreateTable { .. } | Statement::CreateSource { .. }
1657 ) {
1658 let _ = Parser::parse_sql(&buf).expect("normalized SQL should be parsable");
1659 }
1660 f.write_str(&buf)
1661 }
1662}
1663
1664impl Statement {
1665 #[allow(clippy::cognitive_complexity)]
1668 fn fmt_inner(&self, mut f: impl std::fmt::Write) -> fmt::Result {
1669 match self {
1670 Statement::Explain {
1671 analyze,
1672 statement,
1673 options,
1674 } => {
1675 write!(f, "EXPLAIN ")?;
1676
1677 if *analyze {
1678 write!(f, "ANALYZE ")?;
1679 }
1680 write!(f, "{}", options)?;
1681
1682 statement.fmt_inner(f)
1683 }
1684 Statement::ExplainAnalyzeStreamJob {
1685 target,
1686 duration_secs,
1687 } => {
1688 write!(f, "EXPLAIN ANALYZE {}", target)?;
1689 if let Some(duration_secs) = duration_secs {
1690 write!(f, " (DURATION_SECS {})", duration_secs)?;
1691 }
1692 Ok(())
1693 }
1694 Statement::Query(s) => write!(f, "{}", s),
1695 Statement::Truncate { table_name } => {
1696 write!(f, "TRUNCATE TABLE {}", table_name)?;
1697 Ok(())
1698 }
1699 Statement::Analyze { table_name } => {
1700 write!(f, "ANALYZE TABLE {}", table_name)?;
1701 Ok(())
1702 }
1703 Statement::Describe { name } => {
1704 write!(f, "DESCRIBE {}", name)?;
1705 Ok(())
1706 }
1707 Statement::ShowObjects {
1708 object: show_object,
1709 filter,
1710 } => {
1711 write!(f, "SHOW {}", show_object)?;
1712 if let Some(filter) = filter {
1713 write!(f, " {}", filter)?;
1714 }
1715 Ok(())
1716 }
1717 Statement::ShowCreateObject {
1718 create_type: show_type,
1719 name,
1720 } => {
1721 write!(f, "SHOW CREATE {} {}", show_type, name)?;
1722 Ok(())
1723 }
1724 Statement::ShowTransactionIsolationLevel => {
1725 write!(f, "SHOW TRANSACTION ISOLATION LEVEL")?;
1726 Ok(())
1727 }
1728 Statement::Insert {
1729 table_name,
1730 columns,
1731 source,
1732 returning,
1733 } => {
1734 write!(f, "INSERT INTO {table_name} ", table_name = table_name,)?;
1735 if !columns.is_empty() {
1736 write!(f, "({}) ", display_comma_separated(columns))?;
1737 }
1738 write!(f, "{}", source)?;
1739 if !returning.is_empty() {
1740 write!(f, " RETURNING ({})", display_comma_separated(returning))?;
1741 }
1742 Ok(())
1743 }
1744 Statement::Copy {
1745 table_name,
1746 columns,
1747 values,
1748 } => {
1749 write!(f, "COPY {}", table_name)?;
1750 if !columns.is_empty() {
1751 write!(f, " ({})", display_comma_separated(columns))?;
1752 }
1753 write!(f, " FROM stdin; ")?;
1754 if !values.is_empty() {
1755 writeln!(f)?;
1756 let mut delim = "";
1757 for v in values {
1758 write!(f, "{}", delim)?;
1759 delim = "\t";
1760 if let Some(v) = v {
1761 write!(f, "{}", v)?;
1762 } else {
1763 write!(f, "\\N")?;
1764 }
1765 }
1766 }
1767 write!(f, "\n\\.")
1768 }
1769 Statement::Update {
1770 table_name,
1771 assignments,
1772 selection,
1773 returning,
1774 } => {
1775 write!(f, "UPDATE {}", table_name)?;
1776 if !assignments.is_empty() {
1777 write!(f, " SET {}", display_comma_separated(assignments))?;
1778 }
1779 if let Some(selection) = selection {
1780 write!(f, " WHERE {}", selection)?;
1781 }
1782 if !returning.is_empty() {
1783 write!(f, " RETURNING ({})", display_comma_separated(returning))?;
1784 }
1785 Ok(())
1786 }
1787 Statement::Delete {
1788 table_name,
1789 selection,
1790 returning,
1791 } => {
1792 write!(f, "DELETE FROM {}", table_name)?;
1793 if let Some(selection) = selection {
1794 write!(f, " WHERE {}", selection)?;
1795 }
1796 if !returning.is_empty() {
1797 write!(f, " RETURNING {}", display_comma_separated(returning))?;
1798 }
1799 Ok(())
1800 }
1801 Statement::CreateDatabase {
1802 db_name,
1803 if_not_exists,
1804 owner,
1805 resource_group,
1806 } => {
1807 write!(f, "CREATE DATABASE")?;
1808 if *if_not_exists {
1809 write!(f, " IF NOT EXISTS")?;
1810 }
1811 write!(f, " {}", db_name)?;
1812 if let Some(owner) = owner {
1813 write!(f, " WITH OWNER = {}", owner)?;
1814 }
1815 if let Some(resource_group) = resource_group {
1816 write!(f, " RESOURCE_GROUP = {}", resource_group)?;
1817 }
1818
1819 Ok(())
1820 }
1821 Statement::CreateFunction {
1822 or_replace,
1823 temporary,
1824 if_not_exists,
1825 name,
1826 args,
1827 returns,
1828 params,
1829 with_options,
1830 } => {
1831 write!(
1832 f,
1833 "CREATE {or_replace}{temp}FUNCTION {if_not_exists}{name}",
1834 temp = if *temporary { "TEMPORARY " } else { "" },
1835 or_replace = if *or_replace { "OR REPLACE " } else { "" },
1836 if_not_exists = if *if_not_exists { "IF NOT EXISTS " } else { "" },
1837 )?;
1838 if let Some(args) = args {
1839 write!(f, "({})", display_comma_separated(args))?;
1840 }
1841 if let Some(return_type) = returns {
1842 write!(f, " {}", return_type)?;
1843 }
1844 write!(f, "{params}")?;
1845 write!(f, "{with_options}")?;
1846 Ok(())
1847 }
1848 Statement::CreateAggregate {
1849 or_replace,
1850 if_not_exists,
1851 name,
1852 args,
1853 returns,
1854 append_only,
1855 params,
1856 } => {
1857 write!(
1858 f,
1859 "CREATE {or_replace}AGGREGATE {if_not_exists}{name}",
1860 or_replace = if *or_replace { "OR REPLACE " } else { "" },
1861 if_not_exists = if *if_not_exists { "IF NOT EXISTS " } else { "" },
1862 )?;
1863 write!(f, "({})", display_comma_separated(args))?;
1864 write!(f, " RETURNS {}", returns)?;
1865 if *append_only {
1866 write!(f, " APPEND ONLY")?;
1867 }
1868 write!(f, "{params}")?;
1869 Ok(())
1870 }
1871 Statement::CreateView {
1872 name,
1873 or_replace,
1874 if_not_exists,
1875 columns,
1876 query,
1877 materialized,
1878 with_options,
1879 emit_mode,
1880 } => {
1881 write!(
1882 f,
1883 "CREATE {or_replace}{materialized}VIEW {if_not_exists}{name}",
1884 or_replace = if *or_replace { "OR REPLACE " } else { "" },
1885 materialized = if *materialized { "MATERIALIZED " } else { "" },
1886 if_not_exists = if *if_not_exists { "IF NOT EXISTS " } else { "" },
1887 name = name
1888 )?;
1889 if !with_options.is_empty() {
1890 write!(f, " WITH ({})", display_comma_separated(with_options))?;
1891 }
1892 if !columns.is_empty() {
1893 write!(f, " ({})", display_comma_separated(columns))?;
1894 }
1895 write!(f, " AS {}", query)?;
1896 if let Some(emit_mode) = emit_mode {
1897 write!(f, " EMIT {}", emit_mode)?;
1898 }
1899 Ok(())
1900 }
1901 Statement::CreateTable {
1902 name,
1903 columns,
1904 wildcard_idx,
1905 constraints,
1906 with_options,
1907 or_replace,
1908 if_not_exists,
1909 temporary,
1910 format_encode,
1911 source_watermarks,
1912 append_only,
1913 on_conflict,
1914 with_version_column,
1915 query,
1916 cdc_table_info,
1917 include_column_options,
1918 webhook_info,
1919 engine,
1920 } => {
1921 write!(
1929 f,
1930 "CREATE {or_replace}{temporary}TABLE {if_not_exists}{name}",
1931 or_replace = if *or_replace { "OR REPLACE " } else { "" },
1932 if_not_exists = if *if_not_exists { "IF NOT EXISTS " } else { "" },
1933 temporary = if *temporary { "TEMPORARY " } else { "" },
1934 name = name,
1935 )?;
1936 if !columns.is_empty() || !constraints.is_empty() {
1937 write!(
1938 f,
1939 " {}",
1940 fmt_create_items(columns, constraints, source_watermarks, *wildcard_idx)?
1941 )?;
1942 } else if query.is_none() {
1943 write!(f, " ()")?;
1945 }
1946 if *append_only {
1947 write!(f, " APPEND ONLY")?;
1948 }
1949
1950 if let Some(on_conflict_behavior) = on_conflict {
1951 write!(f, " ON CONFLICT {}", on_conflict_behavior)?;
1952 }
1953 if let Some(version_column) = with_version_column {
1954 write!(f, " WITH VERSION COLUMN({})", version_column)?;
1955 }
1956 if !include_column_options.is_empty() {
1957 write!(f, " {}", display_separated(include_column_options, " "))?;
1958 }
1959 if !with_options.is_empty() {
1960 write!(f, " WITH ({})", display_comma_separated(with_options))?;
1961 }
1962 if let Some(format_encode) = format_encode {
1963 write!(f, " {}", format_encode)?;
1964 }
1965 if let Some(query) = query {
1966 write!(f, " AS {}", query)?;
1967 }
1968 if let Some(info) = cdc_table_info {
1969 write!(f, " FROM {}", info.source_name)?;
1970 write!(f, " TABLE '{}'", info.external_table_name)?;
1971 }
1972 if let Some(info) = webhook_info {
1973 if let Some(secret) = &info.secret_ref {
1974 write!(f, " VALIDATE SECRET {}", secret.secret_name)?;
1975 } else {
1976 write!(f, " VALIDATE")?;
1977 }
1978 write!(f, " AS {}", info.signature_expr)?;
1979 }
1980 match engine {
1981 Engine::Hummock => {}
1982 Engine::Iceberg => {
1983 write!(f, " ENGINE = {}", engine)?;
1984 }
1985 }
1986 Ok(())
1987 }
1988 Statement::CreateIndex {
1989 name,
1990 table_name,
1991 columns,
1992 include,
1993 distributed_by,
1994 unique,
1995 if_not_exists,
1996 } => write!(
1997 f,
1998 "CREATE {unique}INDEX {if_not_exists}{name} ON {table_name}({columns}){include}{distributed_by}",
1999 unique = if *unique { "UNIQUE " } else { "" },
2000 if_not_exists = if *if_not_exists { "IF NOT EXISTS " } else { "" },
2001 name = name,
2002 table_name = table_name,
2003 columns = display_comma_separated(columns),
2004 include = if include.is_empty() {
2005 "".to_owned()
2006 } else {
2007 format!(" INCLUDE({})", display_separated(include, ","))
2008 },
2009 distributed_by = if distributed_by.is_empty() {
2010 "".to_owned()
2011 } else {
2012 format!(
2013 " DISTRIBUTED BY({})",
2014 display_separated(distributed_by, ",")
2015 )
2016 }
2017 ),
2018 Statement::CreateSource { stmt } => write!(f, "CREATE SOURCE {}", stmt,),
2019 Statement::CreateSink { stmt } => write!(f, "CREATE SINK {}", stmt,),
2020 Statement::CreateSubscription { stmt } => write!(f, "CREATE SUBSCRIPTION {}", stmt,),
2021 Statement::CreateConnection { stmt } => write!(f, "CREATE CONNECTION {}", stmt,),
2022 Statement::DeclareCursor { stmt } => write!(f, "DECLARE {}", stmt,),
2023 Statement::FetchCursor { stmt } => write!(f, "FETCH {}", stmt),
2024 Statement::CloseCursor { stmt } => write!(f, "CLOSE {}", stmt),
2025 Statement::CreateSecret { stmt } => write!(f, "CREATE SECRET {}", stmt),
2026 Statement::AlterDatabase { name, operation } => {
2027 write!(f, "ALTER DATABASE {} {}", name, operation)
2028 }
2029 Statement::AlterSchema { name, operation } => {
2030 write!(f, "ALTER SCHEMA {} {}", name, operation)
2031 }
2032 Statement::AlterTable { name, operation } => {
2033 write!(f, "ALTER TABLE {} {}", name, operation)
2034 }
2035 Statement::AlterIndex { name, operation } => {
2036 write!(f, "ALTER INDEX {} {}", name, operation)
2037 }
2038 Statement::AlterView {
2039 materialized,
2040 name,
2041 operation,
2042 } => {
2043 write!(
2044 f,
2045 "ALTER {}VIEW {} {}",
2046 if *materialized { "MATERIALIZED " } else { "" },
2047 name,
2048 operation
2049 )
2050 }
2051 Statement::AlterSink { name, operation } => {
2052 write!(f, "ALTER SINK {} {}", name, operation)
2053 }
2054 Statement::AlterSubscription { name, operation } => {
2055 write!(f, "ALTER SUBSCRIPTION {} {}", name, operation)
2056 }
2057 Statement::AlterSource { name, operation } => {
2058 write!(f, "ALTER SOURCE {} {}", name, operation)
2059 }
2060 Statement::AlterFunction {
2061 name,
2062 args,
2063 operation,
2064 } => {
2065 write!(f, "ALTER FUNCTION {}", name)?;
2066 if let Some(args) = args {
2067 write!(f, "({})", display_comma_separated(args))?;
2068 }
2069 write!(f, " {}", operation)
2070 }
2071 Statement::AlterConnection { name, operation } => {
2072 write!(f, "ALTER CONNECTION {} {}", name, operation)
2073 }
2074 Statement::AlterSecret {
2075 name,
2076 with_options,
2077 operation,
2078 } => {
2079 write!(f, "ALTER SECRET {}", name)?;
2080 if !with_options.is_empty() {
2081 write!(f, " WITH ({})", display_comma_separated(with_options))?;
2082 }
2083 write!(f, " {}", operation)
2084 }
2085 Statement::Discard(t) => write!(f, "DISCARD {}", t),
2086 Statement::Drop(stmt) => write!(f, "DROP {}", stmt),
2087 Statement::DropFunction {
2088 if_exists,
2089 func_desc,
2090 option,
2091 } => {
2092 write!(
2093 f,
2094 "DROP FUNCTION{} {}",
2095 if *if_exists { " IF EXISTS" } else { "" },
2096 display_comma_separated(func_desc),
2097 )?;
2098 if let Some(op) = option {
2099 write!(f, " {}", op)?;
2100 }
2101 Ok(())
2102 }
2103 Statement::DropAggregate {
2104 if_exists,
2105 func_desc,
2106 option,
2107 } => {
2108 write!(
2109 f,
2110 "DROP AGGREGATE{} {}",
2111 if *if_exists { " IF EXISTS" } else { "" },
2112 display_comma_separated(func_desc),
2113 )?;
2114 if let Some(op) = option {
2115 write!(f, " {}", op)?;
2116 }
2117 Ok(())
2118 }
2119 Statement::SetVariable {
2120 local,
2121 variable,
2122 value,
2123 } => {
2124 f.write_str("SET ")?;
2125 if *local {
2126 f.write_str("LOCAL ")?;
2127 }
2128 write!(f, "{name} = {value}", name = variable,)
2129 }
2130 Statement::ShowVariable { variable } => {
2131 write!(f, "SHOW")?;
2132 if !variable.is_empty() {
2133 write!(f, " {}", display_separated(variable, " "))?;
2134 }
2135 Ok(())
2136 }
2137 Statement::StartTransaction { modes } => {
2138 write!(f, "START TRANSACTION")?;
2139 if !modes.is_empty() {
2140 write!(f, " {}", display_comma_separated(modes))?;
2141 }
2142 Ok(())
2143 }
2144 Statement::Abort => {
2145 write!(f, "ABORT")?;
2146 Ok(())
2147 }
2148 Statement::SetTransaction {
2149 modes,
2150 snapshot,
2151 session,
2152 } => {
2153 if *session {
2154 write!(f, "SET SESSION CHARACTERISTICS AS TRANSACTION")?;
2155 } else {
2156 write!(f, "SET TRANSACTION")?;
2157 }
2158 if !modes.is_empty() {
2159 write!(f, " {}", display_comma_separated(modes))?;
2160 }
2161 if let Some(snapshot_id) = snapshot {
2162 write!(f, " SNAPSHOT {}", snapshot_id)?;
2163 }
2164 Ok(())
2165 }
2166 Statement::SetTimeZone { local, value } => {
2167 write!(f, "SET")?;
2168 if *local {
2169 write!(f, " LOCAL")?;
2170 }
2171 write!(f, " TIME ZONE {}", value)?;
2172 Ok(())
2173 }
2174 Statement::Commit { chain } => {
2175 write!(f, "COMMIT{}", if *chain { " AND CHAIN" } else { "" },)
2176 }
2177 Statement::Rollback { chain } => {
2178 write!(f, "ROLLBACK{}", if *chain { " AND CHAIN" } else { "" },)
2179 }
2180 Statement::CreateSchema {
2181 schema_name,
2182 if_not_exists,
2183 owner,
2184 } => {
2185 write!(
2186 f,
2187 "CREATE SCHEMA {if_not_exists}{name}",
2188 if_not_exists = if *if_not_exists { "IF NOT EXISTS " } else { "" },
2189 name = schema_name
2190 )?;
2191 if let Some(user) = owner {
2192 write!(f, " AUTHORIZATION {}", user)?;
2193 }
2194 Ok(())
2195 }
2196 Statement::Grant {
2197 privileges,
2198 objects,
2199 grantees,
2200 with_grant_option,
2201 granted_by,
2202 } => {
2203 write!(f, "GRANT {} ", privileges)?;
2204 write!(f, "ON {} ", objects)?;
2205 write!(f, "TO {}", display_comma_separated(grantees))?;
2206 if *with_grant_option {
2207 write!(f, " WITH GRANT OPTION")?;
2208 }
2209 if let Some(grantor) = granted_by {
2210 write!(f, " GRANTED BY {}", grantor)?;
2211 }
2212 Ok(())
2213 }
2214 Statement::Revoke {
2215 privileges,
2216 objects,
2217 grantees,
2218 granted_by,
2219 revoke_grant_option,
2220 cascade,
2221 } => {
2222 write!(
2223 f,
2224 "REVOKE {}{} ",
2225 if *revoke_grant_option {
2226 "GRANT OPTION FOR "
2227 } else {
2228 ""
2229 },
2230 privileges
2231 )?;
2232 write!(f, "ON {} ", objects)?;
2233 write!(f, "FROM {}", display_comma_separated(grantees))?;
2234 if let Some(grantor) = granted_by {
2235 write!(f, " GRANTED BY {}", grantor)?;
2236 }
2237 write!(f, " {}", if *cascade { "CASCADE" } else { "RESTRICT" })?;
2238 Ok(())
2239 }
2240 Statement::Deallocate { name, prepare } => write!(
2241 f,
2242 "DEALLOCATE {prepare}{name}",
2243 prepare = if *prepare { "PREPARE " } else { "" },
2244 name = name,
2245 ),
2246 Statement::Execute { name, parameters } => {
2247 write!(f, "EXECUTE {}", name)?;
2248 if !parameters.is_empty() {
2249 write!(f, "({})", display_comma_separated(parameters))?;
2250 }
2251 Ok(())
2252 }
2253 Statement::Prepare {
2254 name,
2255 data_types,
2256 statement,
2257 } => {
2258 write!(f, "PREPARE {} ", name)?;
2259 if !data_types.is_empty() {
2260 write!(f, "({}) ", display_comma_separated(data_types))?;
2261 }
2262 write!(f, "AS ")?;
2263 statement.fmt_inner(f)
2264 }
2265 Statement::Comment {
2266 object_type,
2267 object_name,
2268 comment,
2269 } => {
2270 write!(f, "COMMENT ON {} {} IS ", object_type, object_name)?;
2271 if let Some(c) = comment {
2272 write!(f, "'{}'", c)
2273 } else {
2274 write!(f, "NULL")
2275 }
2276 }
2277 Statement::CreateUser(statement) => {
2278 write!(f, "CREATE USER {}", statement)
2279 }
2280 Statement::AlterUser(statement) => {
2281 write!(f, "ALTER USER {}", statement)
2282 }
2283 Statement::AlterSystem { param, value } => {
2284 f.write_str("ALTER SYSTEM SET ")?;
2285 write!(f, "{param} = {value}",)
2286 }
2287 Statement::Flush => {
2288 write!(f, "FLUSH")
2289 }
2290 Statement::Wait => {
2291 write!(f, "WAIT")
2292 }
2293 Statement::Begin { modes } => {
2294 write!(f, "BEGIN")?;
2295 if !modes.is_empty() {
2296 write!(f, " {}", display_comma_separated(modes))?;
2297 }
2298 Ok(())
2299 }
2300 Statement::CancelJobs(jobs) => {
2301 write!(f, "CANCEL JOBS {}", display_comma_separated(&jobs.0))?;
2302 Ok(())
2303 }
2304 Statement::Kill(process_id) => {
2305 write!(f, "KILL {}", process_id)?;
2306 Ok(())
2307 }
2308 Statement::Recover => {
2309 write!(f, "RECOVER")?;
2310 Ok(())
2311 }
2312 Statement::Use { db_name } => {
2313 write!(f, "USE {}", db_name)?;
2314 Ok(())
2315 }
2316 Statement::AlterFragment {
2317 fragment_id,
2318 operation,
2319 } => {
2320 write!(f, "ALTER FRAGMENT {} {}", fragment_id, operation)
2321 }
2322 }
2323 }
2324}
2325
2326impl Display for IncludeOptionItem {
2327 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2328 let Self {
2329 column_type,
2330 inner_field,
2331 header_inner_expect_type,
2332 column_alias,
2333 } = self;
2334 write!(f, "INCLUDE {}", column_type)?;
2335 if let Some(inner_field) = inner_field {
2336 write!(f, " '{}'", value::escape_single_quote_string(inner_field))?;
2337 if let Some(expected_type) = header_inner_expect_type {
2338 write!(f, " {}", expected_type)?;
2339 }
2340 }
2341 if let Some(alias) = column_alias {
2342 write!(f, " AS {}", alias)?;
2343 }
2344 Ok(())
2345 }
2346}
2347
2348#[derive(Debug, Clone, PartialEq, Eq, Hash)]
2349#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
2350#[non_exhaustive]
2351pub enum OnInsert {
2352 DuplicateKeyUpdate(Vec<Assignment>),
2354}
2355
2356impl fmt::Display for OnInsert {
2357 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2358 match self {
2359 Self::DuplicateKeyUpdate(expr) => write!(
2360 f,
2361 " ON DUPLICATE KEY UPDATE {}",
2362 display_comma_separated(expr)
2363 ),
2364 }
2365 }
2366}
2367
2368#[derive(Debug, Clone, PartialEq, Eq, Hash)]
2370#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
2371pub enum Privileges {
2372 All {
2374 with_privileges_keyword: bool,
2376 },
2377 Actions(Vec<Action>),
2379}
2380
2381impl fmt::Display for Privileges {
2382 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2383 match self {
2384 Privileges::All {
2385 with_privileges_keyword,
2386 } => {
2387 write!(
2388 f,
2389 "ALL{}",
2390 if *with_privileges_keyword {
2391 " PRIVILEGES"
2392 } else {
2393 ""
2394 }
2395 )
2396 }
2397 Privileges::Actions(actions) => {
2398 write!(f, "{}", display_comma_separated(actions))
2399 }
2400 }
2401 }
2402}
2403
2404#[derive(Debug, Clone, PartialEq, Eq, Hash)]
2406#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
2407pub enum Action {
2408 Connect,
2409 Create,
2410 Delete,
2411 Execute,
2412 Insert { columns: Option<Vec<Ident>> },
2413 References { columns: Option<Vec<Ident>> },
2414 Select { columns: Option<Vec<Ident>> },
2415 Temporary,
2416 Trigger,
2417 Truncate,
2418 Update { columns: Option<Vec<Ident>> },
2419 Usage,
2420}
2421
2422impl fmt::Display for Action {
2423 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2424 match self {
2425 Action::Connect => f.write_str("CONNECT")?,
2426 Action::Create => f.write_str("CREATE")?,
2427 Action::Delete => f.write_str("DELETE")?,
2428 Action::Execute => f.write_str("EXECUTE")?,
2429 Action::Insert { .. } => f.write_str("INSERT")?,
2430 Action::References { .. } => f.write_str("REFERENCES")?,
2431 Action::Select { .. } => f.write_str("SELECT")?,
2432 Action::Temporary => f.write_str("TEMPORARY")?,
2433 Action::Trigger => f.write_str("TRIGGER")?,
2434 Action::Truncate => f.write_str("TRUNCATE")?,
2435 Action::Update { .. } => f.write_str("UPDATE")?,
2436 Action::Usage => f.write_str("USAGE")?,
2437 };
2438 match self {
2439 Action::Insert { columns }
2440 | Action::References { columns }
2441 | Action::Select { columns }
2442 | Action::Update { columns } => {
2443 if let Some(columns) = columns {
2444 write!(f, " ({})", display_comma_separated(columns))?;
2445 }
2446 }
2447 _ => (),
2448 };
2449 Ok(())
2450 }
2451}
2452
2453#[derive(Debug, Clone, PartialEq, Eq, Hash)]
2455#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
2456pub enum GrantObjects {
2457 AllSequencesInSchema { schemas: Vec<ObjectName> },
2459 AllTablesInSchema { schemas: Vec<ObjectName> },
2461 AllSourcesInSchema { schemas: Vec<ObjectName> },
2463 AllSinksInSchema { schemas: Vec<ObjectName> },
2465 AllMviewsInSchema { schemas: Vec<ObjectName> },
2467 AllViewsInSchema { schemas: Vec<ObjectName> },
2469 AllFunctionsInSchema { schemas: Vec<ObjectName> },
2471 AllSecretsInSchema { schemas: Vec<ObjectName> },
2473 AllSubscriptionsInSchema { schemas: Vec<ObjectName> },
2475 AllConnectionsInSchema { schemas: Vec<ObjectName> },
2477 Databases(Vec<ObjectName>),
2479 Schemas(Vec<ObjectName>),
2481 Sources(Vec<ObjectName>),
2483 Mviews(Vec<ObjectName>),
2485 Sequences(Vec<ObjectName>),
2487 Tables(Vec<ObjectName>),
2489 Sinks(Vec<ObjectName>),
2491 Views(Vec<ObjectName>),
2493 Connections(Vec<ObjectName>),
2495 Subscriptions(Vec<ObjectName>),
2497 Functions(Vec<FunctionDesc>),
2499 Secrets(Vec<ObjectName>),
2501}
2502
2503impl fmt::Display for GrantObjects {
2504 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2505 match self {
2506 GrantObjects::Sequences(sequences) => {
2507 write!(f, "SEQUENCE {}", display_comma_separated(sequences))
2508 }
2509 GrantObjects::Schemas(schemas) => {
2510 write!(f, "SCHEMA {}", display_comma_separated(schemas))
2511 }
2512 GrantObjects::Tables(tables) => {
2513 write!(f, "{}", display_comma_separated(tables))
2514 }
2515 GrantObjects::AllSequencesInSchema { schemas } => {
2516 write!(
2517 f,
2518 "ALL SEQUENCES IN SCHEMA {}",
2519 display_comma_separated(schemas)
2520 )
2521 }
2522 GrantObjects::AllTablesInSchema { schemas } => {
2523 write!(
2524 f,
2525 "ALL TABLES IN SCHEMA {}",
2526 display_comma_separated(schemas)
2527 )
2528 }
2529 GrantObjects::AllSourcesInSchema { schemas } => {
2530 write!(
2531 f,
2532 "ALL SOURCES IN SCHEMA {}",
2533 display_comma_separated(schemas)
2534 )
2535 }
2536 GrantObjects::AllMviewsInSchema { schemas } => {
2537 write!(
2538 f,
2539 "ALL MATERIALIZED VIEWS IN SCHEMA {}",
2540 display_comma_separated(schemas)
2541 )
2542 }
2543 GrantObjects::AllSinksInSchema { schemas } => {
2544 write!(
2545 f,
2546 "ALL SINKS IN SCHEMA {}",
2547 display_comma_separated(schemas)
2548 )
2549 }
2550 GrantObjects::AllViewsInSchema { schemas } => {
2551 write!(
2552 f,
2553 "ALL VIEWS IN SCHEMA {}",
2554 display_comma_separated(schemas)
2555 )
2556 }
2557 GrantObjects::AllFunctionsInSchema { schemas } => {
2558 write!(
2559 f,
2560 "ALL FUNCTIONS IN SCHEMA {}",
2561 display_comma_separated(schemas)
2562 )
2563 }
2564 GrantObjects::AllSecretsInSchema { schemas } => {
2565 write!(
2566 f,
2567 "ALL SECRETS IN SCHEMA {}",
2568 display_comma_separated(schemas)
2569 )
2570 }
2571 GrantObjects::AllSubscriptionsInSchema { schemas } => {
2572 write!(
2573 f,
2574 "ALL SUBSCRIPTIONS IN SCHEMA {}",
2575 display_comma_separated(schemas)
2576 )
2577 }
2578 GrantObjects::AllConnectionsInSchema { schemas } => {
2579 write!(
2580 f,
2581 "ALL CONNECTIONS IN SCHEMA {}",
2582 display_comma_separated(schemas)
2583 )
2584 }
2585 GrantObjects::Databases(databases) => {
2586 write!(f, "DATABASE {}", display_comma_separated(databases))
2587 }
2588 GrantObjects::Sources(sources) => {
2589 write!(f, "SOURCE {}", display_comma_separated(sources))
2590 }
2591 GrantObjects::Mviews(mviews) => {
2592 write!(f, "MATERIALIZED VIEW {}", display_comma_separated(mviews))
2593 }
2594 GrantObjects::Sinks(sinks) => {
2595 write!(f, "SINK {}", display_comma_separated(sinks))
2596 }
2597 GrantObjects::Views(views) => {
2598 write!(f, "VIEW {}", display_comma_separated(views))
2599 }
2600 GrantObjects::Connections(connections) => {
2601 write!(f, "CONNECTION {}", display_comma_separated(connections))
2602 }
2603 GrantObjects::Subscriptions(subscriptions) => {
2604 write!(f, "SUBSCRIPTION {}", display_comma_separated(subscriptions))
2605 }
2606 GrantObjects::Functions(func_descs) => {
2607 write!(f, "FUNCTION {}", display_comma_separated(func_descs))
2608 }
2609 GrantObjects::Secrets(secrets) => {
2610 write!(f, "SECRET {}", display_comma_separated(secrets))
2611 }
2612 }
2613 }
2614}
2615
2616#[derive(Debug, Clone, PartialEq, Eq, Hash)]
2617#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
2618pub enum AssignmentValue {
2619 Expr(Expr),
2621 Default,
2623}
2624
2625impl fmt::Display for AssignmentValue {
2626 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2627 match self {
2628 AssignmentValue::Expr(expr) => write!(f, "{}", expr),
2629 AssignmentValue::Default => f.write_str("DEFAULT"),
2630 }
2631 }
2632}
2633
2634#[derive(Debug, Clone, PartialEq, Eq, Hash)]
2636#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
2637pub struct Assignment {
2638 pub id: Vec<Ident>,
2639 pub value: AssignmentValue,
2640}
2641
2642impl fmt::Display for Assignment {
2643 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2644 write!(f, "{} = {}", display_separated(&self.id, "."), self.value)
2645 }
2646}
2647
2648#[derive(Debug, Clone, PartialEq, Eq, Hash)]
2649#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
2650pub enum FunctionArgExpr {
2651 Expr(Expr),
2652 ExprQualifiedWildcard(Expr, Vec<Ident>),
2656 QualifiedWildcard(ObjectName, Option<Vec<Expr>>),
2659 Wildcard(Option<Vec<Expr>>),
2661}
2662
2663impl fmt::Display for FunctionArgExpr {
2664 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2665 match self {
2666 FunctionArgExpr::Expr(expr) => write!(f, "{}", expr),
2667 FunctionArgExpr::ExprQualifiedWildcard(expr, prefix) => {
2668 write!(
2669 f,
2670 "({}){}.*",
2671 expr,
2672 prefix
2673 .iter()
2674 .format_with("", |i, f| f(&format_args!(".{i}")))
2675 )
2676 }
2677 FunctionArgExpr::QualifiedWildcard(prefix, except) => match except {
2678 Some(exprs) => write!(
2679 f,
2680 "{}.* EXCEPT ({})",
2681 prefix,
2682 exprs
2683 .iter()
2684 .map(|v| v.to_string())
2685 .collect::<Vec<String>>()
2686 .as_slice()
2687 .join(", ")
2688 ),
2689 None => write!(f, "{}.*", prefix),
2690 },
2691
2692 FunctionArgExpr::Wildcard(except) => match except {
2693 Some(exprs) => write!(
2694 f,
2695 "* EXCEPT ({})",
2696 exprs
2697 .iter()
2698 .map(|v| v.to_string())
2699 .collect::<Vec<String>>()
2700 .as_slice()
2701 .join(", ")
2702 ),
2703 None => f.write_str("*"),
2704 },
2705 }
2706 }
2707}
2708
2709#[derive(Debug, Clone, PartialEq, Eq, Hash)]
2710#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
2711pub enum FunctionArg {
2712 Named { name: Ident, arg: FunctionArgExpr },
2713 Unnamed(FunctionArgExpr),
2714}
2715
2716impl FunctionArg {
2717 pub fn get_expr(&self) -> FunctionArgExpr {
2718 match self {
2719 FunctionArg::Named { name: _, arg } => arg.clone(),
2720 FunctionArg::Unnamed(arg) => arg.clone(),
2721 }
2722 }
2723}
2724
2725impl fmt::Display for FunctionArg {
2726 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2727 match self {
2728 FunctionArg::Named { name, arg } => write!(f, "{} => {}", name, arg),
2729 FunctionArg::Unnamed(unnamed_arg) => write!(f, "{}", unnamed_arg),
2730 }
2731 }
2732}
2733
2734#[derive(Debug, Clone, PartialEq, Eq, Hash)]
2737#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
2738pub struct FunctionArgList {
2739 pub distinct: bool,
2741 pub args: Vec<FunctionArg>,
2742 pub variadic: bool,
2744 pub order_by: Vec<OrderByExpr>,
2746 pub ignore_nulls: bool,
2748}
2749
2750impl fmt::Display for FunctionArgList {
2751 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2752 write!(f, "(")?;
2753 if self.distinct {
2754 write!(f, "DISTINCT ")?;
2755 }
2756 if self.variadic {
2757 for arg in &self.args[0..self.args.len() - 1] {
2758 write!(f, "{}, ", arg)?;
2759 }
2760 write!(f, "VARIADIC {}", self.args.last().unwrap())?;
2761 } else {
2762 write!(f, "{}", display_comma_separated(&self.args))?;
2763 }
2764 if !self.order_by.is_empty() {
2765 write!(f, " ORDER BY {}", display_comma_separated(&self.order_by))?;
2766 }
2767 if self.ignore_nulls {
2768 write!(f, " IGNORE NULLS")?;
2769 }
2770 write!(f, ")")?;
2771 Ok(())
2772 }
2773}
2774
2775impl FunctionArgList {
2776 pub fn empty() -> Self {
2777 Self {
2778 distinct: false,
2779 args: vec![],
2780 variadic: false,
2781 order_by: vec![],
2782 ignore_nulls: false,
2783 }
2784 }
2785
2786 pub fn args_only(args: Vec<FunctionArg>) -> Self {
2787 Self {
2788 distinct: false,
2789 args,
2790 variadic: false,
2791 order_by: vec![],
2792 ignore_nulls: false,
2793 }
2794 }
2795
2796 pub fn is_args_only(&self) -> bool {
2797 !self.distinct && !self.variadic && self.order_by.is_empty() && !self.ignore_nulls
2798 }
2799
2800 pub fn for_agg(distinct: bool, args: Vec<FunctionArg>, order_by: Vec<OrderByExpr>) -> Self {
2801 Self {
2802 distinct,
2803 args,
2804 variadic: false,
2805 order_by,
2806 ignore_nulls: false,
2807 }
2808 }
2809}
2810
2811#[derive(Debug, Clone, PartialEq, Eq, Hash)]
2813#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
2814pub struct Function {
2815 pub scalar_as_agg: bool,
2817 pub name: ObjectName,
2819 pub arg_list: FunctionArgList,
2821 pub within_group: Option<Box<OrderByExpr>>,
2824 pub filter: Option<Box<Expr>>,
2826 pub over: Option<WindowSpec>,
2828}
2829
2830impl Function {
2831 pub fn no_arg(name: ObjectName) -> Self {
2832 Self {
2833 scalar_as_agg: false,
2834 name,
2835 arg_list: FunctionArgList::empty(),
2836 within_group: None,
2837 filter: None,
2838 over: None,
2839 }
2840 }
2841}
2842
2843impl fmt::Display for Function {
2844 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2845 if self.scalar_as_agg {
2846 write!(f, "AGGREGATE:")?;
2847 }
2848 write!(f, "{}{}", self.name, self.arg_list)?;
2849 if let Some(within_group) = &self.within_group {
2850 write!(f, " WITHIN GROUP (ORDER BY {})", within_group)?;
2851 }
2852 if let Some(filter) = &self.filter {
2853 write!(f, " FILTER (WHERE {})", filter)?;
2854 }
2855 if let Some(o) = &self.over {
2856 write!(f, " OVER ({})", o)?;
2857 }
2858 Ok(())
2859 }
2860}
2861
2862#[derive(Debug, Clone, PartialEq, Eq, Hash)]
2863#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
2864pub enum ObjectType {
2865 Table,
2866 View,
2867 MaterializedView,
2868 Index,
2869 Schema,
2870 Source,
2871 Sink,
2872 Database,
2873 User,
2874 Connection,
2875 Secret,
2876 Subscription,
2877}
2878
2879impl fmt::Display for ObjectType {
2880 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2881 f.write_str(match self {
2882 ObjectType::Table => "TABLE",
2883 ObjectType::View => "VIEW",
2884 ObjectType::MaterializedView => "MATERIALIZED VIEW",
2885 ObjectType::Index => "INDEX",
2886 ObjectType::Schema => "SCHEMA",
2887 ObjectType::Source => "SOURCE",
2888 ObjectType::Sink => "SINK",
2889 ObjectType::Database => "DATABASE",
2890 ObjectType::User => "USER",
2891 ObjectType::Secret => "SECRET",
2892 ObjectType::Connection => "CONNECTION",
2893 ObjectType::Subscription => "SUBSCRIPTION",
2894 })
2895 }
2896}
2897
2898impl ParseTo for ObjectType {
2899 fn parse_to(parser: &mut Parser<'_>) -> ModalResult<Self> {
2900 let object_type = if parser.parse_keyword(Keyword::TABLE) {
2901 ObjectType::Table
2902 } else if parser.parse_keyword(Keyword::VIEW) {
2903 ObjectType::View
2904 } else if parser.parse_keywords(&[Keyword::MATERIALIZED, Keyword::VIEW]) {
2905 ObjectType::MaterializedView
2906 } else if parser.parse_keyword(Keyword::SOURCE) {
2907 ObjectType::Source
2908 } else if parser.parse_keyword(Keyword::SINK) {
2909 ObjectType::Sink
2910 } else if parser.parse_keyword(Keyword::INDEX) {
2911 ObjectType::Index
2912 } else if parser.parse_keyword(Keyword::SCHEMA) {
2913 ObjectType::Schema
2914 } else if parser.parse_keyword(Keyword::DATABASE) {
2915 ObjectType::Database
2916 } else if parser.parse_keyword(Keyword::USER) {
2917 ObjectType::User
2918 } else if parser.parse_keyword(Keyword::CONNECTION) {
2919 ObjectType::Connection
2920 } else if parser.parse_keyword(Keyword::SECRET) {
2921 ObjectType::Secret
2922 } else if parser.parse_keyword(Keyword::SUBSCRIPTION) {
2923 ObjectType::Subscription
2924 } else {
2925 return parser.expected(
2926 "TABLE, VIEW, INDEX, MATERIALIZED VIEW, SOURCE, SINK, SUBSCRIPTION, SCHEMA, DATABASE, USER, SECRET or CONNECTION after DROP",
2927 );
2928 };
2929 Ok(object_type)
2930 }
2931}
2932
2933#[derive(Debug, Clone, PartialEq, Eq, Hash)]
2934#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
2935pub struct SqlOption {
2936 pub name: ObjectName,
2937 pub value: SqlOptionValue,
2938}
2939
2940impl fmt::Display for SqlOption {
2941 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2942 let should_redact = REDACT_SQL_OPTION_KEYWORDS
2943 .try_with(|keywords| {
2944 let sql_option_name = self.name.real_value().to_lowercase();
2945 keywords.iter().any(|k| sql_option_name.contains(k))
2946 })
2947 .unwrap_or(false);
2948 if should_redact {
2949 write!(f, "{} = '[REDACTED]'", self.name)
2950 } else {
2951 write!(f, "{} = {}", self.name, self.value)
2952 }
2953 }
2954}
2955
2956#[derive(Debug, Clone, PartialEq, Eq, Hash)]
2957#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
2958pub enum SqlOptionValue {
2959 Value(Value),
2960 SecretRef(SecretRefValue),
2961 ConnectionRef(ConnectionRefValue),
2962}
2963
2964impl fmt::Display for SqlOptionValue {
2965 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2966 match self {
2967 SqlOptionValue::Value(value) => write!(f, "{}", value),
2968 SqlOptionValue::SecretRef(secret_ref) => write!(f, "secret {}", secret_ref),
2969 SqlOptionValue::ConnectionRef(connection_ref) => {
2970 write!(f, "{}", connection_ref)
2971 }
2972 }
2973 }
2974}
2975
2976impl From<Value> for SqlOptionValue {
2977 fn from(value: Value) -> Self {
2978 SqlOptionValue::Value(value)
2979 }
2980}
2981
2982#[derive(Debug, Clone, PartialEq, Eq, Hash)]
2983#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
2984pub enum EmitMode {
2985 Immediately,
2986 OnWindowClose,
2987}
2988
2989impl fmt::Display for EmitMode {
2990 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2991 f.write_str(match self {
2992 EmitMode::Immediately => "IMMEDIATELY",
2993 EmitMode::OnWindowClose => "ON WINDOW CLOSE",
2994 })
2995 }
2996}
2997
2998#[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
2999#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
3000pub enum OnConflict {
3001 UpdateFull,
3002 Nothing,
3003 UpdateIfNotNull,
3004}
3005
3006impl fmt::Display for OnConflict {
3007 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3008 f.write_str(match self {
3009 OnConflict::UpdateFull => "DO UPDATE FULL",
3010 OnConflict::Nothing => "DO NOTHING",
3011 OnConflict::UpdateIfNotNull => "DO UPDATE IF NOT NULL",
3012 })
3013 }
3014}
3015
3016#[derive(Debug, Clone, PartialEq, Eq, Hash)]
3017#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
3018pub enum Engine {
3019 Hummock,
3020 Iceberg,
3021}
3022
3023impl fmt::Display for crate::ast::Engine {
3024 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3025 f.write_str(match self {
3026 crate::ast::Engine::Hummock => "HUMMOCK",
3027 crate::ast::Engine::Iceberg => "ICEBERG",
3028 })
3029 }
3030}
3031
3032#[derive(Debug, Clone, PartialEq, Eq, Hash)]
3033#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
3034pub enum SetTimeZoneValue {
3035 Ident(Ident),
3036 Literal(Value),
3037 Local,
3038 Default,
3039}
3040
3041impl fmt::Display for SetTimeZoneValue {
3042 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3043 match self {
3044 SetTimeZoneValue::Ident(ident) => write!(f, "{}", ident),
3045 SetTimeZoneValue::Literal(value) => write!(f, "{}", value),
3046 SetTimeZoneValue::Local => f.write_str("LOCAL"),
3047 SetTimeZoneValue::Default => f.write_str("DEFAULT"),
3048 }
3049 }
3050}
3051
3052#[derive(Debug, Clone, PartialEq, Eq, Hash)]
3053#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
3054pub enum TransactionMode {
3055 AccessMode(TransactionAccessMode),
3056 IsolationLevel(TransactionIsolationLevel),
3057}
3058
3059impl fmt::Display for TransactionMode {
3060 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3061 use TransactionMode::*;
3062 match self {
3063 AccessMode(access_mode) => write!(f, "{}", access_mode),
3064 IsolationLevel(iso_level) => write!(f, "ISOLATION LEVEL {}", iso_level),
3065 }
3066 }
3067}
3068
3069#[derive(Debug, Clone, PartialEq, Eq, Hash)]
3070#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
3071pub enum TransactionAccessMode {
3072 ReadOnly,
3073 ReadWrite,
3074}
3075
3076impl fmt::Display for TransactionAccessMode {
3077 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3078 use TransactionAccessMode::*;
3079 f.write_str(match self {
3080 ReadOnly => "READ ONLY",
3081 ReadWrite => "READ WRITE",
3082 })
3083 }
3084}
3085
3086#[derive(Debug, Clone, PartialEq, Eq, Hash)]
3087#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
3088pub enum TransactionIsolationLevel {
3089 ReadUncommitted,
3090 ReadCommitted,
3091 RepeatableRead,
3092 Serializable,
3093}
3094
3095impl fmt::Display for TransactionIsolationLevel {
3096 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3097 use TransactionIsolationLevel::*;
3098 f.write_str(match self {
3099 ReadUncommitted => "READ UNCOMMITTED",
3100 ReadCommitted => "READ COMMITTED",
3101 RepeatableRead => "REPEATABLE READ",
3102 Serializable => "SERIALIZABLE",
3103 })
3104 }
3105}
3106
3107#[derive(Debug, Clone, PartialEq, Eq, Hash)]
3108#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
3109pub enum ShowStatementFilter {
3110 Like(String),
3111 ILike(String),
3112 Where(Expr),
3113}
3114
3115impl fmt::Display for ShowStatementFilter {
3116 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3117 use ShowStatementFilter::*;
3118 match self {
3119 Like(pattern) => write!(f, "LIKE '{}'", value::escape_single_quote_string(pattern)),
3120 ILike(pattern) => write!(f, "ILIKE {}", value::escape_single_quote_string(pattern)),
3121 Where(expr) => write!(f, "WHERE {}", expr),
3122 }
3123 }
3124}
3125
3126#[derive(Debug, Clone, PartialEq, PartialOrd, Eq, Ord, Hash)]
3128#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
3129pub enum DropFunctionOption {
3130 Restrict,
3131 Cascade,
3132}
3133
3134impl fmt::Display for DropFunctionOption {
3135 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3136 match self {
3137 DropFunctionOption::Restrict => write!(f, "RESTRICT "),
3138 DropFunctionOption::Cascade => write!(f, "CASCADE "),
3139 }
3140 }
3141}
3142
3143#[derive(Debug, Clone, PartialEq, Eq, Hash)]
3145#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
3146pub struct FunctionDesc {
3147 pub name: ObjectName,
3148 pub args: Option<Vec<OperateFunctionArg>>,
3149}
3150
3151impl fmt::Display for FunctionDesc {
3152 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3153 write!(f, "{}", self.name)?;
3154 if let Some(args) = &self.args {
3155 write!(f, "({})", display_comma_separated(args))?;
3156 }
3157 Ok(())
3158 }
3159}
3160
3161#[derive(Debug, Clone, PartialEq, Eq, Hash)]
3163#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
3164pub struct OperateFunctionArg {
3165 pub mode: Option<ArgMode>,
3166 pub name: Option<Ident>,
3167 pub data_type: DataType,
3168 pub default_expr: Option<Expr>,
3169}
3170
3171impl OperateFunctionArg {
3172 pub fn unnamed(data_type: DataType) -> Self {
3174 Self {
3175 mode: None,
3176 name: None,
3177 data_type,
3178 default_expr: None,
3179 }
3180 }
3181
3182 pub fn with_name(name: &str, data_type: DataType) -> Self {
3184 Self {
3185 mode: None,
3186 name: Some(name.into()),
3187 data_type,
3188 default_expr: None,
3189 }
3190 }
3191}
3192
3193impl fmt::Display for OperateFunctionArg {
3194 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3195 if let Some(mode) = &self.mode {
3196 write!(f, "{} ", mode)?;
3197 }
3198 if let Some(name) = &self.name {
3199 write!(f, "{} ", name)?;
3200 }
3201 write!(f, "{}", self.data_type)?;
3202 if let Some(default_expr) = &self.default_expr {
3203 write!(f, " = {}", default_expr)?;
3204 }
3205 Ok(())
3206 }
3207}
3208
3209#[derive(Debug, Clone, PartialEq, Eq, Hash)]
3211#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
3212pub enum ArgMode {
3213 In,
3214 Out,
3215 InOut,
3216}
3217
3218impl fmt::Display for ArgMode {
3219 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3220 match self {
3221 ArgMode::In => write!(f, "IN"),
3222 ArgMode::Out => write!(f, "OUT"),
3223 ArgMode::InOut => write!(f, "INOUT"),
3224 }
3225 }
3226}
3227
3228#[derive(Debug, Clone, PartialEq, Eq, Hash)]
3230#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
3231pub enum FunctionBehavior {
3232 Immutable,
3233 Stable,
3234 Volatile,
3235}
3236
3237impl fmt::Display for FunctionBehavior {
3238 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3239 match self {
3240 FunctionBehavior::Immutable => write!(f, "IMMUTABLE"),
3241 FunctionBehavior::Stable => write!(f, "STABLE"),
3242 FunctionBehavior::Volatile => write!(f, "VOLATILE"),
3243 }
3244 }
3245}
3246
3247#[derive(Debug, Clone, PartialEq, PartialOrd, Eq, Ord, Hash)]
3248#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
3249pub enum FunctionDefinition {
3250 Identifier(String),
3251 SingleQuotedDef(String),
3252 DoubleDollarDef(String),
3253}
3254
3255impl fmt::Display for FunctionDefinition {
3256 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3257 match self {
3258 FunctionDefinition::Identifier(s) => write!(f, "{s}")?,
3259 FunctionDefinition::SingleQuotedDef(s) => write!(f, "'{s}'")?,
3260 FunctionDefinition::DoubleDollarDef(s) => write!(f, "$${s}$$")?,
3261 }
3262 Ok(())
3263 }
3264}
3265
3266impl FunctionDefinition {
3267 pub fn as_str(&self) -> &str {
3269 match self {
3270 FunctionDefinition::Identifier(s) => s,
3271 FunctionDefinition::SingleQuotedDef(s) => s,
3272 FunctionDefinition::DoubleDollarDef(s) => s,
3273 }
3274 }
3275
3276 pub fn into_string(self) -> String {
3278 match self {
3279 FunctionDefinition::Identifier(s) => s,
3280 FunctionDefinition::SingleQuotedDef(s) => s,
3281 FunctionDefinition::DoubleDollarDef(s) => s,
3282 }
3283 }
3284}
3285
3286#[derive(Debug, Clone, PartialEq, Eq, Hash)]
3288#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
3289pub enum CreateFunctionReturns {
3290 Value(DataType),
3292 Table(Vec<TableColumnDef>),
3294}
3295
3296impl fmt::Display for CreateFunctionReturns {
3297 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3298 match self {
3299 Self::Value(data_type) => write!(f, "RETURNS {}", data_type),
3300 Self::Table(columns) => {
3301 write!(f, "RETURNS TABLE ({})", display_comma_separated(columns))
3302 }
3303 }
3304 }
3305}
3306
3307#[derive(Debug, Clone, PartialEq, Eq, Hash)]
3309#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
3310pub struct TableColumnDef {
3311 pub name: Ident,
3312 pub data_type: DataType,
3313}
3314
3315impl fmt::Display for TableColumnDef {
3316 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3317 write!(f, "{} {}", self.name, self.data_type)
3318 }
3319}
3320
3321#[derive(Debug, Default, Clone, PartialEq, Eq, Hash)]
3326#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
3327pub struct CreateFunctionBody {
3328 pub language: Option<Ident>,
3330 pub runtime: Option<Ident>,
3332
3333 pub behavior: Option<FunctionBehavior>,
3335 pub as_: Option<FunctionDefinition>,
3339 pub return_: Option<Expr>,
3341 pub using: Option<CreateFunctionUsing>,
3343}
3344
3345impl fmt::Display for CreateFunctionBody {
3346 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3347 if let Some(language) = &self.language {
3348 write!(f, " LANGUAGE {language}")?;
3349 }
3350 if let Some(runtime) = &self.runtime {
3351 write!(f, " RUNTIME {runtime}")?;
3352 }
3353 if let Some(behavior) = &self.behavior {
3354 write!(f, " {behavior}")?;
3355 }
3356 if let Some(definition) = &self.as_ {
3357 write!(f, " AS {definition}")?;
3358 }
3359 if let Some(expr) = &self.return_ {
3360 write!(f, " RETURN {expr}")?;
3361 }
3362 if let Some(using) = &self.using {
3363 write!(f, " {using}")?;
3364 }
3365 Ok(())
3366 }
3367}
3368
3369#[derive(Debug, Default, Clone, PartialEq, Eq, Hash)]
3370#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
3371pub struct CreateFunctionWithOptions {
3372 pub always_retry_on_network_error: Option<bool>,
3374 pub r#async: Option<bool>,
3376 pub batch: Option<bool>,
3378}
3379
3380impl TryFrom<Vec<SqlOption>> for CreateFunctionWithOptions {
3382 type Error = StrError;
3383
3384 fn try_from(with_options: Vec<SqlOption>) -> Result<Self, Self::Error> {
3385 let mut options = Self::default();
3386 for option in with_options {
3387 match option.name.to_string().to_lowercase().as_str() {
3388 "always_retry_on_network_error" => {
3389 options.always_retry_on_network_error = Some(matches!(
3390 option.value,
3391 SqlOptionValue::Value(Value::Boolean(true))
3392 ));
3393 }
3394 "async" => {
3395 options.r#async = Some(matches!(
3396 option.value,
3397 SqlOptionValue::Value(Value::Boolean(true))
3398 ))
3399 }
3400 "batch" => {
3401 options.batch = Some(matches!(
3402 option.value,
3403 SqlOptionValue::Value(Value::Boolean(true))
3404 ))
3405 }
3406 _ => {
3407 return Err(StrError(format!("unknown option: {}", option.name)));
3408 }
3409 }
3410 }
3411 Ok(options)
3412 }
3413}
3414
3415impl Display for CreateFunctionWithOptions {
3416 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3417 if self == &Self::default() {
3418 return Ok(());
3419 }
3420 let mut options = vec![];
3421 if let Some(v) = self.always_retry_on_network_error {
3422 options.push(format!("always_retry_on_network_error = {}", v));
3423 }
3424 if let Some(v) = self.r#async {
3425 options.push(format!("async = {}", v));
3426 }
3427 if let Some(v) = self.batch {
3428 options.push(format!("batch = {}", v));
3429 }
3430 write!(f, " WITH ( {} )", display_comma_separated(&options))
3431 }
3432}
3433
3434#[derive(Debug, Clone, PartialEq, PartialOrd, Eq, Ord, Hash)]
3435#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
3436pub enum CreateFunctionUsing {
3437 Link(String),
3438 Base64(String),
3439}
3440
3441impl fmt::Display for CreateFunctionUsing {
3442 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3443 write!(f, "USING ")?;
3444 match self {
3445 CreateFunctionUsing::Link(uri) => write!(f, "LINK '{uri}'"),
3446 CreateFunctionUsing::Base64(s) => {
3447 write!(f, "BASE64 '{s}'")
3448 }
3449 }
3450 }
3451}
3452
3453#[derive(Debug, Clone, PartialEq, Eq, Hash)]
3454#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
3455pub enum SetVariableValue {
3456 Single(SetVariableValueSingle),
3457 List(Vec<SetVariableValueSingle>),
3458 Default,
3459}
3460
3461impl From<SetVariableValueSingle> for SetVariableValue {
3462 fn from(value: SetVariableValueSingle) -> Self {
3463 SetVariableValue::Single(value)
3464 }
3465}
3466
3467impl fmt::Display for SetVariableValue {
3468 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3469 use SetVariableValue::*;
3470 match self {
3471 Single(val) => write!(f, "{}", val),
3472 List(list) => write!(f, "{}", display_comma_separated(list),),
3473 Default => write!(f, "DEFAULT"),
3474 }
3475 }
3476}
3477
3478#[derive(Debug, Clone, PartialEq, Eq, Hash)]
3479#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
3480pub enum SetVariableValueSingle {
3481 Ident(Ident),
3482 Literal(Value),
3483}
3484
3485impl SetVariableValueSingle {
3486 pub fn to_string_unquoted(&self) -> String {
3487 match self {
3488 Self::Literal(Value::SingleQuotedString(s))
3489 | Self::Literal(Value::DoubleQuotedString(s)) => s.clone(),
3490 _ => self.to_string(),
3491 }
3492 }
3493}
3494
3495impl fmt::Display for SetVariableValueSingle {
3496 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3497 use SetVariableValueSingle::*;
3498 match self {
3499 Ident(ident) => write!(f, "{}", ident),
3500 Literal(literal) => write!(f, "{}", literal),
3501 }
3502 }
3503}
3504
3505#[derive(Debug, Clone, PartialEq, Eq, Hash)]
3506#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
3507pub enum AsOf {
3508 ProcessTime,
3509 ProcessTimeWithInterval((String, DateTimeField)),
3511 TimestampNum(i64),
3513 TimestampString(String),
3514 VersionNum(i64),
3515 VersionString(String),
3516}
3517
3518impl fmt::Display for AsOf {
3519 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3520 use AsOf::*;
3521 match self {
3522 ProcessTime => write!(f, " FOR SYSTEM_TIME AS OF PROCTIME()"),
3523 ProcessTimeWithInterval((value, leading_field)) => write!(
3524 f,
3525 " FOR SYSTEM_TIME AS OF NOW() - {} {}",
3526 value, leading_field
3527 ),
3528 TimestampNum(ts) => write!(f, " FOR SYSTEM_TIME AS OF {}", ts),
3529 TimestampString(ts) => write!(f, " FOR SYSTEM_TIME AS OF '{}'", ts),
3530 VersionNum(v) => write!(f, " FOR SYSTEM_VERSION AS OF {}", v),
3531 VersionString(v) => write!(f, " FOR SYSTEM_VERSION AS OF '{}'", v),
3532 }
3533 }
3534}
3535
3536#[derive(Debug, Clone, PartialEq, Eq, Hash)]
3537#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
3538pub enum DiscardType {
3539 All,
3540}
3541
3542impl fmt::Display for DiscardType {
3543 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3544 use DiscardType::*;
3545 match self {
3546 All => write!(f, "ALL"),
3547 }
3548 }
3549}
3550
3551impl Statement {
3552 pub fn to_redacted_string(&self, keywords: RedactSqlOptionKeywordsRef) -> String {
3553 REDACT_SQL_OPTION_KEYWORDS.sync_scope(keywords, || self.to_string())
3554 }
3555
3556 pub fn default_create_table(name: ObjectName) -> Self {
3558 Self::CreateTable {
3559 name,
3560 or_replace: false,
3561 temporary: false,
3562 if_not_exists: false,
3563 columns: Vec::new(),
3564 wildcard_idx: None,
3565 constraints: Vec::new(),
3566 with_options: Vec::new(),
3567 format_encode: None,
3568 source_watermarks: Vec::new(),
3569 append_only: false,
3570 on_conflict: None,
3571 with_version_column: None,
3572 query: None,
3573 cdc_table_info: None,
3574 include_column_options: Vec::new(),
3575 webhook_info: None,
3576 engine: Engine::Hummock,
3577 }
3578 }
3579}
3580
3581#[cfg(test)]
3582mod tests {
3583 use super::*;
3584
3585 #[test]
3586 fn test_grouping_sets_display() {
3587 let grouping_sets = Expr::GroupingSets(vec![
3589 vec![Expr::Identifier(Ident::new_unchecked("a"))],
3590 vec![Expr::Identifier(Ident::new_unchecked("b"))],
3591 ]);
3592 assert_eq!("GROUPING SETS ((a), (b))", format!("{}", grouping_sets));
3593
3594 let grouping_sets = Expr::GroupingSets(vec![vec![
3596 Expr::Identifier(Ident::new_unchecked("a")),
3597 Expr::Identifier(Ident::new_unchecked("b")),
3598 ]]);
3599 assert_eq!("GROUPING SETS ((a, b))", format!("{}", grouping_sets));
3600
3601 let grouping_sets = Expr::GroupingSets(vec![
3603 vec![
3604 Expr::Identifier(Ident::new_unchecked("a")),
3605 Expr::Identifier(Ident::new_unchecked("b")),
3606 ],
3607 vec![
3608 Expr::Identifier(Ident::new_unchecked("c")),
3609 Expr::Identifier(Ident::new_unchecked("d")),
3610 ],
3611 ]);
3612 assert_eq!(
3613 "GROUPING SETS ((a, b), (c, d))",
3614 format!("{}", grouping_sets)
3615 );
3616 }
3617
3618 #[test]
3619 fn test_rollup_display() {
3620 let rollup = Expr::Rollup(vec![vec![Expr::Identifier(Ident::new_unchecked("a"))]]);
3621 assert_eq!("ROLLUP (a)", format!("{}", rollup));
3622
3623 let rollup = Expr::Rollup(vec![vec![
3624 Expr::Identifier(Ident::new_unchecked("a")),
3625 Expr::Identifier(Ident::new_unchecked("b")),
3626 ]]);
3627 assert_eq!("ROLLUP ((a, b))", format!("{}", rollup));
3628
3629 let rollup = Expr::Rollup(vec![
3630 vec![Expr::Identifier(Ident::new_unchecked("a"))],
3631 vec![Expr::Identifier(Ident::new_unchecked("b"))],
3632 ]);
3633 assert_eq!("ROLLUP (a, b)", format!("{}", rollup));
3634
3635 let rollup = Expr::Rollup(vec![
3636 vec![Expr::Identifier(Ident::new_unchecked("a"))],
3637 vec![
3638 Expr::Identifier(Ident::new_unchecked("b")),
3639 Expr::Identifier(Ident::new_unchecked("c")),
3640 ],
3641 vec![Expr::Identifier(Ident::new_unchecked("d"))],
3642 ]);
3643 assert_eq!("ROLLUP (a, (b, c), d)", format!("{}", rollup));
3644 }
3645
3646 #[test]
3647 fn test_cube_display() {
3648 let cube = Expr::Cube(vec![vec![Expr::Identifier(Ident::new_unchecked("a"))]]);
3649 assert_eq!("CUBE (a)", format!("{}", cube));
3650
3651 let cube = Expr::Cube(vec![vec![
3652 Expr::Identifier(Ident::new_unchecked("a")),
3653 Expr::Identifier(Ident::new_unchecked("b")),
3654 ]]);
3655 assert_eq!("CUBE ((a, b))", format!("{}", cube));
3656
3657 let cube = Expr::Cube(vec![
3658 vec![Expr::Identifier(Ident::new_unchecked("a"))],
3659 vec![Expr::Identifier(Ident::new_unchecked("b"))],
3660 ]);
3661 assert_eq!("CUBE (a, b)", format!("{}", cube));
3662
3663 let cube = Expr::Cube(vec![
3664 vec![Expr::Identifier(Ident::new_unchecked("a"))],
3665 vec![
3666 Expr::Identifier(Ident::new_unchecked("b")),
3667 Expr::Identifier(Ident::new_unchecked("c")),
3668 ],
3669 vec![Expr::Identifier(Ident::new_unchecked("d"))],
3670 ]);
3671 assert_eq!("CUBE (a, (b, c), d)", format!("{}", cube));
3672 }
3673
3674 #[test]
3675 fn test_array_index_display() {
3676 let array_index = Expr::Index {
3677 obj: Box::new(Expr::Identifier(Ident::new_unchecked("v1"))),
3678 index: Box::new(Expr::Value(Value::Number("1".into()))),
3679 };
3680 assert_eq!("v1[1]", format!("{}", array_index));
3681
3682 let array_index2 = Expr::Index {
3683 obj: Box::new(array_index),
3684 index: Box::new(Expr::Value(Value::Number("1".into()))),
3685 };
3686 assert_eq!("v1[1][1]", format!("{}", array_index2));
3687 }
3688
3689 #[test]
3690 fn test_nested_op_display() {
3692 let binary_op = Expr::BinaryOp {
3693 left: Box::new(Expr::Value(Value::Boolean(true))),
3694 op: BinaryOperator::Or,
3695 right: Box::new(Expr::IsNotFalse(Box::new(Expr::Value(Value::Boolean(
3696 true,
3697 ))))),
3698 };
3699 assert_eq!("true OR true IS NOT FALSE", format!("{}", binary_op));
3700
3701 let unary_op = Expr::UnaryOp {
3702 op: UnaryOperator::Not,
3703 expr: Box::new(Expr::IsNotFalse(Box::new(Expr::Value(Value::Boolean(
3704 true,
3705 ))))),
3706 };
3707 assert_eq!("NOT true IS NOT FALSE", format!("{}", unary_op));
3708 }
3709
3710 #[test]
3711 fn test_create_function_display() {
3712 let create_function = Statement::CreateFunction {
3713 or_replace: false,
3714 temporary: false,
3715 if_not_exists: false,
3716 name: ObjectName(vec![Ident::new_unchecked("foo")]),
3717 args: Some(vec![OperateFunctionArg::unnamed(DataType::Int)]),
3718 returns: Some(CreateFunctionReturns::Value(DataType::Int)),
3719 params: CreateFunctionBody {
3720 language: Some(Ident::new_unchecked("python")),
3721 runtime: None,
3722 behavior: Some(FunctionBehavior::Immutable),
3723 as_: Some(FunctionDefinition::SingleQuotedDef("SELECT 1".to_owned())),
3724 return_: None,
3725 using: None,
3726 },
3727 with_options: CreateFunctionWithOptions {
3728 always_retry_on_network_error: None,
3729 r#async: None,
3730 batch: None,
3731 },
3732 };
3733 assert_eq!(
3734 "CREATE FUNCTION foo(INT) RETURNS INT LANGUAGE python IMMUTABLE AS 'SELECT 1'",
3735 format!("{}", create_function)
3736 );
3737 let create_function = Statement::CreateFunction {
3738 or_replace: false,
3739 temporary: false,
3740 if_not_exists: false,
3741 name: ObjectName(vec![Ident::new_unchecked("foo")]),
3742 args: Some(vec![OperateFunctionArg::unnamed(DataType::Int)]),
3743 returns: Some(CreateFunctionReturns::Value(DataType::Int)),
3744 params: CreateFunctionBody {
3745 language: Some(Ident::new_unchecked("python")),
3746 runtime: None,
3747 behavior: Some(FunctionBehavior::Immutable),
3748 as_: Some(FunctionDefinition::SingleQuotedDef("SELECT 1".to_owned())),
3749 return_: None,
3750 using: None,
3751 },
3752 with_options: CreateFunctionWithOptions {
3753 always_retry_on_network_error: Some(true),
3754 r#async: None,
3755 batch: None,
3756 },
3757 };
3758 assert_eq!(
3759 "CREATE FUNCTION foo(INT) RETURNS INT LANGUAGE python IMMUTABLE AS 'SELECT 1' WITH ( always_retry_on_network_error = true )",
3760 format!("{}", create_function)
3761 );
3762 }
3763}