1#[cfg(not(feature = "std"))]
14use alloc::{boxed::Box, vec::Vec};
15
16#[cfg(feature = "serde")]
17use serde::{Deserialize, Serialize};
18
19use crate::ast::*;
20
21#[derive(Debug, Clone, PartialEq, Eq, Hash)]
24#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
25pub struct Query {
26 pub with: Option<With>,
28 pub body: SetExpr,
30 pub order_by: Vec<OrderByExpr>,
32 pub limit: Option<Expr>,
34 pub offset: Option<String>,
39 pub fetch: Option<Fetch>,
44}
45
46impl Query {
47 pub fn as_simple_values(&self) -> Option<&Values> {
49 match &self {
50 Query {
51 with: None,
52 body: SetExpr::Values(values),
53 order_by,
54 limit: None,
55 offset: None,
56 fetch: None,
57 } if order_by.is_empty() => Some(values),
58 _ => None,
59 }
60 }
61}
62
63impl fmt::Display for Query {
64 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
65 if let Some(ref with) = self.with {
66 write!(f, "{} ", with)?;
67 }
68 write!(f, "{}", self.body)?;
69 if !self.order_by.is_empty() {
70 write!(f, " ORDER BY {}", display_comma_separated(&self.order_by))?;
71 }
72 if let Some(ref limit) = self.limit {
73 write!(f, " LIMIT {}", limit)?;
74 }
75 if let Some(ref offset) = self.offset {
76 write!(f, " OFFSET {}", offset)?;
77 }
78 if let Some(ref fetch) = self.fetch {
79 write!(f, " {}", fetch)?;
80 }
81 Ok(())
82 }
83}
84
85#[allow(clippy::large_enum_variant)]
88#[derive(Debug, Clone, PartialEq, Eq, Hash)]
89#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
90pub enum SetExpr {
91 Select(Box<Select>),
93 Query(Box<Query>),
96 SetOperation {
98 op: SetOperator,
99 all: bool,
100 corresponding: Corresponding,
101 left: Box<SetExpr>,
102 right: Box<SetExpr>,
103 },
104 Values(Values),
105}
106
107impl fmt::Display for SetExpr {
108 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
109 match self {
110 SetExpr::Select(s) => write!(f, "{}", s),
111 SetExpr::Query(q) => write!(f, "({})", q),
112 SetExpr::Values(v) => write!(f, "{}", v),
113 SetExpr::SetOperation {
114 left,
115 right,
116 op,
117 all,
118 corresponding,
119 } => {
120 let all_str = if *all { " ALL" } else { "" };
121 write!(f, "{} {}{}{} {}", left, op, all_str, corresponding, right)
122 }
123 }
124 }
125}
126
127#[derive(Debug, Clone, PartialEq, Eq, Hash)]
128#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
129pub enum SetOperator {
130 Union,
131 Except,
132 Intersect,
133}
134
135impl fmt::Display for SetOperator {
136 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
137 f.write_str(match self {
138 SetOperator::Union => "UNION",
139 SetOperator::Except => "EXCEPT",
140 SetOperator::Intersect => "INTERSECT",
141 })
142 }
143}
144
145#[derive(Debug, Clone, PartialEq, Eq, Hash)]
146#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
147pub struct Corresponding {
149 pub corresponding: bool,
150 pub column_list: Option<Vec<Ident>>,
151}
152
153impl Corresponding {
154 pub fn with_column_list(column_list: Option<Vec<Ident>>) -> Self {
155 Self {
156 corresponding: true,
157 column_list,
158 }
159 }
160
161 pub fn none() -> Self {
162 Self {
163 corresponding: false,
164 column_list: None,
165 }
166 }
167
168 pub fn is_corresponding(&self) -> bool {
169 self.corresponding
170 }
171
172 pub fn column_list(&self) -> Option<&[Ident]> {
173 self.column_list.as_deref()
174 }
175}
176
177impl fmt::Display for Corresponding {
178 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
179 if self.corresponding {
180 write!(f, " CORRESPONDING")?;
181 if let Some(column_list) = &self.column_list {
182 write!(f, " BY ({})", display_comma_separated(column_list))?;
183 }
184 }
185 Ok(())
186 }
187}
188
189#[derive(Default, Debug, Clone, PartialEq, Eq, Hash)]
193#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
194pub struct Select {
195 pub distinct: Distinct,
196 pub projection: Vec<SelectItem>,
198 pub from: Vec<TableWithJoins>,
200 pub lateral_views: Vec<LateralView>,
202 pub selection: Option<Expr>,
204 pub group_by: Vec<Expr>,
206 pub having: Option<Expr>,
208}
209
210impl fmt::Display for Select {
211 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
212 write!(f, "SELECT{}", &self.distinct)?;
213 write!(f, " {}", display_comma_separated(&self.projection))?;
214 if !self.from.is_empty() {
215 write!(f, " FROM {}", display_comma_separated(&self.from))?;
216 }
217 if !self.lateral_views.is_empty() {
218 for lv in &self.lateral_views {
219 write!(f, "{}", lv)?;
220 }
221 }
222 if let Some(ref selection) = self.selection {
223 write!(f, " WHERE {}", selection)?;
224 }
225 if !self.group_by.is_empty() {
226 write!(f, " GROUP BY {}", display_comma_separated(&self.group_by))?;
227 }
228 if let Some(ref having) = self.having {
229 write!(f, " HAVING {}", having)?;
230 }
231 Ok(())
232 }
233}
234
235#[derive(Debug, Clone, PartialEq, Eq, Hash, Default)]
237#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
238#[expect(clippy::enum_variant_names)]
239pub enum Distinct {
240 #[default]
242 All,
243 Distinct,
245 DistinctOn(Vec<Expr>),
247}
248
249impl Distinct {
250 pub const fn is_all(&self) -> bool {
251 matches!(self, Distinct::All)
252 }
253
254 pub const fn is_distinct(&self) -> bool {
255 matches!(self, Distinct::Distinct)
256 }
257}
258
259impl fmt::Display for Distinct {
260 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
261 match self {
262 Distinct::All => write!(f, ""),
263 Distinct::Distinct => write!(f, " DISTINCT"),
264 Distinct::DistinctOn(exprs) => {
265 write!(f, " DISTINCT ON ({})", display_comma_separated(exprs))
266 }
267 }
268 }
269}
270
271#[derive(Debug, Clone, PartialEq, Eq, Hash)]
273#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
274pub struct LateralView {
275 pub lateral_view: Expr,
277 pub lateral_view_name: ObjectName,
279 pub lateral_col_alias: Vec<Ident>,
281 pub outer: bool,
283}
284
285impl fmt::Display for LateralView {
286 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
287 write!(
288 f,
289 " LATERAL VIEW{outer} {} {}",
290 self.lateral_view,
291 self.lateral_view_name,
292 outer = if self.outer { " OUTER" } else { "" }
293 )?;
294 if !self.lateral_col_alias.is_empty() {
295 write!(
296 f,
297 " AS {}",
298 display_comma_separated(&self.lateral_col_alias)
299 )?;
300 }
301 Ok(())
302 }
303}
304
305#[derive(Debug, Clone, PartialEq, Eq, Hash)]
306#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
307pub struct With {
308 pub recursive: bool,
309 pub cte_tables: Vec<Cte>,
310}
311
312impl fmt::Display for With {
313 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
314 write!(
315 f,
316 "WITH {}{}",
317 if self.recursive { "RECURSIVE " } else { "" },
318 display_comma_separated(&self.cte_tables)
319 )
320 }
321}
322
323#[derive(Debug, Clone, PartialEq, Eq, Hash)]
329#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
330pub struct Cte {
331 pub alias: TableAlias,
332 pub cte_inner: CteInner,
333}
334
335impl fmt::Display for Cte {
336 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
337 match &self.cte_inner {
338 CteInner::Query(query) => write!(f, "{} AS ({})", self.alias, query)?,
339 CteInner::ChangeLog(obj_name) => {
340 write!(f, "{} AS changelog from {}", self.alias, obj_name)?
341 }
342 }
343 Ok(())
344 }
345}
346
347#[derive(Debug, Clone, PartialEq, Eq, Hash)]
348#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
349pub enum CteInner {
350 Query(Box<Query>),
351 ChangeLog(ObjectName),
352}
353
354#[derive(Debug, Clone, PartialEq, Eq, Hash)]
356#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
357pub enum SelectItem {
358 UnnamedExpr(Expr),
360 ExprQualifiedWildcard(Expr, Vec<Ident>),
364 ExprWithAlias { expr: Expr, alias: Ident },
366 QualifiedWildcard(ObjectName, Option<Vec<Expr>>),
368 Wildcard(Option<Vec<Expr>>),
370}
371
372impl fmt::Display for SelectItem {
373 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
374 match &self {
375 SelectItem::UnnamedExpr(expr) => write!(f, "{}", expr),
376 SelectItem::ExprWithAlias { expr, alias } => write!(f, "{} AS {}", expr, alias),
377 SelectItem::ExprQualifiedWildcard(expr, prefix) => write!(
378 f,
379 "({}){}.*",
380 expr,
381 prefix
382 .iter()
383 .format_with("", |i, f| f(&format_args!(".{i}")))
384 ),
385 SelectItem::QualifiedWildcard(prefix, except) => match except {
386 Some(cols) => write!(
387 f,
388 "{}.* EXCEPT ({})",
389 prefix,
390 cols.iter()
391 .map(|v| v.to_string())
392 .collect::<Vec<String>>()
393 .as_slice()
394 .join(", ")
395 ),
396 None => write!(f, "{}.*", prefix),
397 },
398 SelectItem::Wildcard(except) => match except {
399 Some(cols) => write!(
400 f,
401 "* EXCEPT ({})",
402 cols.iter()
403 .map(|v| v.to_string())
404 .collect::<Vec<String>>()
405 .as_slice()
406 .join(", ")
407 ),
408 None => write!(f, "*"),
409 },
410 }
411 }
412}
413
414#[derive(Debug, Clone, PartialEq, Eq, Hash)]
415#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
416pub struct TableWithJoins {
417 pub relation: TableFactor,
418 pub joins: Vec<Join>,
419}
420
421impl fmt::Display for TableWithJoins {
422 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
423 write!(f, "{}", self.relation)?;
424 for join in &self.joins {
425 write!(f, "{}", join)?;
426 }
427 Ok(())
428 }
429}
430
431#[derive(Debug, Clone, PartialEq, Eq, Hash)]
433#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
434pub enum TableFactor {
435 Table {
436 name: ObjectName,
437 alias: Option<TableAlias>,
438 as_of: Option<AsOf>,
439 },
440 Derived {
441 lateral: bool,
442 subquery: Box<Query>,
443 alias: Option<TableAlias>,
444 },
445 TableFunction {
449 name: ObjectName,
450 alias: Option<TableAlias>,
451 args: Vec<FunctionArg>,
452 with_ordinality: bool,
453 },
454 NestedJoin(Box<TableWithJoins>),
461}
462
463impl fmt::Display for TableFactor {
464 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
465 match self {
466 TableFactor::Table { name, alias, as_of } => {
467 write!(f, "{}", name)?;
468 if let Some(as_of) = as_of {
469 write!(f, "{}", as_of)?
470 }
471 if let Some(alias) = alias {
472 write!(f, " AS {}", alias)?;
473 }
474 Ok(())
475 }
476 TableFactor::Derived {
477 lateral,
478 subquery,
479 alias,
480 } => {
481 if *lateral {
482 write!(f, "LATERAL ")?;
483 }
484 write!(f, "({})", subquery)?;
485 if let Some(alias) = alias {
486 write!(f, " AS {}", alias)?;
487 }
488 Ok(())
489 }
490 TableFactor::TableFunction {
491 name,
492 alias,
493 args,
494 with_ordinality,
495 } => {
496 write!(f, "{}({})", name, display_comma_separated(args))?;
497 if *with_ordinality {
498 write!(f, " WITH ORDINALITY")?;
499 }
500 if let Some(alias) = alias {
501 write!(f, " AS {}", alias)?;
502 }
503 Ok(())
504 }
505 TableFactor::NestedJoin(table_reference) => write!(f, "({})", table_reference),
506 }
507 }
508}
509
510#[derive(Debug, Clone, PartialEq, Eq, Hash)]
511#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
512pub struct TableAlias {
513 pub name: Ident,
514 pub columns: Vec<Ident>,
515}
516
517impl fmt::Display for TableAlias {
518 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
519 write!(f, "{}", self.name)?;
520 if !self.columns.is_empty() {
521 write!(f, " ({})", display_comma_separated(&self.columns))?;
522 }
523 Ok(())
524 }
525}
526
527#[derive(Debug, Clone, PartialEq, Eq, Hash)]
528#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
529pub struct Join {
530 pub relation: TableFactor,
531 pub join_operator: JoinOperator,
532}
533
534impl fmt::Display for Join {
535 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
536 fn prefix(constraint: &JoinConstraint) -> &'static str {
537 match constraint {
538 JoinConstraint::Natural => "NATURAL ",
539 _ => "",
540 }
541 }
542 fn suffix(constraint: &'_ JoinConstraint) -> impl fmt::Display + '_ {
543 struct Suffix<'a>(&'a JoinConstraint);
544 impl fmt::Display for Suffix<'_> {
545 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
546 match self.0 {
547 JoinConstraint::On(expr) => write!(f, " ON {}", expr),
548 JoinConstraint::Using(attrs) => {
549 write!(f, " USING({})", display_comma_separated(attrs))
550 }
551 _ => Ok(()),
552 }
553 }
554 }
555 Suffix(constraint)
556 }
557 match &self.join_operator {
558 JoinOperator::Inner(constraint) => write!(
559 f,
560 " {}JOIN {}{}",
561 prefix(constraint),
562 self.relation,
563 suffix(constraint)
564 ),
565 JoinOperator::LeftOuter(constraint) => write!(
566 f,
567 " {}LEFT JOIN {}{}",
568 prefix(constraint),
569 self.relation,
570 suffix(constraint)
571 ),
572 JoinOperator::RightOuter(constraint) => write!(
573 f,
574 " {}RIGHT JOIN {}{}",
575 prefix(constraint),
576 self.relation,
577 suffix(constraint)
578 ),
579 JoinOperator::FullOuter(constraint) => write!(
580 f,
581 " {}FULL JOIN {}{}",
582 prefix(constraint),
583 self.relation,
584 suffix(constraint)
585 ),
586 JoinOperator::CrossJoin => write!(f, " CROSS JOIN {}", self.relation),
587 JoinOperator::AsOfInner(constraint) => write!(
588 f,
589 " {}ASOF JOIN {}{}",
590 prefix(constraint),
591 self.relation,
592 suffix(constraint)
593 ),
594 JoinOperator::AsOfLeft(constraint) => write!(
595 f,
596 " {}ASOF LEFT JOIN {}{}",
597 prefix(constraint),
598 self.relation,
599 suffix(constraint)
600 ),
601 }
602 }
603}
604
605#[derive(Debug, Clone, PartialEq, Eq, Hash)]
606#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
607pub enum JoinOperator {
608 Inner(JoinConstraint),
609 LeftOuter(JoinConstraint),
610 RightOuter(JoinConstraint),
611 FullOuter(JoinConstraint),
612 CrossJoin,
613 AsOfInner(JoinConstraint),
614 AsOfLeft(JoinConstraint),
615}
616
617#[derive(Debug, Clone, PartialEq, Eq, Hash)]
618#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
619pub enum JoinConstraint {
620 On(Expr),
621 Using(Vec<Ident>),
622 Natural,
623 None,
624}
625
626#[derive(Debug, Clone, PartialEq, Eq, Hash)]
628#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
629pub struct OrderByExpr {
630 pub expr: Expr,
631 pub asc: Option<bool>,
633 pub nulls_first: Option<bool>,
635}
636
637impl fmt::Display for OrderByExpr {
638 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
639 write!(f, "{}", self.expr)?;
640 match self.asc {
641 Some(true) => write!(f, " ASC")?,
642 Some(false) => write!(f, " DESC")?,
643 None => (),
644 }
645 match self.nulls_first {
646 Some(true) => write!(f, " NULLS FIRST")?,
647 Some(false) => write!(f, " NULLS LAST")?,
648 None => (),
649 }
650 Ok(())
651 }
652}
653
654#[derive(Debug, Clone, PartialEq, Eq, Hash)]
655#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
656pub struct Fetch {
657 pub with_ties: bool,
658 pub quantity: Option<String>,
659}
660
661impl fmt::Display for Fetch {
662 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
663 let extension = if self.with_ties { "WITH TIES" } else { "ONLY" };
664 if let Some(ref quantity) = self.quantity {
665 write!(f, "FETCH FIRST {} ROWS {}", quantity, extension)
666 } else {
667 write!(f, "FETCH FIRST ROWS {}", extension)
668 }
669 }
670}
671
672#[derive(Debug, Clone, PartialEq, Eq, Hash)]
673#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
674pub struct Top {
675 pub with_ties: bool,
677 pub percent: bool,
678 pub quantity: Option<Expr>,
679}
680
681impl fmt::Display for Top {
682 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
683 let extension = if self.with_ties { " WITH TIES" } else { "" };
684 if let Some(ref quantity) = self.quantity {
685 let percent = if self.percent { " PERCENT" } else { "" };
686 write!(f, "TOP ({}){}{}", quantity, percent, extension)
687 } else {
688 write!(f, "TOP{}", extension)
689 }
690 }
691}
692
693#[derive(Debug, Clone, PartialEq, Eq, Hash)]
694#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
695pub struct Values(pub Vec<Vec<Expr>>);
696
697impl fmt::Display for Values {
698 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
699 write!(f, "VALUES ")?;
700 let mut delim = "";
701 for row in &self.0 {
702 write!(f, "{}", delim)?;
703 delim = ", ";
704 write!(f, "({})", display_comma_separated(row))?;
705 }
706 Ok(())
707 }
708}