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
use super::coerce::{coerce_record_with_json_relation, IndexedSelection};
use crate::{
    column_metadata,
    model_extensions::*,
    query_arguments_ext::QueryArgumentsExt,
    query_builder::{self, read},
    Context, QueryExt, Queryable, SqlError,
};

use connector_interface::*;
use futures::stream::{FuturesUnordered, StreamExt};
use quaint::ast::*;
use query_structure::*;

pub(crate) async fn get_single_record(
    conn: &dyn Queryable,
    model: &Model,
    filter: &Filter,
    selected_fields: &FieldSelection,
    relation_load_strategy: RelationLoadStrategy,
    ctx: &Context<'_>,
) -> crate::Result<Option<SingleRecord>> {
    match relation_load_strategy {
        RelationLoadStrategy::Join => get_single_record_joins(conn, model, filter, selected_fields, ctx).await,
        RelationLoadStrategy::Query => get_single_record_wo_joins(conn, model, filter, selected_fields, ctx).await,
    }
}

pub(crate) async fn get_single_record_joins(
    conn: &dyn Queryable,
    model: &Model,
    filter: &Filter,
    selected_fields: &FieldSelection,
    ctx: &Context<'_>,
) -> crate::Result<Option<SingleRecord>> {
    let field_names: Vec<_> = selected_fields.db_names_grouping_virtuals().collect();
    let idents = selected_fields.type_identifiers_with_arities_grouping_virtuals();

    let indexes = get_selection_indexes(
        selected_fields.relations().collect(),
        selected_fields.virtuals().collect(),
        &field_names,
    );

    let query = query_builder::select::SelectBuilder::build(
        QueryArguments::from((model.clone(), filter.clone())),
        selected_fields,
        ctx,
    );

    let mut record = execute_find_one(conn, query, &idents, &field_names, ctx).await?;

    if let Some(record) = record.as_mut() {
        coerce_record_with_json_relation(record, &indexes)?;
    };

    Ok(record.map(|record| SingleRecord { record, field_names }))
}

pub(crate) async fn get_single_record_wo_joins(
    conn: &dyn Queryable,
    model: &Model,
    filter: &Filter,
    selected_fields: &FieldSelection,
    ctx: &Context<'_>,
) -> crate::Result<Option<SingleRecord>> {
    let selected_fields = selected_fields.without_relations().into_virtuals_last();

    let query = read::get_records(
        model,
        ModelProjection::from(&selected_fields)
            .as_columns(ctx)
            .mark_all_selected(),
        selected_fields.virtuals(),
        filter,
        ctx,
    );

    let field_names: Vec<_> = selected_fields.db_names().collect();

    let idents = selected_fields.type_identifiers_with_arities();

    let record = execute_find_one(conn, query, &idents, &field_names, ctx)
        .await?
        .map(|record| SingleRecord { record, field_names });

    Ok(record)
}

async fn execute_find_one(
    conn: &dyn Queryable,
    query: Select<'_>,
    idents: &[(TypeIdentifier, FieldArity)],
    field_names: &[String],
    ctx: &Context<'_>,
) -> crate::Result<Option<Record>> {
    let meta = column_metadata::create(field_names, idents);

    let row = (match conn.find(query, meta.as_slice(), ctx).await {
        Ok(result) => Ok(Some(result)),
        Err(_e @ SqlError::RecordNotFoundForWhere(_)) => Ok(None),
        Err(_e @ SqlError::RecordDoesNotExist { .. }) => Ok(None),
        Err(e) => Err(e),
    })?
    .map(Record::from);

    Ok(row)
}

pub(crate) async fn get_many_records(
    conn: &dyn Queryable,
    model: &Model,
    query_arguments: QueryArguments,
    selected_fields: &FieldSelection,
    relation_load_strategy: RelationLoadStrategy,
    ctx: &Context<'_>,
) -> crate::Result<ManyRecords> {
    match relation_load_strategy {
        RelationLoadStrategy::Join => get_many_records_joins(conn, model, query_arguments, selected_fields, ctx).await,
        RelationLoadStrategy::Query => {
            get_many_records_wo_joins(conn, model, query_arguments, selected_fields, ctx).await
        }
    }
}

