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
//! Prisma read query AST
use super::FilteredQuery;
use crate::ToGraphviz;
use connector::AggregationSelection;
use enumflags2::BitFlags;
use query_structure::{prelude::*, Filter, QueryArguments, RelationLoadStrategy};
use std::fmt::Display;

#[allow(clippy::enum_variant_names)]
#[derive(Debug, Clone)]
pub enum ReadQuery {
    RecordQuery(RecordQuery),
    ManyRecordsQuery(ManyRecordsQuery),
    RelatedRecordsQuery(RelatedRecordsQuery),
    AggregateRecordsQuery(AggregateRecordsQuery),
}

impl ReadQuery {
    /// Checks whether or not the field selection of this query satisfies the inputted field selection.
    pub fn satisfies(&self, expected: &FieldSelection) -> bool {
        self.returns().map(|sel| sel.is_superset_of(expected)).unwrap_or(false)
    }

    /// Returns the field selection of a read query.
    fn returns(&self) -> Option<&FieldSelection> {
        match self {
            ReadQuery::RecordQuery(x) => Some(&x.selected_fields),
            ReadQuery::ManyRecordsQuery(x) => Some(&x.selected_fields),
            ReadQuery::RelatedRecordsQuery(x) => Some(&x.selected_fields),
            ReadQuery::AggregateRecordsQuery(_x) => None,
        }
    }

    /// Updates the field selection of the query to satisfy the inputted FieldSelection.
    pub fn satisfy_dependency(&mut self, field_selection: FieldSelection) {
        match self {
            ReadQuery::RecordQuery(x) => {
                x.selected_fields.merge_in_place(field_selection);
            }
            ReadQuery::ManyRecordsQuery(x) => {
                x.selected_fields.merge_in_place(field_selection);
            }
            ReadQuery::RelatedRecordsQuery(x) => {
                x.selected_fields.merge_in_place(field_selection);
            }
            ReadQuery::AggregateRecordsQuery(_) => (),
        }
    }

    pub fn model(&self) -> Model {
        match self {
            ReadQuery::RecordQuery(x) => x.model.clone(),
            ReadQuery::ManyRecordsQuery(x) => x.model.clone(),
            ReadQuery::RelatedRecordsQuery(x) => x.parent_field.related_field().model(),
            ReadQuery::AggregateRecordsQuery(x) => x.model.clone(),
        }
    }

    pub(crate) fn has_cursor(&self) -> bool {
        match self {
            ReadQuery::RecordQuery(_) => false,
            ReadQuery::ManyRecordsQuery(q) => q.args.cursor.is_some() || q.nested.iter().any(|q| q.has_cursor()),
            ReadQuery::RelatedRecordsQuery(q) => q.args.cursor.is_some() || q.nested.iter().any(|q| q.has_cursor()),
            ReadQuery::AggregateRecordsQuery(_) => false,
        }
    }

    pub(crate) fn has_distinct(&self) -> bool {
        match self {
            ReadQuery::RecordQuery(_) => false,
            ReadQuery::ManyRecordsQuery(q) => q.args.distinct.is_some() || q.nested.iter().any(|q| q.has_cursor()),
            ReadQuery::RelatedRecordsQuery(q) => q.args.distinct.is_some() || q.nested.iter().any(|q| q.has_cursor()),
            ReadQuery::AggregateRecordsQuery(_) => false,
        }
    }
}

impl FilteredQuery for ReadQuery {
    fn get_filter(&mut self) -> Option<&mut Filter> {
        match self {
            Self::RecordQuery(q) => q.get_filter(),
            Self::ManyRecordsQuery(q) => q.get_filter(),
            _ => unimplemented!(),
        }
    }

    fn set_filter(&mut self, filter: Filter) {
        match self {
            Self::RecordQuery(q) => q.set_filter(filter),
            Self::ManyRecordsQuery(q) => q.set_filter(filter),
            _ => unimplemented!(),
        }
    }
}

impl Display for ReadQuery {
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
        match self {
            Self::RecordQuery(q) => write!(
                f,
                "RecordQuery(name: '{}', selection: {}, filter: {:?})",
                q.name, q.selected_fields, q.filter
            ),
            Self::ManyRecordsQuery(q) => write!(
                f,
                r#"ManyRecordsQuery(name: '{}', model: '{}', selection: {}, args: {:?})"#,
                q.name,
                q.model.name(),
                q.selected_fields,
                q.args
            ),
            Self::RelatedRecordsQuery(q) => write!(
                f,
                "RelatedRecordsQuery(name: '{}', parent model: '{}', parent relation field: '{}', selection: {})",
                q.name,
                q.parent_field.model().name(),
                q.parent_field.name(),
                q.selected_fields
            ),
            Self::AggregateRecordsQuery(q) => write!(f, "AggregateRecordsQuery: {}", q.name),
        }
    }
}

