tideorm 0.9.4

A developer-friendly ORM for Rust with clean, expressive syntax
Documentation
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
#![allow(missing_docs)]

use super::db_sql;
use super::{Order, WhereCondition};
use crate::config::DatabaseType;
use crate::model::Model;
use std::marker::PhantomData;

/// Type of JOIN operation
#[derive(Debug, Clone, Copy, PartialEq, Eq)]
pub enum JoinType {
    Inner,
    Left,
    Right,
}

impl JoinType {
    pub fn as_sql(&self) -> &'static str {
        match self {
            JoinType::Inner => "INNER JOIN",
            JoinType::Left => "LEFT JOIN",
            JoinType::Right => "RIGHT JOIN",
        }
    }
}

#[derive(Debug, Clone)]
pub struct JoinClause {
    pub join_type: JoinType,
    pub table: String,
    pub alias: Option<String>,
    pub left_column: String,
    pub right_column: String,
}

#[derive(Debug, Clone)]
pub enum AggregateFunction {
    Count,
    CountDistinct(String),
    Sum(String),
    Avg(String),
    Min(String),
    Max(String),
}

#[derive(Debug, Clone, Copy, PartialEq, Eq)]
pub enum UnionType {
    Union,
    UnionAll,
}

impl UnionType {
    pub fn as_sql(&self) -> &'static str {
        match self {
            UnionType::Union => "UNION",
            UnionType::UnionAll => "UNION ALL",
        }
    }
}

#[derive(Debug, Clone)]
pub struct UnionClause {
    pub union_type: UnionType,
    pub query_sql: String,
}

#[derive(Debug, Clone)]
pub enum FrameBound {
    UnboundedPreceding,
    UnboundedFollowing,
    CurrentRow,
    Preceding(u64),
    Following(u64),
}

impl FrameBound {
    pub fn as_sql(&self) -> String {
        match self {
            FrameBound::UnboundedPreceding => "UNBOUNDED PRECEDING".to_string(),
            FrameBound::UnboundedFollowing => "UNBOUNDED FOLLOWING".to_string(),
            FrameBound::CurrentRow => "CURRENT ROW".to_string(),
            FrameBound::Preceding(n) => format!("{} PRECEDING", n),
            FrameBound::Following(n) => format!("{} FOLLOWING", n),
        }
    }
}

#[derive(Debug, Clone, Copy, PartialEq, Eq)]
pub enum FrameType {
    Rows,
    Range,
    Groups,
}

impl FrameType {
    pub fn as_sql(&self) -> &'static str {
        match self {
            FrameType::Rows => "ROWS",
            FrameType::Range => "RANGE",
            FrameType::Groups => "GROUPS",
        }
    }
}

#[derive(Debug, Clone)]
pub enum WindowFunctionType {
    RowNumber,
    Rank,
    DenseRank,
    Ntile(u32),
    Lag(String, Option<i32>, Option<String>),
    Lead(String, Option<i32>, Option<String>),
    FirstValue(String),
    LastValue(String),
    NthValue(String, u32),
    Sum(String),
    Avg(String),
    Count(Option<String>),
    Min(String),
    Max(String),
    Custom(String),
}

impl WindowFunctionType {
    pub fn as_sql_for_db(&self, db_type: DatabaseType) -> String {
        let quote_column = |column: &str| db_sql::format_column(db_type, column);

        match self {
            WindowFunctionType::RowNumber => "ROW_NUMBER()".to_string(),
            WindowFunctionType::Rank => "RANK()".to_string(),
            WindowFunctionType::DenseRank => "DENSE_RANK()".to_string(),
            WindowFunctionType::Ntile(n) => format!("NTILE({})", n),
            WindowFunctionType::Lag(col, offset, default) => {
                let mut s = format!("LAG({}", quote_column(col));
                if let Some(o) = offset {
                    s.push_str(&format!(", {}", o));
                    if let Some(d) = default {
                        s.push_str(&format!(", {}", d));
                    }
                }
                s.push(')');
                s
            }
            WindowFunctionType::Lead(col, offset, default) => {
                let mut s = format!("LEAD({}", quote_column(col));
                if let Some(o) = offset {
                    s.push_str(&format!(", {}", o));
                    if let Some(d) = default {
                        s.push_str(&format!(", {}", d));
                    }
                }
                s.push(')');
                s
            }
            WindowFunctionType::FirstValue(col) => {
                format!("FIRST_VALUE({})", quote_column(col))
            }
            WindowFunctionType::LastValue(col) => {
                format!("LAST_VALUE({})", quote_column(col))
            }
            WindowFunctionType::NthValue(col, n) => {
                format!("NTH_VALUE({}, {})", quote_column(col), n)
            }
            WindowFunctionType::Sum(col) => format!("SUM({})", quote_column(col)),
            WindowFunctionType::Avg(col) => format!("AVG({})", quote_column(col)),
            WindowFunctionType::Count(col) => match col {
                Some(c) => format!("COUNT({})", quote_column(c)),
                None => "COUNT(*)".to_string(),
            },
            WindowFunctionType::Min(col) => format!("MIN({})", quote_column(col)),
            WindowFunctionType::Max(col) => format!("MAX({})", quote_column(col)),
            WindowFunctionType::Custom(expr) => expr.clone(),
        }
    }

