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
//! Private module for common code shared by multiple dialects.

use std::{
    borrow::Cow,
    fmt::{self, Display, Formatter},
};

/// The indentation used throughout the crate. Four spaces.
pub const SQL_INDENTATION: &str = "    ";

pub(crate) struct Indented<T>(pub T);

impl<T: Display> Display for Indented<T> {
    fn fmt(&self, f: &mut Formatter<'_>) -> fmt::Result {
        f.write_str(SQL_INDENTATION)?;
        self.0.fmt(f)
    }
}

pub(crate) trait IteratorJoin {
    fn join(self, separator: &str, f: &mut Formatter) -> fmt::Result;
}

impl<T, I> IteratorJoin for T
where
    T: Iterator<Item = I>,
    I: Display,
{
    fn join(self, separator: &str, f: &mut Formatter) -> fmt::Result {
        let mut items = self.peekable();

        while let Some(item) = items.next() {
            item.fmt(f)?;

            if items.peek().is_some() {
                f.write_str(separator)?;
            }
        }

        Ok(())
    }
}

#[derive(Debug, Clone, Copy)]
pub enum SortOrder {
    Asc,
    Desc,
}

impl Default for SortOrder {
    fn default() -> Self {
        Self::Asc
    }
}

impl Display for SortOrder {
    fn fmt(&self, f: &mut Formatter<'_>) -> fmt::Result {
        f.write_str(self.as_ref())
    }
}

impl AsRef<str> for SortOrder {
    fn as_ref(&self) -> &str {
        match self {
            SortOrder::Asc => "ASC",
            SortOrder::Desc => "DESC",
        }
    }
}

#[derive(Debug, Default)]
pub struct IndexColumn<'a> {
    pub name: Cow<'a, str>,
    pub length: Option<u32>,
    pub sort_order: Option<SortOrder>,
    pub operator_class: Option<String>,
}

impl<'a> IndexColumn<'a> {
    pub fn new(name: &'a str) -> Self {
        Self {
            name: name.into(),
            ..Default::default()
        }
    }
}