pub(crate) async fn get_many_records_joins(
    conn: &dyn Queryable,
    _model: &Model,
    query_arguments: QueryArguments,
    selected_fields: &FieldSelection,
    ctx: &Context<'_>,
) -> crate::Result<ManyRecords> {
    let field_names: Vec<_> = selected_fields.db_names_grouping_virtuals().collect();
    let idents = selected_fields.type_identifiers_with_arities_grouping_virtuals();
    let meta = column_metadata::create(field_names.as_slice(), idents.as_slice());

    let indexes = get_selection_indexes(
        selected_fields.relations().collect(),
        selected_fields.virtuals().collect(),
        &field_names,
    );

    let mut records = ManyRecords::new(field_names.clone());

    if let Some(0) = query_arguments.take {
        return Ok(records);
    };

    match ctx.max_bind_values {
        Some(chunk_size) if query_arguments.should_batch(chunk_size) => {
            return Err(SqlError::QueryParameterLimitExceeded(
                "Joined queries cannot be split into multiple queries.".to_string(),
            ));
        }
        _ => (),
    };

    let query = query_builder::select::SelectBuilder::build(query_arguments.clone(), selected_fields, ctx);

    for item in conn.filter(query.into(), meta.as_slice(), ctx).await?.into_iter() {
        let mut record = Record::from(item);

        // Coerces json values to prisma values
        coerce_record_with_json_relation(&mut record, &indexes)?;

        records.push(record)
    }

    // Reverses order when using negative take
    if query_arguments.needs_reversed_order() {
        records.reverse();
    }

    Ok(records)
}

pub(crate) async fn get_many_records_wo_joins(
    conn: &dyn Queryable,
    model: &Model,
    mut query_arguments: QueryArguments,
    selected_fields: &FieldSelection,
    ctx: &Context<'_>,
) -> crate::Result<ManyRecords> {
    let selected_fields = selected_fields.without_relations().into_virtuals_last();
    let reversed = query_arguments.needs_reversed_order();

    let field_names: Vec<_> = selected_fields.db_names().collect();
    let idents = selected_fields.type_identifiers_with_arities();

    let meta = column_metadata::create(field_names.as_slice(), idents.as_slice());
    let mut records = ManyRecords::new(field_names.clone());

    if let Some(0) = query_arguments.take {
        return Ok(records);
    };

    // Todo: This can't work for all cases. Cursor-based pagination will not work, because it relies on the ordering
    // to determine the right queries to fire, and will default to incorrect orderings if no ordering is found.
    // The should_batch has been adjusted to reflect that as a band-aid, but deeper investigation is necessary.
    match ctx.max_bind_values {
        Some(chunk_size) if query_arguments.should_batch(chunk_size) => {
            if query_arguments.has_unbatchable_ordering() {
                return Err(SqlError::QueryParameterLimitExceeded(
                    "Your query cannot be split into multiple queries because of the order by aggregation or relevance"
                        .to_string(),
                ));
            }

            if query_arguments.has_unbatchable_filters() {
                return Err(SqlError::QueryParameterLimitExceeded(
                    "Parameter limits for this database provider require this query to be split into multiple queries, but the negation filters used prevent the query from being split. Please reduce the used values in the query."
                        .to_string(),
                ));
            }

            // We don't need to order in the database due to us ordering in this function.
            let order = std::mem::take(&mut query_arguments.order_by);

            let batches = query_arguments.batched(chunk_size);
            let mut futures = FuturesUnordered::new();

            for args in batches.into_iter() {
                let query = read::get_records(
                    model,
                    ModelProjection::from(&selected_fields)
                        .as_columns(ctx)
                        .mark_all_selected(),
                    selected_fields.virtuals(),
                    args,
                    ctx,
                );

                futures.push(conn.filter(query.into(), meta.as_slice(), ctx));
            }

            while let Some(result) = futures.next().await {
                for item in result?.into_iter() {
                    records.push(Record::from(item))
                }
            }

            if !order.is_empty() {
                records.order_by(&order, reversed)
            }
        }
        _ => {
            let query = read::get_records(
                model,
                ModelProjection::from(&selected_fields)
                    .as_columns(ctx)
                    .mark_all_selected(),
                selected_fields.virtuals(),
                query_arguments,
                ctx,
            );

            for item in conn.filter(query.into(), meta.as_slice(), ctx).await?.into_iter() {
                records.push(Record::from(item))
            }
        }
    }

    if reversed {
        records.reverse();
    }

    Ok(records)
}