    pub fn as_sql(&self) -> String {
        self.as_sql_for_db(DatabaseType::Postgres)
    }
}

#[derive(Debug, Clone)]
pub struct WindowFunction {
    pub function: WindowFunctionType,
    pub partition_by: Vec<String>,
    pub order_by: Vec<(String, Order)>,
    pub frame_type: Option<FrameType>,
    pub frame_start: Option<FrameBound>,
    pub frame_end: Option<FrameBound>,
    pub alias: String,
}

impl WindowFunction {
    pub fn new(function: WindowFunctionType, alias: &str) -> Self {
        Self {
            function,
            partition_by: Vec::new(),
            order_by: Vec::new(),
            frame_type: None,
            frame_start: None,
            frame_end: None,
            alias: alias.to_string(),
        }
    }

    pub fn partition_by(mut self, column: impl crate::columns::IntoColumnName) -> Self {
        self.partition_by.push(column.column_name().to_string());
        self
    }

    pub fn order_by(
        mut self,
        column: impl crate::columns::IntoColumnName,
        direction: Order,
    ) -> Self {
        self.order_by
            .push((column.column_name().to_string(), direction));
        self
    }

    pub fn frame(mut self, frame_type: FrameType, start: FrameBound, end: FrameBound) -> Self {
        self.frame_type = Some(frame_type);
        self.frame_start = Some(start);
        self.frame_end = Some(end);
        self
    }

    pub fn to_sql_for_db(&self, db_type: DatabaseType) -> String {
        let mut sql = self.function.as_sql_for_db(db_type);
        sql.push_str(" OVER (");

        let mut clauses = Vec::new();

        if !self.partition_by.is_empty() {
            let cols: Vec<String> = self
                .partition_by
                .iter()
                .map(|c| db_sql::format_column(db_type, c))
                .collect();
            clauses.push(format!("PARTITION BY {}", cols.join(", ")));
        }

        if !self.order_by.is_empty() {
            let orders: Vec<String> = self
                .order_by
                .iter()
                .map(|(col, dir)| {
                    format!("{} {}", db_sql::format_column(db_type, col), dir.as_str())
                })
                .collect();
            clauses.push(format!("ORDER BY {}", orders.join(", ")));
        }

        if let (Some(frame_type), Some(start)) = (&self.frame_type, &self.frame_start) {
            let frame_sql = if let Some(end) = &self.frame_end {
                format!(
                    "{} BETWEEN {} AND {}",
                    frame_type.as_sql(),
                    start.as_sql(),
                    end.as_sql()
                )
            } else {
                format!("{} {}", frame_type.as_sql(), start.as_sql())
            };
            clauses.push(frame_sql);
        }

        sql.push_str(&clauses.join(" "));
        sql.push_str(&format!(
            ") AS {}",
            db_sql::quote_ident(db_type, &self.alias)
        ));
        sql
    }

    pub fn to_sql(&self) -> String {
        self.to_sql_for_db(DatabaseType::Postgres)
    }
}

#[derive(Debug, Clone)]
pub struct CTE {
    pub name: String,
    pub columns: Option<Vec<String>>,
    pub query_sql: String,
    pub recursive: bool,
}

impl CTE {
    pub fn new(name: &str, query_sql: String) -> Self {
        Self {
            name: name.to_string(),
            columns: None,
            query_sql,
            recursive: false,
        }
    }

    pub fn with_columns(name: &str, columns: Vec<&str>, query_sql: String) -> Self {
        Self {
            name: name.to_string(),
            columns: Some(columns.into_iter().map(|s| s.to_string()).collect()),
            query_sql,
            recursive: false,
        }
    }

