1use crate::sql::parser::ast::{
2 CTEType, ColumnRef, Condition, SelectItem, SelectStatement, SqlExpression, CTE,
3};
4
5pub struct InOperatorLifter {
7 column_counter: usize,
9}
10
11impl InOperatorLifter {
12 pub fn new() -> Self {
13 InOperatorLifter { column_counter: 0 }
14 }
15
16 fn next_column_name(&mut self) -> String {
18 self.column_counter += 1;
19 format!("__expr_{}", self.column_counter)
20 }
21
22 pub fn needs_in_lifting(expr: &SqlExpression) -> bool {
24 match expr {
25 SqlExpression::InList { expr, .. } | SqlExpression::NotInList { expr, .. } => {
26 Self::is_complex_expression(expr)
27 }
28 _ => false,
29 }
30 }
31
32 fn is_complex_expression(expr: &SqlExpression) -> bool {
34 !matches!(expr, SqlExpression::Column(_))
35 }
36
37 pub fn lift_in_expressions(&mut self, stmt: &mut SelectStatement) -> Vec<LiftedInExpression> {
39 let mut lifted = Vec::new();
40
41 if let Some(ref mut where_clause) = stmt.where_clause {
42 let mut new_conditions = Vec::new();
43
44 for condition in &where_clause.conditions {
45 match &condition.expr {
46 SqlExpression::InList { expr, values } if Self::is_complex_expression(expr) => {
47 let column_alias = self.next_column_name();
48
49 lifted.push(LiftedInExpression {
51 original_expr: expr.as_ref().clone(),
52 alias: column_alias.clone(),
53 values: values.clone(),
54 is_not_in: false,
55 });
56
57 new_conditions.push(Condition {
59 expr: SqlExpression::InList {
60 expr: Box::new(SqlExpression::Column(ColumnRef::unquoted(
61 column_alias,
62 ))),
63 values: values.clone(),
64 },
65 connector: condition.connector.clone(),
66 });
67 }
68 SqlExpression::NotInList { expr, values }
69 if Self::is_complex_expression(expr) =>
70 {
71 let column_alias = self.next_column_name();
72
73 lifted.push(LiftedInExpression {
75 original_expr: expr.as_ref().clone(),
76 alias: column_alias.clone(),
77 values: values.clone(),
78 is_not_in: true,
79 });
80
81 new_conditions.push(Condition {
83 expr: SqlExpression::NotInList {
84 expr: Box::new(SqlExpression::Column(ColumnRef::unquoted(
85 column_alias,
86 ))),
87 values: values.clone(),
88 },
89 connector: condition.connector.clone(),
90 });
91 }
92 _ => {
93 new_conditions.push(condition.clone());
95 }
96 }
97 }
98
99 where_clause.conditions = new_conditions;
101 }
102
103 lifted
104 }
105
106 pub fn apply_lifted_to_select(
108 &self,
109 stmt: &mut SelectStatement,
110 lifted: &[LiftedInExpression],
111 ) {
112 for lift in lifted {
114 stmt.select_items.push(SelectItem::Expression {
115 expr: lift.original_expr.clone(),
116 alias: lift.alias.clone(),
117 });
118 }
119 }
120
121 pub fn create_lifting_cte(
123 &self,
124 base_table: &str,
125 lifted: &[LiftedInExpression],
126 cte_name: String,
127 ) -> CTE {
128 let mut select_items = vec![SelectItem::Star];
129
130 for lift in lifted {
132 select_items.push(SelectItem::Expression {
133 expr: lift.original_expr.clone(),
134 alias: lift.alias.clone(),
135 });
136 }
137
138 let cte_select = SelectStatement {
139 distinct: false,
140 columns: vec!["*".to_string()],
141 select_items,
142 from_table: Some(base_table.to_string()),
143 from_subquery: None,
144 from_function: None,
145 from_alias: None,
146 joins: Vec::new(),
147 where_clause: None,
148 order_by: None,
149 group_by: None,
150 having: None,
151 limit: None,
152 offset: None,
153 ctes: Vec::new(),
154 into_table: None,
155 set_operations: Vec::new(),
156 };
157
158 CTE {
159 name: cte_name,
160 column_list: None,
161 cte_type: CTEType::Standard(cte_select),
162 }
163 }
164
165 pub fn rewrite_query(&mut self, stmt: &mut SelectStatement) -> bool {
167 let has_in_to_lift = if let Some(ref where_clause) = stmt.where_clause {
169 where_clause
170 .conditions
171 .iter()
172 .any(|c| Self::needs_in_lifting(&c.expr))
173 } else {
174 false
175 };
176
177 if !has_in_to_lift {
178 return false;
179 }
180
181 let base_table = match &stmt.from_table {
183 Some(table) => table.clone(),
184 None => return false, };
186
187 let lifted = self.lift_in_expressions(stmt);
189
190 if lifted.is_empty() {
191 return false;
192 }
193
194 let cte_name = format!("{}_lifted", base_table);
196 let cte = self.create_lifting_cte(&base_table, &lifted, cte_name.clone());
197
198 stmt.ctes.push(cte);
200
201 stmt.from_table = Some(cte_name);
203
204 true
205 }
206}
207
208#[derive(Debug, Clone)]
210pub struct LiftedInExpression {
211 pub original_expr: SqlExpression,
213 pub alias: String,
215 pub values: Vec<SqlExpression>,
217 pub is_not_in: bool,
219}
220
221#[cfg(test)]
222mod tests {
223 use super::*;
224
225 #[test]
226 fn test_needs_in_lifting() {
227 let simple_in = SqlExpression::InList {
229 expr: Box::new(SqlExpression::Column(ColumnRef::unquoted(
230 "col".to_string(),
231 ))),
232 values: vec![SqlExpression::StringLiteral("a".to_string())],
233 };
234 assert!(!InOperatorLifter::needs_in_lifting(&simple_in));
235
236 let func_in = SqlExpression::InList {
238 expr: Box::new(SqlExpression::FunctionCall {
239 name: "LOWER".to_string(),
240 args: vec![SqlExpression::Column(ColumnRef::unquoted(
241 "col".to_string(),
242 ))],
243 distinct: false,
244 }),
245 values: vec![SqlExpression::StringLiteral("a".to_string())],
246 };
247 assert!(InOperatorLifter::needs_in_lifting(&func_in));
248 }
249
250 #[test]
251 fn test_is_complex_expression() {
252 assert!(!InOperatorLifter::is_complex_expression(
254 &SqlExpression::Column(ColumnRef::unquoted("col".to_string()))
255 ));
256
257 assert!(InOperatorLifter::is_complex_expression(
259 &SqlExpression::FunctionCall {
260 name: "LOWER".to_string(),
261 args: vec![SqlExpression::Column(ColumnRef::unquoted(
262 "col".to_string()
263 ))],
264 distinct: false,
265 }
266 ));
267
268 assert!(InOperatorLifter::is_complex_expression(
270 &SqlExpression::BinaryOp {
271 left: Box::new(SqlExpression::Column(ColumnRef::unquoted("a".to_string()))),
272 op: "+".to_string(),
273 right: Box::new(SqlExpression::NumberLiteral("1".to_string())),
274 }
275 ));
276 }
277}