impl ToGraphviz for ReadQuery {
    fn to_graphviz(&self) -> String {
        match self {
            Self::RecordQuery(q) => format!("RecordQuery(name: '{}', selection: {})", q.name, q.selected_fields),
            Self::ManyRecordsQuery(q) => format!(
                r#"ManyRecordsQuery(name: '{}', model: '{}', selection: {})"#,
                q.name,
                q.model.name(),
                q.selected_fields
            ),
            Self::RelatedRecordsQuery(q) => format!(
                "RelatedRecordsQuery(name: '{}', parent model: '{}', parent relation field: {}, selection: {})",
                q.name,
                q.parent_field.model().name(),
                q.parent_field.name(),
                q.selected_fields
            ),
            Self::AggregateRecordsQuery(q) => format!("AggregateRecordsQuery: {}", q.name),
        }
    }
}

#[enumflags2::bitflags]
#[repr(u8)]
#[derive(Debug, Copy, Clone, PartialEq, Eq)]
pub enum QueryOption {
    ThrowOnEmpty,
    Other,
}

#[derive(Debug, Copy, Clone, PartialEq, Eq)]
pub struct QueryOptions(BitFlags<QueryOption>);

// Allows for: QueryOption::ThrowOnEmpty.into()  to be a QueryOptions
impl From<QueryOption> for QueryOptions {
    fn from(options: QueryOption) -> Self {
        QueryOptions(options.into())
    }
}

// Allows for: (QueryOption::ThrowOnEmpty | QueryOption::Other).into()  to be a QueryOptions
impl From<BitFlags<QueryOption>> for QueryOptions {
    fn from(options: BitFlags<QueryOption>) -> Self {
        QueryOptions(options)
    }
}

impl QueryOptions {
    pub fn none() -> Self {
        Self(BitFlags::empty())
    }

    pub fn contains(&self, option: QueryOption) -> bool {
        self.0.contains(option)
    }
}

#[derive(Debug, Clone)]
pub struct RecordQuery {
    pub name: String,
    pub alias: Option<String>,
    pub model: Model,
    pub filter: Option<Filter>,
    // TODO: split into `user_selection` and `full_selection` and get rid of `selection_order`
    pub selected_fields: FieldSelection,
    pub(crate) nested: Vec<ReadQuery>,
    pub selection_order: Vec<String>,
    pub options: QueryOptions,
    pub relation_load_strategy: RelationLoadStrategy,
}

#[derive(Debug, Clone)]
pub struct ManyRecordsQuery {
    pub name: String,
    pub alias: Option<String>,
    pub model: Model,
    pub args: QueryArguments,
    // TODO: split into `user_selection` and `full_selection` and get rid of `selection_order`
    pub selected_fields: FieldSelection,
    pub(crate) nested: Vec<ReadQuery>,
    pub selection_order: Vec<String>,
    pub options: QueryOptions,
    pub relation_load_strategy: RelationLoadStrategy,
}

#[derive(Debug, Clone)]
pub struct RelatedRecordsQuery {
    pub name: String,
    pub alias: Option<String>,
    pub parent_field: RelationFieldRef,
    pub args: QueryArguments,
    // TODO: split into `user_selection` and `full_selection` and get rid of `selection_order`
    pub selected_fields: FieldSelection,
    pub nested: Vec<ReadQuery>,
    pub selection_order: Vec<String>,
    /// Fields and values of the parent to satisfy the relation query without
    /// relying on the parent result passed by the interpreter.
    pub parent_results: Option<Vec<SelectionResult>>,
}

impl RelatedRecordsQuery {
    pub fn has_cursor(&self) -> bool {
        self.args.cursor.is_some() || self.nested.iter().any(|q| q.has_cursor())
    }

    pub fn has_distinct(&self) -> bool {
        self.args.distinct.is_some() || self.nested.iter().any(|q| q.has_distinct())
    }
}

#[derive(Debug, Clone)]
pub struct AggregateRecordsQuery {
    pub name: String,
    pub alias: Option<String>,
    pub model: Model,
    pub selection_order: Vec<(String, Option<Vec<String>>)>,
    pub args: QueryArguments,
    pub selectors: Vec<AggregationSelection>,
    pub group_by: Vec<ScalarFieldRef>,
    pub having: Option<Filter>,
}

impl FilteredQuery for RecordQuery {
    fn get_filter(&mut self) -> Option<&mut Filter> {
        self.filter.as_mut()
    }

    fn set_filter(&mut self, filter: Filter) {
        self.filter = Some(filter)
    }
}

impl FilteredQuery for ManyRecordsQuery {
    fn get_filter(&mut self) -> Option<&mut Filter> {
        self.args.filter.as_mut()
    }

    fn set_filter(&mut self, filter: Filter) {
        self.args.filter = Some(filter)
    }
}