    pub fn recursive(mut self) -> Self {
        self.recursive = true;
        self
    }

    pub fn to_sql(&self) -> String {
        let mut sql = format!("\"{}\"", self.name);

        if let Some(ref cols) = self.columns {
            let col_list: Vec<String> = cols.iter().map(|c| format!("\"{}\"", c)).collect();
            sql.push_str(&format!(" ({})", col_list.join(", ")));
        }

        sql.push_str(&format!(" AS ({})", self.query_sql));
        sql
    }
}

#[derive(Debug, Clone)]
pub struct QueryFragment<M: Model> {
    pub(crate) _marker: PhantomData<M>,
    pub conditions: Vec<WhereCondition>,
    pub or_groups: Vec<super::OrGroup>,
    pub order_by: Vec<(String, Order)>,
    pub limit_value: Option<u64>,
    pub offset_value: Option<u64>,
    pub select_columns: Option<Vec<String>>,
    pub raw_select_expressions: Vec<String>,
    pub group_by: Vec<String>,
    pub having_conditions: Vec<String>,
    pub joins: Vec<JoinClause>,
    pub unions: Vec<UnionClause>,
    pub window_functions: Vec<WindowFunction>,
    pub ctes: Vec<CTE>,
    pub cache_options: Option<crate::cache::CacheOptions>,
    pub cache_key: Option<String>,
    pub invalid_query_reason: Option<String>,
    pub include_trashed: bool,
    pub only_trashed: bool,
}

impl<M: Model> Default for QueryFragment<M> {
    fn default() -> Self {
        Self::new()
    }
}

impl<M: Model> QueryFragment<M> {
    pub fn new() -> Self {
        Self {
            _marker: PhantomData,
            conditions: Vec::new(),
            or_groups: Vec::new(),
            order_by: Vec::new(),
            limit_value: None,
            offset_value: None,
            select_columns: None,
            raw_select_expressions: Vec::new(),
            group_by: Vec::new(),
            having_conditions: Vec::new(),
            joins: Vec::new(),
            unions: Vec::new(),
            window_functions: Vec::new(),
            ctes: Vec::new(),
            cache_options: None,
            cache_key: None,
            invalid_query_reason: None,
            include_trashed: false,
            only_trashed: false,
        }
    }

    pub fn is_empty(&self) -> bool {
        let has_query_state = !self.conditions.is_empty()
            || !self.or_groups.is_empty()
            || !self.order_by.is_empty()
            || self.limit_value.is_some()
            || self.offset_value.is_some()
            || self.select_columns.is_some()
            || !self.raw_select_expressions.is_empty()
            || !self.group_by.is_empty()
            || !self.having_conditions.is_empty()
            || !self.joins.is_empty()
            || !self.unions.is_empty()
            || !self.window_functions.is_empty()
            || !self.ctes.is_empty()
            || self.cache_options.is_some()
            || self.cache_key.is_some()
            || self.invalid_query_reason.is_some();

        let has_soft_delete_scope = self.include_trashed || self.only_trashed;

        !has_query_state && !has_soft_delete_scope
    }

    pub fn condition_count(&self) -> usize {
        self.conditions.len()
            + self
                .or_groups
                .iter()
                .map(super::OrGroup::condition_count)
                .sum::<usize>()
    }
}

pub struct JoinResultConsolidator;

impl JoinResultConsolidator {
    pub fn consolidate_two<A, B, K, F>(items: Vec<(A, B)>, key_fn: F) -> Vec<(A, Vec<B>)>
    where
        A: Clone,
        K: Eq + std::hash::Hash,
        F: Fn(&A) -> K,
    {
        use std::collections::HashMap;

        let mut groups: HashMap<K, (A, Vec<B>)> = HashMap::new();
        let mut order: Vec<K> = Vec::new();

        for (a, b) in items {
            let key = key_fn(&a);
            if let Some((_, bs)) = groups.get_mut(&key) {
                bs.push(b);
            } else {
                order.push(key_fn(&a));
                groups.insert(key, (a, vec![b]));
            }
        }

        order
            .into_iter()
            .filter_map(|k| groups.remove(&k))
            .collect()
    }

