1use crate::expressions::{Expression, TableRef};
38use std::collections::{HashMap, VecDeque};
39
40pub type NodeId = usize;
42
43#[derive(Debug, Clone)]
45pub struct ParentInfo {
46 pub parent_id: Option<NodeId>,
48 pub arg_key: String,
50 pub index: Option<usize>,
52}
53
54#[derive(Debug, Default)]
68pub struct TreeContext {
69 nodes: HashMap<NodeId, ParentInfo>,
71 next_id: NodeId,
73 path: Vec<(NodeId, String, Option<usize>)>,
75}
76
77impl TreeContext {
78 pub fn new() -> Self {
80 Self::default()
81 }
82
83 pub fn build(root: &Expression) -> Self {
85 let mut ctx = Self::new();
86 ctx.visit_expr(root);
87 ctx
88 }
89
90 fn visit_expr(&mut self, expr: &Expression) -> NodeId {
92 let id = self.next_id;
93 self.next_id += 1;
94
95 let parent_info = if let Some((parent_id, arg_key, index)) = self.path.last() {
97 ParentInfo {
98 parent_id: Some(*parent_id),
99 arg_key: arg_key.clone(),
100 index: *index,
101 }
102 } else {
103 ParentInfo {
104 parent_id: None,
105 arg_key: String::new(),
106 index: None,
107 }
108 };
109 self.nodes.insert(id, parent_info);
110
111 for (key, child) in iter_children(expr) {
113 self.path.push((id, key.to_string(), None));
114 self.visit_expr(child);
115 self.path.pop();
116 }
117
118 for (key, children) in iter_children_lists(expr) {
120 for (idx, child) in children.iter().enumerate() {
121 self.path.push((id, key.to_string(), Some(idx)));
122 self.visit_expr(child);
123 self.path.pop();
124 }
125 }
126
127 id
128 }
129
130 pub fn get(&self, id: NodeId) -> Option<&ParentInfo> {
132 self.nodes.get(&id)
133 }
134
135 pub fn depth_of(&self, id: NodeId) -> usize {
137 let mut depth = 0;
138 let mut current = id;
139 while let Some(info) = self.nodes.get(¤t) {
140 if let Some(parent_id) = info.parent_id {
141 depth += 1;
142 current = parent_id;
143 } else {
144 break;
145 }
146 }
147 depth
148 }
149
150 pub fn ancestors_of(&self, id: NodeId) -> Vec<NodeId> {
152 let mut ancestors = Vec::new();
153 let mut current = id;
154 while let Some(info) = self.nodes.get(¤t) {
155 if let Some(parent_id) = info.parent_id {
156 ancestors.push(parent_id);
157 current = parent_id;
158 } else {
159 break;
160 }
161 }
162 ancestors
163 }
164}
165
166fn iter_children(expr: &Expression) -> Vec<(&'static str, &Expression)> {
170 let mut children = Vec::new();
171
172 match expr {
173 Expression::Select(s) => {
174 if let Some(from) = &s.from {
175 for source in &from.expressions {
176 children.push(("from", source));
177 }
178 }
179 for join in &s.joins {
180 children.push(("join_this", &join.this));
181 if let Some(on) = &join.on {
182 children.push(("join_on", on));
183 }
184 if let Some(match_condition) = &join.match_condition {
185 children.push(("join_match_condition", match_condition));
186 }
187 for pivot in &join.pivots {
188 children.push(("join_pivot", pivot));
189 }
190 }
191 for lateral_view in &s.lateral_views {
192 children.push(("lateral_view", &lateral_view.this));
193 }
194 if let Some(prewhere) = &s.prewhere {
195 children.push(("prewhere", prewhere));
196 }
197 if let Some(where_clause) = &s.where_clause {
198 children.push(("where", &where_clause.this));
199 }
200 if let Some(group_by) = &s.group_by {
201 for e in &group_by.expressions {
202 children.push(("group_by", e));
203 }
204 }
205 if let Some(having) = &s.having {
206 children.push(("having", &having.this));
207 }
208 if let Some(qualify) = &s.qualify {
209 children.push(("qualify", &qualify.this));
210 }
211 if let Some(order_by) = &s.order_by {
212 for ordered in &order_by.expressions {
213 children.push(("order_by", &ordered.this));
214 }
215 }
216 if let Some(distribute_by) = &s.distribute_by {
217 for e in &distribute_by.expressions {
218 children.push(("distribute_by", e));
219 }
220 }
221 if let Some(cluster_by) = &s.cluster_by {
222 for ordered in &cluster_by.expressions {
223 children.push(("cluster_by", &ordered.this));
224 }
225 }
226 if let Some(sort_by) = &s.sort_by {
227 for ordered in &sort_by.expressions {
228 children.push(("sort_by", &ordered.this));
229 }
230 }
231 if let Some(limit) = &s.limit {
232 children.push(("limit", &limit.this));
233 }
234 if let Some(offset) = &s.offset {
235 children.push(("offset", &offset.this));
236 }
237 if let Some(limit_by) = &s.limit_by {
238 for e in limit_by {
239 children.push(("limit_by", e));
240 }
241 }
242 if let Some(fetch) = &s.fetch {
243 if let Some(count) = &fetch.count {
244 children.push(("fetch", count));
245 }
246 }
247 if let Some(top) = &s.top {
248 children.push(("top", &top.this));
249 }
250 if let Some(with) = &s.with {
251 for cte in &with.ctes {
252 children.push(("with_cte", &cte.this));
253 }
254 if let Some(search) = &with.search {
255 children.push(("with_search", search));
256 }
257 }
258 if let Some(sample) = &s.sample {
259 children.push(("sample_size", &sample.size));
260 if let Some(seed) = &sample.seed {
261 children.push(("sample_seed", seed));
262 }
263 if let Some(offset) = &sample.offset {
264 children.push(("sample_offset", offset));
265 }
266 if let Some(bucket_numerator) = &sample.bucket_numerator {
267 children.push(("sample_bucket_numerator", bucket_numerator));
268 }
269 if let Some(bucket_denominator) = &sample.bucket_denominator {
270 children.push(("sample_bucket_denominator", bucket_denominator));
271 }
272 if let Some(bucket_field) = &sample.bucket_field {
273 children.push(("sample_bucket_field", bucket_field));
274 }
275 }
276 if let Some(connect) = &s.connect {
277 if let Some(start) = &connect.start {
278 children.push(("connect_start", start));
279 }
280 children.push(("connect", &connect.connect));
281 }
282 if let Some(into) = &s.into {
283 children.push(("into", &into.this));
284 }
285 for lock in &s.locks {
286 for e in &lock.expressions {
287 children.push(("lock_expression", e));
288 }
289 if let Some(wait) = &lock.wait {
290 children.push(("lock_wait", wait));
291 }
292 if let Some(key) = &lock.key {
293 children.push(("lock_key", key));
294 }
295 if let Some(update) = &lock.update {
296 children.push(("lock_update", update));
297 }
298 }
299 for e in &s.for_xml {
300 children.push(("for_xml", e));
301 }
302 }
303 Expression::With(with) => {
304 for cte in &with.ctes {
305 children.push(("cte", &cte.this));
306 }
307 if let Some(search) = &with.search {
308 children.push(("search", search));
309 }
310 }
311 Expression::Cte(cte) => {
312 children.push(("this", &cte.this));
313 }
314 Expression::Insert(insert) => {
315 if let Some(query) = &insert.query {
316 children.push(("query", query));
317 }
318 if let Some(with) = &insert.with {
319 for cte in &with.ctes {
320 children.push(("with_cte", &cte.this));
321 }
322 if let Some(search) = &with.search {
323 children.push(("with_search", search));
324 }
325 }
326 if let Some(on_conflict) = &insert.on_conflict {
327 children.push(("on_conflict", on_conflict));
328 }
329 if let Some(replace_where) = &insert.replace_where {
330 children.push(("replace_where", replace_where));
331 }
332 if let Some(source) = &insert.source {
333 children.push(("source", source));
334 }
335 if let Some(function_target) = &insert.function_target {
336 children.push(("function_target", function_target));
337 }
338 if let Some(partition_by) = &insert.partition_by {
339 children.push(("partition_by", partition_by));
340 }
341 if let Some(output) = &insert.output {
342 for column in &output.columns {
343 children.push(("output_column", column));
344 }
345 if let Some(into_table) = &output.into_table {
346 children.push(("output_into_table", into_table));
347 }
348 }
349 for row in &insert.values {
350 for value in row {
351 children.push(("value", value));
352 }
353 }
354 for (_, value) in &insert.partition {
355 if let Some(value) = value {
356 children.push(("partition_value", value));
357 }
358 }
359 for returning in &insert.returning {
360 children.push(("returning", returning));
361 }
362 for setting in &insert.settings {
363 children.push(("setting", setting));
364 }
365 }
366 Expression::Update(update) => {
367 if let Some(from_clause) = &update.from_clause {
368 for source in &from_clause.expressions {
369 children.push(("from", source));
370 }
371 }
372 for join in &update.table_joins {
373 children.push(("table_join_this", &join.this));
374 if let Some(on) = &join.on {
375 children.push(("table_join_on", on));
376 }
377 }
378 for join in &update.from_joins {
379 children.push(("from_join_this", &join.this));
380 if let Some(on) = &join.on {
381 children.push(("from_join_on", on));
382 }
383 }
384 for (_, value) in &update.set {
385 children.push(("set_value", value));
386 }
387 if let Some(where_clause) = &update.where_clause {
388 children.push(("where", &where_clause.this));
389 }
390 if let Some(output) = &update.output {
391 for column in &output.columns {
392 children.push(("output_column", column));
393 }
394 if let Some(into_table) = &output.into_table {
395 children.push(("output_into_table", into_table));
396 }
397 }
398 if let Some(with) = &update.with {
399 for cte in &with.ctes {
400 children.push(("with_cte", &cte.this));
401 }
402 if let Some(search) = &with.search {
403 children.push(("with_search", search));
404 }
405 }
406 if let Some(limit) = &update.limit {
407 children.push(("limit", limit));
408 }
409 if let Some(order_by) = &update.order_by {
410 for ordered in &order_by.expressions {
411 children.push(("order_by", &ordered.this));
412 }
413 }
414 for returning in &update.returning {
415 children.push(("returning", returning));
416 }
417 }
418 Expression::Delete(delete) => {
419 if let Some(with) = &delete.with {
420 for cte in &with.ctes {
421 children.push(("with_cte", &cte.this));
422 }
423 if let Some(search) = &with.search {
424 children.push(("with_search", search));
425 }
426 }
427 if let Some(where_clause) = &delete.where_clause {
428 children.push(("where", &where_clause.this));
429 }
430 if let Some(output) = &delete.output {
431 for column in &output.columns {
432 children.push(("output_column", column));
433 }
434 if let Some(into_table) = &output.into_table {
435 children.push(("output_into_table", into_table));
436 }
437 }
438 if let Some(limit) = &delete.limit {
439 children.push(("limit", limit));
440 }
441 if let Some(order_by) = &delete.order_by {
442 for ordered in &order_by.expressions {
443 children.push(("order_by", &ordered.this));
444 }
445 }
446 for returning in &delete.returning {
447 children.push(("returning", returning));
448 }
449 for join in &delete.joins {
450 children.push(("join_this", &join.this));
451 if let Some(on) = &join.on {
452 children.push(("join_on", on));
453 }
454 }
455 }
456 Expression::Join(join) => {
457 children.push(("this", &join.this));
458 if let Some(on) = &join.on {
459 children.push(("on", on));
460 }
461 if let Some(match_condition) = &join.match_condition {
462 children.push(("match_condition", match_condition));
463 }
464 for pivot in &join.pivots {
465 children.push(("pivot", pivot));
466 }
467 }
468 Expression::Alias(a) => {
469 children.push(("this", &a.this));
470 }
471 Expression::Cast(c) => {
472 children.push(("this", &c.this));
473 }
474 Expression::Not(u) | Expression::Neg(u) | Expression::BitwiseNot(u) => {
475 children.push(("this", &u.this));
476 }
477 Expression::Paren(p) => {
478 children.push(("this", &p.this));
479 }
480 Expression::IsNull(i) => {
481 children.push(("this", &i.this));
482 }
483 Expression::Exists(e) => {
484 children.push(("this", &e.this));
485 }
486 Expression::Subquery(s) => {
487 children.push(("this", &s.this));
488 }
489 Expression::Where(w) => {
490 children.push(("this", &w.this));
491 }
492 Expression::Having(h) => {
493 children.push(("this", &h.this));
494 }
495 Expression::Qualify(q) => {
496 children.push(("this", &q.this));
497 }
498 Expression::And(op)
499 | Expression::Or(op)
500 | Expression::Add(op)
501 | Expression::Sub(op)
502 | Expression::Mul(op)
503 | Expression::Div(op)
504 | Expression::Mod(op)
505 | Expression::Eq(op)
506 | Expression::Neq(op)
507 | Expression::Lt(op)
508 | Expression::Lte(op)
509 | Expression::Gt(op)
510 | Expression::Gte(op)
511 | Expression::BitwiseAnd(op)
512 | Expression::BitwiseOr(op)
513 | Expression::BitwiseXor(op)
514 | Expression::Concat(op) => {
515 children.push(("left", &op.left));
516 children.push(("right", &op.right));
517 }
518 Expression::Like(op) | Expression::ILike(op) => {
519 children.push(("left", &op.left));
520 children.push(("right", &op.right));
521 }
522 Expression::Between(b) => {
523 children.push(("this", &b.this));
524 children.push(("low", &b.low));
525 children.push(("high", &b.high));
526 }
527 Expression::In(i) => {
528 children.push(("this", &i.this));
529 if let Some(ref query) = i.query {
530 children.push(("query", query));
531 }
532 if let Some(ref unnest) = i.unnest {
533 children.push(("unnest", unnest));
534 }
535 }
536 Expression::Case(c) => {
537 if let Some(ref operand) = &c.operand {
538 children.push(("operand", operand));
539 }
540 }
541 Expression::WindowFunction(wf) => {
542 children.push(("this", &wf.this));
543 }
544 Expression::Union(u) => {
545 children.push(("left", &u.left));
546 children.push(("right", &u.right));
547 if let Some(with) = &u.with {
548 for cte in &with.ctes {
549 children.push(("with_cte", &cte.this));
550 }
551 if let Some(search) = &with.search {
552 children.push(("with_search", search));
553 }
554 }
555 if let Some(order_by) = &u.order_by {
556 for ordered in &order_by.expressions {
557 children.push(("order_by", &ordered.this));
558 }
559 }
560 if let Some(limit) = &u.limit {
561 children.push(("limit", limit));
562 }
563 if let Some(offset) = &u.offset {
564 children.push(("offset", offset));
565 }
566 if let Some(distribute_by) = &u.distribute_by {
567 for e in &distribute_by.expressions {
568 children.push(("distribute_by", e));
569 }
570 }
571 if let Some(sort_by) = &u.sort_by {
572 for ordered in &sort_by.expressions {
573 children.push(("sort_by", &ordered.this));
574 }
575 }
576 if let Some(cluster_by) = &u.cluster_by {
577 for ordered in &cluster_by.expressions {
578 children.push(("cluster_by", &ordered.this));
579 }
580 }
581 for e in &u.on_columns {
582 children.push(("on_column", e));
583 }
584 }
585 Expression::Intersect(i) => {
586 children.push(("left", &i.left));
587 children.push(("right", &i.right));
588 if let Some(with) = &i.with {
589 for cte in &with.ctes {
590 children.push(("with_cte", &cte.this));
591 }
592 if let Some(search) = &with.search {
593 children.push(("with_search", search));
594 }
595 }
596 if let Some(order_by) = &i.order_by {
597 for ordered in &order_by.expressions {
598 children.push(("order_by", &ordered.this));
599 }
600 }
601 if let Some(limit) = &i.limit {
602 children.push(("limit", limit));
603 }
604 if let Some(offset) = &i.offset {
605 children.push(("offset", offset));
606 }
607 if let Some(distribute_by) = &i.distribute_by {
608 for e in &distribute_by.expressions {
609 children.push(("distribute_by", e));
610 }
611 }
612 if let Some(sort_by) = &i.sort_by {
613 for ordered in &sort_by.expressions {
614 children.push(("sort_by", &ordered.this));
615 }
616 }
617 if let Some(cluster_by) = &i.cluster_by {
618 for ordered in &cluster_by.expressions {
619 children.push(("cluster_by", &ordered.this));
620 }
621 }
622 for e in &i.on_columns {
623 children.push(("on_column", e));
624 }
625 }
626 Expression::Except(e) => {
627 children.push(("left", &e.left));
628 children.push(("right", &e.right));
629 if let Some(with) = &e.with {
630 for cte in &with.ctes {
631 children.push(("with_cte", &cte.this));
632 }
633 if let Some(search) = &with.search {
634 children.push(("with_search", search));
635 }
636 }
637 if let Some(order_by) = &e.order_by {
638 for ordered in &order_by.expressions {
639 children.push(("order_by", &ordered.this));
640 }
641 }
642 if let Some(limit) = &e.limit {
643 children.push(("limit", limit));
644 }
645 if let Some(offset) = &e.offset {
646 children.push(("offset", offset));
647 }
648 if let Some(distribute_by) = &e.distribute_by {
649 for expr in &distribute_by.expressions {
650 children.push(("distribute_by", expr));
651 }
652 }
653 if let Some(sort_by) = &e.sort_by {
654 for ordered in &sort_by.expressions {
655 children.push(("sort_by", &ordered.this));
656 }
657 }
658 if let Some(cluster_by) = &e.cluster_by {
659 for ordered in &cluster_by.expressions {
660 children.push(("cluster_by", &ordered.this));
661 }
662 }
663 for expr in &e.on_columns {
664 children.push(("on_column", expr));
665 }
666 }
667 Expression::Merge(merge) => {
668 children.push(("this", &merge.this));
669 children.push(("using", &merge.using));
670 if let Some(on) = &merge.on {
671 children.push(("on", on));
672 }
673 if let Some(using_cond) = &merge.using_cond {
674 children.push(("using_cond", using_cond));
675 }
676 if let Some(whens) = &merge.whens {
677 children.push(("whens", whens));
678 }
679 if let Some(with_) = &merge.with_ {
680 children.push(("with_", with_));
681 }
682 if let Some(returning) = &merge.returning {
683 children.push(("returning", returning));
684 }
685 }
686 Expression::Any(q) | Expression::All(q) => {
687 children.push(("this", &q.this));
688 children.push(("subquery", &q.subquery));
689 }
690 Expression::Ordered(o) => {
691 children.push(("this", &o.this));
692 }
693 Expression::Interval(i) => {
694 if let Some(ref this) = i.this {
695 children.push(("this", this));
696 }
697 }
698 Expression::Describe(d) => {
699 children.push(("target", &d.target));
700 }
701 Expression::CreateTask(ct) => {
702 children.push(("body", &ct.body));
703 }
704 Expression::Analyze(a) => {
705 if let Some(this) = &a.this {
706 children.push(("this", this));
707 }
708 if let Some(expr) = &a.expression {
709 children.push(("expression", expr));
710 }
711 }
712 _ => {}
713 }
714
715 children
716}
717
718fn iter_children_lists(expr: &Expression) -> Vec<(&'static str, &[Expression])> {
722 let mut lists = Vec::new();
723
724 match expr {
725 Expression::Select(s) => lists.push(("expressions", s.expressions.as_slice())),
726 Expression::Function(f) => {
727 lists.push(("args", f.args.as_slice()));
728 }
729 Expression::AggregateFunction(f) => {
730 lists.push(("args", f.args.as_slice()));
731 }
732 Expression::From(f) => {
733 lists.push(("expressions", f.expressions.as_slice()));
734 }
735 Expression::GroupBy(g) => {
736 lists.push(("expressions", g.expressions.as_slice()));
737 }
738 Expression::In(i) => {
741 lists.push(("expressions", i.expressions.as_slice()));
742 }
743 Expression::Array(a) => {
744 lists.push(("expressions", a.expressions.as_slice()));
745 }
746 Expression::Tuple(t) => {
747 lists.push(("expressions", t.expressions.as_slice()));
748 }
749 Expression::Coalesce(c) => {
751 lists.push(("expressions", c.expressions.as_slice()));
752 }
753 Expression::Greatest(g) | Expression::Least(g) => {
754 lists.push(("expressions", g.expressions.as_slice()));
755 }
756 _ => {}
757 }
758
759 lists
760}
761
762pub struct DfsIter<'a> {
771 stack: Vec<&'a Expression>,
772}
773
774impl<'a> DfsIter<'a> {
775 pub fn new(root: &'a Expression) -> Self {
777 Self { stack: vec![root] }
778 }
779}
780
781impl<'a> Iterator for DfsIter<'a> {
782 type Item = &'a Expression;
783
784 fn next(&mut self) -> Option<Self::Item> {
785 let expr = self.stack.pop()?;
786
787 let children: Vec<_> = iter_children(expr).into_iter().map(|(_, e)| e).collect();
789 for child in children.into_iter().rev() {
790 self.stack.push(child);
791 }
792
793 let lists: Vec<_> = iter_children_lists(expr)
794 .into_iter()
795 .flat_map(|(_, es)| es.iter())
796 .collect();
797 for child in lists.into_iter().rev() {
798 self.stack.push(child);
799 }
800
801 Some(expr)
802 }
803}
804
805pub struct BfsIter<'a> {
813 queue: VecDeque<&'a Expression>,
814}
815
816impl<'a> BfsIter<'a> {
817 pub fn new(root: &'a Expression) -> Self {
819 let mut queue = VecDeque::new();
820 queue.push_back(root);
821 Self { queue }
822 }
823}
824
825impl<'a> Iterator for BfsIter<'a> {
826 type Item = &'a Expression;
827
828 fn next(&mut self) -> Option<Self::Item> {
829 let expr = self.queue.pop_front()?;
830
831 for (_, child) in iter_children(expr) {
833 self.queue.push_back(child);
834 }
835
836 for (_, children) in iter_children_lists(expr) {
837 for child in children {
838 self.queue.push_back(child);
839 }
840 }
841
842 Some(expr)
843 }
844}
845
846pub trait ExpressionWalk {
852 fn dfs(&self) -> DfsIter<'_>;
857
858 fn bfs(&self) -> BfsIter<'_>;
862
863 fn find<F>(&self, predicate: F) -> Option<&Expression>
867 where
868 F: Fn(&Expression) -> bool;
869
870 fn find_all<F>(&self, predicate: F) -> Vec<&Expression>
874 where
875 F: Fn(&Expression) -> bool;
876
877 fn contains<F>(&self, predicate: F) -> bool
879 where
880 F: Fn(&Expression) -> bool;
881
882 fn count<F>(&self, predicate: F) -> usize
884 where
885 F: Fn(&Expression) -> bool;
886
887 fn children(&self) -> Vec<&Expression>;
892
893 fn tree_depth(&self) -> usize;
897
898 fn transform_owned<F>(self, fun: F) -> crate::Result<Expression>
904 where
905 F: Fn(Expression) -> crate::Result<Option<Expression>>,
906 Self: Sized;
907}
908
909impl ExpressionWalk for Expression {
910 fn dfs(&self) -> DfsIter<'_> {
911 DfsIter::new(self)
912 }
913
914 fn bfs(&self) -> BfsIter<'_> {
915 BfsIter::new(self)
916 }
917
918 fn find<F>(&self, predicate: F) -> Option<&Expression>
919 where
920 F: Fn(&Expression) -> bool,
921 {
922 self.dfs().find(|e| predicate(e))
923 }
924
925 fn find_all<F>(&self, predicate: F) -> Vec<&Expression>
926 where
927 F: Fn(&Expression) -> bool,
928 {
929 self.dfs().filter(|e| predicate(e)).collect()
930 }
931
932 fn contains<F>(&self, predicate: F) -> bool
933 where
934 F: Fn(&Expression) -> bool,
935 {
936 self.dfs().any(|e| predicate(e))
937 }
938
939 fn count<F>(&self, predicate: F) -> usize
940 where
941 F: Fn(&Expression) -> bool,
942 {
943 self.dfs().filter(|e| predicate(e)).count()
944 }
945
946 fn children(&self) -> Vec<&Expression> {
947 let mut result: Vec<&Expression> = Vec::new();
948 for (_, child) in iter_children(self) {
949 result.push(child);
950 }
951 for (_, children_list) in iter_children_lists(self) {
952 for child in children_list {
953 result.push(child);
954 }
955 }
956 result
957 }
958
959 fn tree_depth(&self) -> usize {
960 let mut max_depth = 0;
961
962 for (_, child) in iter_children(self) {
963 let child_depth = child.tree_depth();
964 if child_depth + 1 > max_depth {
965 max_depth = child_depth + 1;
966 }
967 }
968
969 for (_, children) in iter_children_lists(self) {
970 for child in children {
971 let child_depth = child.tree_depth();
972 if child_depth + 1 > max_depth {
973 max_depth = child_depth + 1;
974 }
975 }
976 }
977
978 max_depth
979 }
980
981 fn transform_owned<F>(self, fun: F) -> crate::Result<Expression>
982 where
983 F: Fn(Expression) -> crate::Result<Option<Expression>>,
984 {
985 transform(self, &fun)
986 }
987}
988
989pub fn transform<F>(expr: Expression, fun: &F) -> crate::Result<Expression>
1010where
1011 F: Fn(Expression) -> crate::Result<Option<Expression>>,
1012{
1013 crate::dialects::transform_recursive(expr, &|e| match fun(e)? {
1014 Some(transformed) => Ok(transformed),
1015 None => Ok(Expression::Null(crate::expressions::Null)),
1016 })
1017}
1018
1019pub fn transform_map<F>(expr: Expression, fun: &F) -> crate::Result<Expression>
1040where
1041 F: Fn(Expression) -> crate::Result<Expression>,
1042{
1043 crate::dialects::transform_recursive(expr, fun)
1044}
1045
1046pub fn is_column(expr: &Expression) -> bool {
1054 matches!(expr, Expression::Column(_))
1055}
1056
1057pub fn is_literal(expr: &Expression) -> bool {
1059 matches!(
1060 expr,
1061 Expression::Literal(_) | Expression::Boolean(_) | Expression::Null(_)
1062 )
1063}
1064
1065pub fn is_function(expr: &Expression) -> bool {
1067 matches!(
1068 expr,
1069 Expression::Function(_) | Expression::AggregateFunction(_)
1070 )
1071}
1072
1073pub fn is_subquery(expr: &Expression) -> bool {
1075 matches!(expr, Expression::Subquery(_))
1076}
1077
1078pub fn is_select(expr: &Expression) -> bool {
1080 matches!(expr, Expression::Select(_))
1081}
1082
1083pub fn is_aggregate(expr: &Expression) -> bool {
1085 matches!(expr, Expression::AggregateFunction(_))
1086}
1087
1088pub fn is_window_function(expr: &Expression) -> bool {
1090 matches!(expr, Expression::WindowFunction(_))
1091}
1092
1093pub fn get_columns(expr: &Expression) -> Vec<&Expression> {
1097 expr.find_all(is_column)
1098}
1099
1100pub fn get_tables(expr: &Expression) -> Vec<&Expression> {
1108 expr.find_all(|e| matches!(e, Expression::Table(_)))
1109}
1110
1111pub fn get_all_tables(expr: &Expression) -> Vec<Expression> {
1119 use std::collections::HashSet;
1120
1121 let mut seen = HashSet::new();
1122 let mut result = Vec::new();
1123
1124 for node in expr.dfs() {
1126 if let Expression::Table(t) = node {
1127 let qname = table_ref_qualified_name(t);
1128 if seen.insert(qname) {
1129 result.push(node.clone());
1130 }
1131 }
1132
1133 let refs: Vec<&TableRef> = match node {
1135 Expression::Insert(ins) => vec![&ins.table],
1136 Expression::Update(upd) => {
1137 let mut v = vec![&upd.table];
1138 v.extend(upd.extra_tables.iter());
1139 v
1140 }
1141 Expression::Delete(del) => {
1142 let mut v = vec![&del.table];
1143 v.extend(del.using.iter());
1144 v
1145 }
1146 _ => continue,
1147 };
1148 for tref in refs {
1149 if tref.name.name.is_empty() {
1150 continue;
1151 }
1152 let qname = table_ref_qualified_name(tref);
1153 if seen.insert(qname) {
1154 result.push(Expression::Table(Box::new(tref.clone())));
1155 }
1156 }
1157 }
1158
1159 result
1160}
1161
1162fn table_ref_qualified_name(t: &TableRef) -> String {
1164 let mut name = String::new();
1165 if let Some(ref cat) = t.catalog {
1166 name.push_str(&cat.name);
1167 name.push('.');
1168 }
1169 if let Some(ref schema) = t.schema {
1170 name.push_str(&schema.name);
1171 name.push('.');
1172 }
1173 name.push_str(&t.name.name);
1174 name
1175}
1176
1177fn unwrap_merge_table(expr: &Expression) -> Option<&Expression> {
1181 match expr {
1182 Expression::Table(_) => Some(expr),
1183 Expression::Alias(alias) => match &alias.this {
1184 Expression::Table(_) => Some(&alias.this),
1185 _ => None,
1186 },
1187 _ => None,
1188 }
1189}
1190
1191pub fn get_merge_target(expr: &Expression) -> Option<&Expression> {
1196 match expr {
1197 Expression::Merge(m) => unwrap_merge_table(&m.this),
1198 _ => None,
1199 }
1200}
1201
1202pub fn get_merge_source(expr: &Expression) -> Option<&Expression> {
1208 match expr {
1209 Expression::Merge(m) => unwrap_merge_table(&m.using),
1210 _ => None,
1211 }
1212}
1213
1214pub fn contains_aggregate(expr: &Expression) -> bool {
1216 expr.contains(is_aggregate)
1217}
1218
1219pub fn contains_window_function(expr: &Expression) -> bool {
1221 expr.contains(is_window_function)
1222}
1223
1224pub fn contains_subquery(expr: &Expression) -> bool {
1226 expr.contains(is_subquery)
1227}
1228
1229macro_rules! is_type {
1235 ($name:ident, $($variant:pat),+ $(,)?) => {
1236 pub fn $name(expr: &Expression) -> bool {
1238 matches!(expr, $($variant)|+)
1239 }
1240 };
1241}
1242
1243is_type!(is_insert, Expression::Insert(_));
1245is_type!(is_update, Expression::Update(_));
1246is_type!(is_delete, Expression::Delete(_));
1247is_type!(is_merge, Expression::Merge(_));
1248is_type!(is_union, Expression::Union(_));
1249is_type!(is_intersect, Expression::Intersect(_));
1250is_type!(is_except, Expression::Except(_));
1251
1252is_type!(is_boolean, Expression::Boolean(_));
1254is_type!(is_null_literal, Expression::Null(_));
1255is_type!(is_star, Expression::Star(_));
1256is_type!(is_identifier, Expression::Identifier(_));
1257is_type!(is_table, Expression::Table(_));
1258
1259is_type!(is_eq, Expression::Eq(_));
1261is_type!(is_neq, Expression::Neq(_));
1262is_type!(is_lt, Expression::Lt(_));
1263is_type!(is_lte, Expression::Lte(_));
1264is_type!(is_gt, Expression::Gt(_));
1265is_type!(is_gte, Expression::Gte(_));
1266is_type!(is_like, Expression::Like(_));
1267is_type!(is_ilike, Expression::ILike(_));
1268
1269is_type!(is_add, Expression::Add(_));
1271is_type!(is_sub, Expression::Sub(_));
1272is_type!(is_mul, Expression::Mul(_));
1273is_type!(is_div, Expression::Div(_));
1274is_type!(is_mod, Expression::Mod(_));
1275is_type!(is_concat, Expression::Concat(_));
1276
1277is_type!(is_and, Expression::And(_));
1279is_type!(is_or, Expression::Or(_));
1280is_type!(is_not, Expression::Not(_));
1281
1282is_type!(is_in, Expression::In(_));
1284is_type!(is_between, Expression::Between(_));
1285is_type!(is_is_null, Expression::IsNull(_));
1286is_type!(is_exists, Expression::Exists(_));
1287
1288is_type!(is_count, Expression::Count(_));
1290is_type!(is_sum, Expression::Sum(_));
1291is_type!(is_avg, Expression::Avg(_));
1292is_type!(is_min_func, Expression::Min(_));
1293is_type!(is_max_func, Expression::Max(_));
1294is_type!(is_coalesce, Expression::Coalesce(_));
1295is_type!(is_null_if, Expression::NullIf(_));
1296is_type!(is_cast, Expression::Cast(_));
1297is_type!(is_try_cast, Expression::TryCast(_));
1298is_type!(is_safe_cast, Expression::SafeCast(_));
1299is_type!(is_case, Expression::Case(_));
1300
1301is_type!(is_from, Expression::From(_));
1303is_type!(is_join, Expression::Join(_));
1304is_type!(is_where, Expression::Where(_));
1305is_type!(is_group_by, Expression::GroupBy(_));
1306is_type!(is_having, Expression::Having(_));
1307is_type!(is_order_by, Expression::OrderBy(_));
1308is_type!(is_limit, Expression::Limit(_));
1309is_type!(is_offset, Expression::Offset(_));
1310is_type!(is_with, Expression::With(_));
1311is_type!(is_cte, Expression::Cte(_));
1312is_type!(is_alias, Expression::Alias(_));
1313is_type!(is_paren, Expression::Paren(_));
1314is_type!(is_ordered, Expression::Ordered(_));
1315
1316is_type!(is_create_table, Expression::CreateTable(_));
1318is_type!(is_drop_table, Expression::DropTable(_));
1319is_type!(is_alter_table, Expression::AlterTable(_));
1320is_type!(is_create_index, Expression::CreateIndex(_));
1321is_type!(is_drop_index, Expression::DropIndex(_));
1322is_type!(is_create_view, Expression::CreateView(_));
1323is_type!(is_drop_view, Expression::DropView(_));
1324
1325pub fn is_query(expr: &Expression) -> bool {
1331 matches!(
1332 expr,
1333 Expression::Select(_)
1334 | Expression::Insert(_)
1335 | Expression::Update(_)
1336 | Expression::Delete(_)
1337 | Expression::Merge(_)
1338 )
1339}
1340
1341pub fn is_set_operation(expr: &Expression) -> bool {
1343 matches!(
1344 expr,
1345 Expression::Union(_) | Expression::Intersect(_) | Expression::Except(_)
1346 )
1347}
1348
1349pub fn is_comparison(expr: &Expression) -> bool {
1351 matches!(
1352 expr,
1353 Expression::Eq(_)
1354 | Expression::Neq(_)
1355 | Expression::Lt(_)
1356 | Expression::Lte(_)
1357 | Expression::Gt(_)
1358 | Expression::Gte(_)
1359 | Expression::Like(_)
1360 | Expression::ILike(_)
1361 )
1362}
1363
1364pub fn is_arithmetic(expr: &Expression) -> bool {
1366 matches!(
1367 expr,
1368 Expression::Add(_)
1369 | Expression::Sub(_)
1370 | Expression::Mul(_)
1371 | Expression::Div(_)
1372 | Expression::Mod(_)
1373 )
1374}
1375
1376pub fn is_logical(expr: &Expression) -> bool {
1378 matches!(
1379 expr,
1380 Expression::And(_) | Expression::Or(_) | Expression::Not(_)
1381 )
1382}
1383
1384pub fn is_ddl(expr: &Expression) -> bool {
1386 matches!(
1387 expr,
1388 Expression::CreateTable(_)
1389 | Expression::DropTable(_)
1390 | Expression::Undrop(_)
1391 | Expression::AlterTable(_)
1392 | Expression::CreateIndex(_)
1393 | Expression::DropIndex(_)
1394 | Expression::CreateView(_)
1395 | Expression::DropView(_)
1396 | Expression::AlterView(_)
1397 | Expression::CreateSchema(_)
1398 | Expression::DropSchema(_)
1399 | Expression::CreateDatabase(_)
1400 | Expression::DropDatabase(_)
1401 | Expression::CreateFunction(_)
1402 | Expression::DropFunction(_)
1403 | Expression::CreateProcedure(_)
1404 | Expression::DropProcedure(_)
1405 | Expression::CreateSequence(_)
1406 | Expression::CreateSynonym(_)
1407 | Expression::DropSequence(_)
1408 | Expression::AlterSequence(_)
1409 | Expression::CreateTrigger(_)
1410 | Expression::DropTrigger(_)
1411 | Expression::CreateType(_)
1412 | Expression::DropType(_)
1413 )
1414}
1415
1416pub fn find_parent<'a>(root: &'a Expression, target: &Expression) -> Option<&'a Expression> {
1423 fn search<'a>(node: &'a Expression, target: *const Expression) -> Option<&'a Expression> {
1424 for (_, child) in iter_children(node) {
1425 if std::ptr::eq(child, target) {
1426 return Some(node);
1427 }
1428 if let Some(found) = search(child, target) {
1429 return Some(found);
1430 }
1431 }
1432 for (_, children_list) in iter_children_lists(node) {
1433 for child in children_list {
1434 if std::ptr::eq(child, target) {
1435 return Some(node);
1436 }
1437 if let Some(found) = search(child, target) {
1438 return Some(found);
1439 }
1440 }
1441 }
1442 None
1443 }
1444
1445 search(root, target as *const Expression)
1446}
1447
1448pub fn find_ancestor<'a, F>(
1454 root: &'a Expression,
1455 target: &Expression,
1456 predicate: F,
1457) -> Option<&'a Expression>
1458where
1459 F: Fn(&Expression) -> bool,
1460{
1461 fn build_path<'a>(
1463 node: &'a Expression,
1464 target: *const Expression,
1465 path: &mut Vec<&'a Expression>,
1466 ) -> bool {
1467 if std::ptr::eq(node, target) {
1468 return true;
1469 }
1470 path.push(node);
1471 for (_, child) in iter_children(node) {
1472 if build_path(child, target, path) {
1473 return true;
1474 }
1475 }
1476 for (_, children_list) in iter_children_lists(node) {
1477 for child in children_list {
1478 if build_path(child, target, path) {
1479 return true;
1480 }
1481 }
1482 }
1483 path.pop();
1484 false
1485 }
1486
1487 let mut path = Vec::new();
1488 if !build_path(root, target as *const Expression, &mut path) {
1489 return None;
1490 }
1491
1492 for ancestor in path.iter().rev() {
1494 if predicate(ancestor) {
1495 return Some(ancestor);
1496 }
1497 }
1498 None
1499}
1500
1501#[cfg(test)]
1502mod tests {
1503 use super::*;
1504 use crate::expressions::{BinaryOp, Column, Identifier, Literal};
1505
1506 fn make_column(name: &str) -> Expression {
1507 Expression::boxed_column(Column {
1508 name: Identifier {
1509 name: name.to_string(),
1510 quoted: false,
1511 trailing_comments: vec![],
1512 span: None,
1513 },
1514 table: None,
1515 join_mark: false,
1516 trailing_comments: vec![],
1517 span: None,
1518 inferred_type: None,
1519 })
1520 }
1521
1522 fn make_literal(value: i64) -> Expression {
1523 Expression::Literal(Box::new(Literal::Number(value.to_string())))
1524 }
1525
1526 #[test]
1527 fn test_dfs_simple() {
1528 let left = make_column("a");
1529 let right = make_literal(1);
1530 let expr = Expression::Eq(Box::new(BinaryOp {
1531 left,
1532 right,
1533 left_comments: vec![],
1534 operator_comments: vec![],
1535 trailing_comments: vec![],
1536 inferred_type: None,
1537 }));
1538
1539 let nodes: Vec<_> = expr.dfs().collect();
1540 assert_eq!(nodes.len(), 3); assert!(matches!(nodes[0], Expression::Eq(_)));
1542 assert!(matches!(nodes[1], Expression::Column(_)));
1543 assert!(matches!(nodes[2], Expression::Literal(_)));
1544 }
1545
1546 #[test]
1547 fn test_find() {
1548 let left = make_column("a");
1549 let right = make_literal(1);
1550 let expr = Expression::Eq(Box::new(BinaryOp {
1551 left,
1552 right,
1553 left_comments: vec![],
1554 operator_comments: vec![],
1555 trailing_comments: vec![],
1556 inferred_type: None,
1557 }));
1558
1559 let column = expr.find(is_column);
1560 assert!(column.is_some());
1561 assert!(matches!(column.unwrap(), Expression::Column(_)));
1562
1563 let literal = expr.find(is_literal);
1564 assert!(literal.is_some());
1565 assert!(matches!(literal.unwrap(), Expression::Literal(_)));
1566 }
1567
1568 #[test]
1569 fn test_find_all() {
1570 let col1 = make_column("a");
1571 let col2 = make_column("b");
1572 let expr = Expression::And(Box::new(BinaryOp {
1573 left: col1,
1574 right: col2,
1575 left_comments: vec![],
1576 operator_comments: vec![],
1577 trailing_comments: vec![],
1578 inferred_type: None,
1579 }));
1580
1581 let columns = expr.find_all(is_column);
1582 assert_eq!(columns.len(), 2);
1583 }
1584
1585 #[test]
1586 fn test_contains() {
1587 let col = make_column("a");
1588 let lit = make_literal(1);
1589 let expr = Expression::Eq(Box::new(BinaryOp {
1590 left: col,
1591 right: lit,
1592 left_comments: vec![],
1593 operator_comments: vec![],
1594 trailing_comments: vec![],
1595 inferred_type: None,
1596 }));
1597
1598 assert!(expr.contains(is_column));
1599 assert!(expr.contains(is_literal));
1600 assert!(!expr.contains(is_subquery));
1601 }
1602
1603 #[test]
1604 fn test_count() {
1605 let col1 = make_column("a");
1606 let col2 = make_column("b");
1607 let lit = make_literal(1);
1608
1609 let inner = Expression::Add(Box::new(BinaryOp {
1610 left: col2,
1611 right: lit,
1612 left_comments: vec![],
1613 operator_comments: vec![],
1614 trailing_comments: vec![],
1615 inferred_type: None,
1616 }));
1617
1618 let expr = Expression::Eq(Box::new(BinaryOp {
1619 left: col1,
1620 right: inner,
1621 left_comments: vec![],
1622 operator_comments: vec![],
1623 trailing_comments: vec![],
1624 inferred_type: None,
1625 }));
1626
1627 assert_eq!(expr.count(is_column), 2);
1628 assert_eq!(expr.count(is_literal), 1);
1629 }
1630
1631 #[test]
1632 fn test_tree_depth() {
1633 let lit = make_literal(1);
1635 assert_eq!(lit.tree_depth(), 0);
1636
1637 let col = make_column("a");
1639 let expr = Expression::Eq(Box::new(BinaryOp {
1640 left: col,
1641 right: lit.clone(),
1642 left_comments: vec![],
1643 operator_comments: vec![],
1644 trailing_comments: vec![],
1645 inferred_type: None,
1646 }));
1647 assert_eq!(expr.tree_depth(), 1);
1648
1649 let inner = Expression::Add(Box::new(BinaryOp {
1651 left: make_column("b"),
1652 right: lit,
1653 left_comments: vec![],
1654 operator_comments: vec![],
1655 trailing_comments: vec![],
1656 inferred_type: None,
1657 }));
1658 let outer = Expression::Eq(Box::new(BinaryOp {
1659 left: make_column("a"),
1660 right: inner,
1661 left_comments: vec![],
1662 operator_comments: vec![],
1663 trailing_comments: vec![],
1664 inferred_type: None,
1665 }));
1666 assert_eq!(outer.tree_depth(), 2);
1667 }
1668
1669 #[test]
1670 fn test_tree_context() {
1671 let col = make_column("a");
1672 let lit = make_literal(1);
1673 let expr = Expression::Eq(Box::new(BinaryOp {
1674 left: col,
1675 right: lit,
1676 left_comments: vec![],
1677 operator_comments: vec![],
1678 trailing_comments: vec![],
1679 inferred_type: None,
1680 }));
1681
1682 let ctx = TreeContext::build(&expr);
1683
1684 let root_info = ctx.get(0).unwrap();
1686 assert!(root_info.parent_id.is_none());
1687
1688 let left_info = ctx.get(1).unwrap();
1690 assert_eq!(left_info.parent_id, Some(0));
1691 assert_eq!(left_info.arg_key, "left");
1692
1693 let right_info = ctx.get(2).unwrap();
1694 assert_eq!(right_info.parent_id, Some(0));
1695 assert_eq!(right_info.arg_key, "right");
1696 }
1697
1698 #[test]
1701 fn test_transform_rename_columns() {
1702 let ast = crate::parser::Parser::parse_sql("SELECT a, b FROM t").unwrap();
1703 let expr = ast[0].clone();
1704 let result = super::transform_map(expr, &|e| {
1705 if let Expression::Column(ref c) = e {
1706 if c.name.name == "a" {
1707 return Ok(Expression::boxed_column(Column {
1708 name: Identifier::new("alpha"),
1709 table: c.table.clone(),
1710 join_mark: false,
1711 trailing_comments: vec![],
1712 span: None,
1713 inferred_type: None,
1714 }));
1715 }
1716 }
1717 Ok(e)
1718 })
1719 .unwrap();
1720 let sql = crate::generator::Generator::sql(&result).unwrap();
1721 assert!(sql.contains("alpha"), "Expected 'alpha' in: {}", sql);
1722 assert!(sql.contains("b"), "Expected 'b' in: {}", sql);
1723 }
1724
1725 #[test]
1726 fn test_transform_noop() {
1727 let ast = crate::parser::Parser::parse_sql("SELECT 1 + 2").unwrap();
1728 let expr = ast[0].clone();
1729 let result = super::transform_map(expr.clone(), &|e| Ok(e)).unwrap();
1730 let sql1 = crate::generator::Generator::sql(&expr).unwrap();
1731 let sql2 = crate::generator::Generator::sql(&result).unwrap();
1732 assert_eq!(sql1, sql2);
1733 }
1734
1735 #[test]
1736 fn test_transform_nested() {
1737 let ast = crate::parser::Parser::parse_sql("SELECT a + b FROM t").unwrap();
1738 let expr = ast[0].clone();
1739 let result = super::transform_map(expr, &|e| {
1740 if let Expression::Column(ref c) = e {
1741 return Ok(Expression::Literal(Box::new(Literal::Number(
1742 if c.name.name == "a" { "1" } else { "2" }.to_string(),
1743 ))));
1744 }
1745 Ok(e)
1746 })
1747 .unwrap();
1748 let sql = crate::generator::Generator::sql(&result).unwrap();
1749 assert_eq!(sql, "SELECT 1 + 2 FROM t");
1750 }
1751
1752 #[test]
1753 fn test_transform_error() {
1754 let ast = crate::parser::Parser::parse_sql("SELECT a FROM t").unwrap();
1755 let expr = ast[0].clone();
1756 let result = super::transform_map(expr, &|e| {
1757 if let Expression::Column(ref c) = e {
1758 if c.name.name == "a" {
1759 return Err(crate::error::Error::parse("test error", 0, 0, 0, 0));
1760 }
1761 }
1762 Ok(e)
1763 });
1764 assert!(result.is_err());
1765 }
1766
1767 #[test]
1768 fn test_transform_owned_trait() {
1769 let ast = crate::parser::Parser::parse_sql("SELECT x FROM t").unwrap();
1770 let expr = ast[0].clone();
1771 let result = expr.transform_owned(|e| Ok(Some(e))).unwrap();
1772 let sql = crate::generator::Generator::sql(&result).unwrap();
1773 assert_eq!(sql, "SELECT x FROM t");
1774 }
1775
1776 #[test]
1779 fn test_children_leaf() {
1780 let lit = make_literal(1);
1781 assert_eq!(lit.children().len(), 0);
1782 }
1783
1784 #[test]
1785 fn test_children_binary_op() {
1786 let left = make_column("a");
1787 let right = make_literal(1);
1788 let expr = Expression::Eq(Box::new(BinaryOp {
1789 left,
1790 right,
1791 left_comments: vec![],
1792 operator_comments: vec![],
1793 trailing_comments: vec![],
1794 inferred_type: None,
1795 }));
1796 let children = expr.children();
1797 assert_eq!(children.len(), 2);
1798 assert!(matches!(children[0], Expression::Column(_)));
1799 assert!(matches!(children[1], Expression::Literal(_)));
1800 }
1801
1802 #[test]
1803 fn test_children_select() {
1804 let ast = crate::parser::Parser::parse_sql("SELECT a, b FROM t").unwrap();
1805 let expr = &ast[0];
1806 let children = expr.children();
1807 assert!(children.len() >= 2);
1809 }
1810
1811 #[test]
1812 fn test_children_select_includes_from_and_join_sources() {
1813 let ast = crate::parser::Parser::parse_sql(
1814 "SELECT u.id FROM users u JOIN orders o ON u.id = o.user_id",
1815 )
1816 .unwrap();
1817 let expr = &ast[0];
1818 let children = expr.children();
1819
1820 let table_names: Vec<&str> = children
1821 .iter()
1822 .filter_map(|e| match e {
1823 Expression::Table(t) => Some(t.name.name.as_str()),
1824 _ => None,
1825 })
1826 .collect();
1827
1828 assert!(table_names.contains(&"users"));
1829 assert!(table_names.contains(&"orders"));
1830 }
1831
1832 #[test]
1833 fn test_get_tables_includes_insert_query_sources() {
1834 let ast = crate::parser::Parser::parse_sql(
1835 "INSERT INTO dst (id) SELECT s.id FROM src s JOIN dim d ON s.id = d.id",
1836 )
1837 .unwrap();
1838 let expr = &ast[0];
1839 let tables = get_tables(expr);
1840 let names: Vec<&str> = tables
1841 .iter()
1842 .filter_map(|e| match e {
1843 Expression::Table(t) => Some(t.name.name.as_str()),
1844 _ => None,
1845 })
1846 .collect();
1847
1848 assert!(names.contains(&"src"));
1849 assert!(names.contains(&"dim"));
1850 }
1851
1852 #[test]
1855 fn test_find_parent_binary() {
1856 let left = make_column("a");
1857 let right = make_literal(1);
1858 let expr = Expression::Eq(Box::new(BinaryOp {
1859 left,
1860 right,
1861 left_comments: vec![],
1862 operator_comments: vec![],
1863 trailing_comments: vec![],
1864 inferred_type: None,
1865 }));
1866
1867 let col = expr.find(is_column).unwrap();
1869 let parent = super::find_parent(&expr, col);
1870 assert!(parent.is_some());
1871 assert!(matches!(parent.unwrap(), Expression::Eq(_)));
1872 }
1873
1874 #[test]
1875 fn test_find_parent_root_has_none() {
1876 let lit = make_literal(1);
1877 let parent = super::find_parent(&lit, &lit);
1878 assert!(parent.is_none());
1879 }
1880
1881 #[test]
1884 fn test_find_ancestor_select() {
1885 let ast = crate::parser::Parser::parse_sql("SELECT a FROM t WHERE a > 1").unwrap();
1886 let expr = &ast[0];
1887
1888 let where_col = expr.dfs().find(|e| {
1890 if let Expression::Column(c) = e {
1891 c.name.name == "a"
1892 } else {
1893 false
1894 }
1895 });
1896 assert!(where_col.is_some());
1897
1898 let ancestor = super::find_ancestor(expr, where_col.unwrap(), is_select);
1900 assert!(ancestor.is_some());
1901 assert!(matches!(ancestor.unwrap(), Expression::Select(_)));
1902 }
1903
1904 #[test]
1905 fn test_find_ancestor_no_match() {
1906 let left = make_column("a");
1907 let right = make_literal(1);
1908 let expr = Expression::Eq(Box::new(BinaryOp {
1909 left,
1910 right,
1911 left_comments: vec![],
1912 operator_comments: vec![],
1913 trailing_comments: vec![],
1914 inferred_type: None,
1915 }));
1916
1917 let col = expr.find(is_column).unwrap();
1918 let ancestor = super::find_ancestor(&expr, col, is_select);
1919 assert!(ancestor.is_none());
1920 }
1921
1922 #[test]
1923 fn test_ancestors() {
1924 let col = make_column("a");
1925 let lit = make_literal(1);
1926 let inner = Expression::Add(Box::new(BinaryOp {
1927 left: col,
1928 right: lit,
1929 left_comments: vec![],
1930 operator_comments: vec![],
1931 trailing_comments: vec![],
1932 inferred_type: None,
1933 }));
1934 let outer = Expression::Eq(Box::new(BinaryOp {
1935 left: make_column("b"),
1936 right: inner,
1937 left_comments: vec![],
1938 operator_comments: vec![],
1939 trailing_comments: vec![],
1940 inferred_type: None,
1941 }));
1942
1943 let ctx = TreeContext::build(&outer);
1944
1945 let ancestors = ctx.ancestors_of(3);
1953 assert_eq!(ancestors, vec![2, 0]); }
1955
1956 #[test]
1957 fn test_get_merge_target_and_source() {
1958 let dialect = crate::Dialect::get(crate::dialects::DialectType::Generic);
1959
1960 let sql = "MERGE INTO orders o USING customers c ON o.customer_id = c.id WHEN MATCHED THEN UPDATE SET amount = amount + 100";
1962 let exprs = dialect.parse(sql).unwrap();
1963 let expr = &exprs[0];
1964
1965 assert!(is_merge(expr));
1966 assert!(is_query(expr));
1967
1968 let target = get_merge_target(expr).expect("should find target table");
1969 assert!(matches!(target, Expression::Table(_)));
1970 if let Expression::Table(t) = target {
1971 assert_eq!(t.name.name, "orders");
1972 }
1973
1974 let source = get_merge_source(expr).expect("should find source table");
1975 assert!(matches!(source, Expression::Table(_)));
1976 if let Expression::Table(t) = source {
1977 assert_eq!(t.name.name, "customers");
1978 }
1979 }
1980
1981 #[test]
1982 fn test_get_merge_source_subquery_returns_none() {
1983 let dialect = crate::Dialect::get(crate::dialects::DialectType::Generic);
1984
1985 let sql = "MERGE INTO orders o USING (SELECT * FROM customers) c ON o.customer_id = c.id WHEN MATCHED THEN DELETE";
1987 let exprs = dialect.parse(sql).unwrap();
1988 let expr = &exprs[0];
1989
1990 assert!(get_merge_target(expr).is_some());
1991 assert!(get_merge_source(expr).is_none());
1992 }
1993
1994 #[test]
1995 fn test_get_merge_on_non_merge_returns_none() {
1996 let dialect = crate::Dialect::get(crate::dialects::DialectType::Generic);
1997 let exprs = dialect.parse("SELECT 1").unwrap();
1998 assert!(get_merge_target(&exprs[0]).is_none());
1999 assert!(get_merge_source(&exprs[0]).is_none());
2000 }
2001
2002 #[test]
2003 fn test_get_tables_finds_tables_inside_in_subquery() {
2004 let dialect = crate::Dialect::get(crate::dialects::DialectType::Generic);
2005 let sql = "SELECT id, name FROM customers WHERE id IN (SELECT customer_id FROM orders WHERE amount > 1000)";
2006 let exprs = dialect.parse(sql).unwrap();
2007 let tables = get_tables(&exprs[0]);
2008 let names: Vec<&str> = tables
2009 .iter()
2010 .filter_map(|e| {
2011 if let Expression::Table(t) = e {
2012 Some(t.name.name.as_str())
2013 } else {
2014 None
2015 }
2016 })
2017 .collect();
2018 assert!(names.contains(&"customers"), "should find outer table");
2019 assert!(names.contains(&"orders"), "should find subquery table");
2020 }
2021
2022 #[test]
2023 fn test_get_tables_finds_tables_inside_exists_subquery() {
2024 let dialect = crate::Dialect::get(crate::dialects::DialectType::Generic);
2025 let sql = "SELECT * FROM customers c WHERE EXISTS (SELECT 1 FROM orders o WHERE o.customer_id = c.id)";
2026 let exprs = dialect.parse(sql).unwrap();
2027 let tables = get_tables(&exprs[0]);
2028 let names: Vec<&str> = tables
2029 .iter()
2030 .filter_map(|e| {
2031 if let Expression::Table(t) = e {
2032 Some(t.name.name.as_str())
2033 } else {
2034 None
2035 }
2036 })
2037 .collect();
2038 assert!(names.contains(&"customers"), "should find outer table");
2039 assert!(
2040 names.contains(&"orders"),
2041 "should find EXISTS subquery table"
2042 );
2043 }
2044
2045 #[test]
2046 fn test_get_tables_finds_tables_in_correlated_subquery() {
2047 let dialect = crate::Dialect::get(crate::dialects::DialectType::TSQL);
2048 let sql = "SELECT id, name FROM customers WHERE id IN (SELECT customer_id FROM orders WHERE amount > 1000)";
2049 let exprs = dialect.parse(sql).unwrap();
2050 let tables = get_tables(&exprs[0]);
2051 let names: Vec<&str> = tables
2052 .iter()
2053 .filter_map(|e| {
2054 if let Expression::Table(t) = e {
2055 Some(t.name.name.as_str())
2056 } else {
2057 None
2058 }
2059 })
2060 .collect();
2061 assert!(
2062 names.contains(&"customers"),
2063 "TSQL: should find outer table"
2064 );
2065 assert!(
2066 names.contains(&"orders"),
2067 "TSQL: should find subquery table"
2068 );
2069 }
2070}