pub(crate) async fn get_related_m2m_record_ids(
    conn: &dyn Queryable,
    from_field: &RelationFieldRef,
    from_record_ids: &[SelectionResult],
    ctx: &Context<'_>,
) -> crate::Result<Vec<(SelectionResult, SelectionResult)>> {
    let mut idents = vec![];
    idents.extend(ModelProjection::from(from_field.model().primary_identifier()).type_identifiers_with_arities());
    idents
        .extend(ModelProjection::from(from_field.related_model().primary_identifier()).type_identifiers_with_arities());

    let mut field_names = Vec::new();
    field_names.extend(from_field.model().primary_identifier().db_names());
    field_names.extend(from_field.related_model().primary_identifier().db_names());

    let meta = column_metadata::create(&field_names, &idents);

    let relation = from_field.relation();
    let table = relation.as_table(ctx);

    let from_columns: Vec<_> = from_field.related_field().m2m_columns(ctx);
    let to_columns: Vec<_> = from_field.m2m_columns(ctx);

    // [DTODO] To verify: We might need chunked fetch here (too many parameters in the query).
    let select = Select::from_table(table)
        .so_that(query_builder::in_conditions(&from_columns, from_record_ids, ctx))
        .columns(from_columns.into_iter().chain(to_columns.into_iter()));

    let parent_model_id = from_field.model().primary_identifier();
    let child_model_id = from_field.related_model().primary_identifier();

    let from_sfs: Vec<_> = parent_model_id
        .as_scalar_fields()
        .expect("Parent model ID has non-scalar fields.");

    let to_sfs: Vec<_> = child_model_id
        .as_scalar_fields()
        .expect("Child model ID has non-scalar fields.");

    // first parent id, then child id
    Ok(conn
        .filter(select.into(), meta.as_slice(), ctx)
        .await?
        .into_iter()
        .map(|row| {
            let mut values = row.values;

            let child_values = values.split_off(from_sfs.len());
            let parent_values = values;

            let p: SelectionResult = from_sfs
                .iter()
                .zip(parent_values)
                .map(|(sf, val)| (sf.clone(), val))
                .collect::<Vec<_>>()
                .into();

            let c: SelectionResult = to_sfs
                .iter()
                .zip(child_values)
                .map(|(sf, val)| (sf.clone(), val))
                .collect::<Vec<_>>()
                .into();

            (p, c)
        })
        .collect())
}

pub(crate) async fn aggregate(
    conn: &dyn Queryable,
    model: &Model,
    query_arguments: QueryArguments,
    selections: Vec<AggregationSelection>,
    group_by: Vec<ScalarFieldRef>,
    having: Option<Filter>,
    ctx: &Context<'_>,
) -> crate::Result<Vec<AggregationRow>> {
    if !group_by.is_empty() {
        group_by_aggregate(conn, model, query_arguments, selections, group_by, having, ctx).await
    } else {
        plain_aggregate(conn, model, query_arguments, selections, ctx)
            .await
            .map(|v| vec![v])
    }
}

async fn plain_aggregate(
    conn: &dyn Queryable,
    model: &Model,
    query_arguments: QueryArguments,
    selections: Vec<AggregationSelection>,
    ctx: &Context<'_>,
) -> crate::Result<Vec<AggregationResult>> {
    let query = read::aggregate(model, &selections, query_arguments, ctx);

    let idents: Vec<_> = selections
        .iter()
        .flat_map(|aggregator| aggregator.identifiers())
        .map(|(_, ident, arity)| (ident, arity))
        .collect();

    let meta = column_metadata::create_anonymous(&idents);

    let mut rows = conn.filter(query.into(), meta.as_slice(), ctx).await?;
    let row = rows
        .pop()
        .expect("Expected exactly one return row for aggregation query.");

    Ok(row.into_aggregation_results(&selections))
}

async fn group_by_aggregate(
    conn: &dyn Queryable,
    model: &Model,
    query_arguments: QueryArguments,
    selections: Vec<AggregationSelection>,
    group_by: Vec<ScalarFieldRef>,
    having: Option<Filter>,
    ctx: &Context<'_>,
) -> crate::Result<Vec<AggregationRow>> {
    let query = read::group_by_aggregate(model, query_arguments, &selections, group_by, having, ctx);

    let idents: Vec<_> = selections
        .iter()
        .flat_map(|aggregator| aggregator.identifiers())
        .map(|(_, ident, arity)| (ident, arity))
        .collect();

    let meta = column_metadata::create_anonymous(&idents);
    let rows = conn.filter(query.into(), meta.as_slice(), ctx).await?;

    Ok(rows
        .into_iter()
        .map(|row| row.into_aggregation_results(&selections))
        .collect())
}

/// Find the indexes of the relation records and the virtual selection objects to traverse a set of
/// records faster when coercing JSON values.
fn get_selection_indexes<'a>(
    relations: Vec<&'a RelationSelection>,
    virtuals: Vec<&'a VirtualSelection>,
    field_names: &'a [String],
) -> Vec<(usize, IndexedSelection<'a>)> {
    field_names
        .iter()
        .enumerate()
        .filter_map(|(idx, field_name)| {
            relations
                .iter()
                .find_map(|rs| (rs.field.name() == field_name).then_some(IndexedSelection::Relation(rs)))
                .or_else(|| {
                    virtuals.iter().find_map(|vs| {
                        let obj_name = vs.serialized_name().0;
                        (obj_name == field_name).then_some(IndexedSelection::Virtual(obj_name))
                    })
                })
                .map(|indexed_selection| (idx, indexed_selection))
        })
        .collect()
}