    pub fn consolidate_two_optional<A, B, K, F>(
        items: Vec<(A, Option<B>)>,
        key_fn: F,
    ) -> Vec<(A, Vec<B>)>
    where
        A: Clone,
        K: Eq + std::hash::Hash,
        F: Fn(&A) -> K,
    {
        use std::collections::HashMap;

        let mut groups: HashMap<K, (A, Vec<B>)> = HashMap::new();
        let mut order: Vec<K> = Vec::new();

        for (a, maybe_b) in items {
            let key = key_fn(&a);
            if let Some((_, bs)) = groups.get_mut(&key) {
                if let Some(b) = maybe_b {
                    bs.push(b);
                }
            } else {
                order.push(key_fn(&a));
                let bs = maybe_b.into_iter().collect();
                groups.insert(key, (a, bs));
            }
        }

        order
            .into_iter()
            .filter_map(|k| groups.remove(&k))
            .collect()
    }

    #[allow(clippy::type_complexity)]
    pub fn consolidate_three<A, B, C, KA, KB, FA, FB>(
        items: Vec<(A, B, C)>,
        key_a: FA,
        key_b: FB,
    ) -> Vec<(A, Vec<(B, Vec<C>)>)>
    where
        A: Clone,
        B: Clone,
        KA: Eq + std::hash::Hash + Clone,
        KB: Eq + std::hash::Hash + Clone,
        FA: Fn(&A) -> KA,
        FB: Fn(&B) -> KB,
    {
        use std::collections::HashMap;

        let mut a_groups: HashMap<KA, (A, HashMap<KB, (B, Vec<C>)>, Vec<KB>)> = HashMap::new();
        let mut a_order: Vec<KA> = Vec::new();

        for (a, b, c) in items {
            let ka = key_a(&a);
            let kb = key_b(&b);

            if let Some((_, b_groups, b_order)) = a_groups.get_mut(&ka) {
                if let Some((_, cs)) = b_groups.get_mut(&kb) {
                    cs.push(c);
                } else {
                    b_order.push(kb.clone());
                    b_groups.insert(kb, (b, vec![c]));
                }
            } else {
                a_order.push(ka.clone());
                let mut b_groups = HashMap::new();
                let b_order = vec![kb.clone()];
                b_groups.insert(kb, (b, vec![c]));
                a_groups.insert(ka, (a, b_groups, b_order));
            }
        }

        a_order
            .into_iter()
            .filter_map(|ka| {
                a_groups.remove(&ka).map(|(a, mut b_groups, b_order)| {
                    let bs: Vec<(B, Vec<C>)> = b_order
                        .into_iter()
                        .filter_map(|kb| b_groups.remove(&kb))
                        .collect();
                    (a, bs)
                })
            })
            .collect()
    }

    #[allow(clippy::type_complexity)]
    pub fn consolidate_three_optional<A, B, C, KA, KB, FA, FB>(
        items: Vec<(A, B, Option<C>)>,
        key_a: FA,
        key_b: FB,
    ) -> Vec<(A, Vec<(B, Vec<C>)>)>
    where
        A: Clone,
        B: Clone,
        KA: Eq + std::hash::Hash + Clone,
        KB: Eq + std::hash::Hash + Clone,
        FA: Fn(&A) -> KA,
        FB: Fn(&B) -> KB,
    {
        use std::collections::HashMap;

        let mut a_groups: HashMap<KA, (A, HashMap<KB, (B, Vec<C>)>, Vec<KB>)> = HashMap::new();
        let mut a_order: Vec<KA> = Vec::new();

        for (a, b, maybe_c) in items {
            let ka = key_a(&a);
            let kb = key_b(&b);

            if let Some((_, b_groups, b_order)) = a_groups.get_mut(&ka) {
                if let Some((_, cs)) = b_groups.get_mut(&kb) {
                    if let Some(c) = maybe_c {
                        cs.push(c);
                    }
                } else {
                    b_order.push(kb.clone());
                    let cs = maybe_c.into_iter().collect();
                    b_groups.insert(kb, (b, cs));
                }
            } else {
                a_order.push(ka.clone());
                let mut b_groups = HashMap::new();
                let b_order = vec![kb.clone()];
                let cs = maybe_c.into_iter().collect();
                b_groups.insert(kb, (b, cs));
                a_groups.insert(ka, (a, b_groups, b_order));
            }
        }

        a_order
            .into_iter()
            .filter_map(|ka| {
                a_groups.remove(&ka).map(|(a, mut b_groups, b_order)| {
                    let bs: Vec<(B, Vec<C>)> = b_order
                        .into_iter()
                        .filter_map(|kb| b_groups.remove(&kb))
                        .collect();
                    (a, bs)
                })
            })
            .collect()
    }
}