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
use crate::introspection::{datamodel_calculator::DatamodelCalculatorContext, introspection_pair::ModelPair};
use psl::{
    datamodel_connector::constraint_names::ConstraintNames,
    parser_database::walkers::{self, RelationName},
};
use sql_schema_describer as sql;
use std::borrow::Cow;

/// Defines the direction a relation field is pointing at.
#[derive(Clone, Copy, PartialEq, Eq, PartialOrd, Ord, Hash)]
pub(crate) enum RelationFieldDirection {
    /// The side that defines the foreign key for inlined relations,
    /// and the side A for many to many.
    Forward,
    /// The side that is purely virtual in the PSL, so the client can
    /// access the data from the side that holds no foreign keys, or
    /// the side B for many to many.
    Back,
}

impl RelationFieldDirection {
    fn is_forward(self) -> bool {
        matches!(self, Self::Forward)
    }
}

/// A relation that has a foreign key in the _visible_ Prisma models,
/// combined with a possible existing relation field in the PSL.
#[derive(Clone, Copy)]
struct InlineRelationField<'a> {
    previous: Option<walkers::RelationFieldWalker<'a>>,
    next: sql::ForeignKeyWalker<'a>,
    direction: RelationFieldDirection,
}

impl<'a> InlineRelationField<'a> {
    fn any_field_required(self) -> bool {
        self.next.constrained_columns().any(|col| col.arity().is_required())
    }

    fn any_field_optional(self) -> bool {
        self.next.constrained_columns().any(|col| !col.arity().is_required())
    }

    fn model(self, context: &'a DatamodelCalculatorContext<'a>) -> ModelPair<'a> {
        let previous = self.previous.map(|prev| prev.model());
        let next = self.next.table();

        ModelPair::new(context, previous, next)
    }

    fn referenced_model(self, context: &'a DatamodelCalculatorContext<'a>) -> ModelPair<'a> {
        let previous = self.previous.map(|prev| prev.related_model());
        let next = self.next.referenced_table();

        ModelPair::new(context, previous, next)
    }

    fn default_constraint_name(self, context: &DatamodelCalculatorContext<'a>) -> String {
        let connector = context.active_connector();
        let cols: Vec<_> = self.next.constrained_columns().map(|c| c.name()).collect();
        ConstraintNames::foreign_key_constraint_name(self.next.table().name(), &cols, connector)
    }
}

/// A relation that holds a hidden join table not visible in the PSL.
/// The foreign key is the one pointing from that table to the
/// referenced model, and which can be used to define the field, type
/// and relation names.
#[derive(Clone, Copy)]
struct Many2ManyRelationField<'a> {
    next: sql::ForeignKeyWalker<'a>,
    /// Forward: model A to B, back: model B to A.
    direction: RelationFieldDirection,
}

/// A field defined in the PSL, when the foreign keys are not enabled.
/// We'll copy these over during introspection.
#[derive(Clone, Copy)]
struct EmulatedRelationField<'a> {
    previous: walkers::RelationFieldWalker<'a>,
}

#[derive(Clone, Copy)]
enum RelationType<'a> {
    /// At least one of the sides is not array.
    Inline(InlineRelationField<'a>),
    /// Both sides are arrays.
    Many2Many(Many2ManyRelationField<'a>),
    /// Copied from the PSL. Used either
    /// when handling the referential integrity
    /// in the query engine, or when using a relation
    /// attribute to or from a view.
    Emulated(EmulatedRelationField<'a>),
}

#[derive(Clone, Copy)]
pub(crate) struct RelationFieldPair<'a> {
    relation_type: RelationType<'a>,
    context: &'a DatamodelCalculatorContext<'a>,
}

impl<'a> RelationFieldPair<'a> {
    /// Create a new inline relation field to the wanted direction.
    pub(crate) fn inline(
        context: &'a DatamodelCalculatorContext<'a>,
        previous: Option<walkers::RelationFieldWalker<'a>>,
        next: sql::ForeignKeyWalker<'a>,
        direction: RelationFieldDirection,
    ) -> Self {
        let relation_type = InlineRelationField {
            previous,
            next,
            direction,
        };

        Self {
            relation_type: RelationType::Inline(relation_type),
            context,
        }
    }

    /// Create a new many to many relation field to the wanted
    /// direction.
    pub(crate) fn m2m(
        context: &'a DatamodelCalculatorContext<'a>,
        next: sql::ForeignKeyWalker<'a>,
        direction: RelationFieldDirection,
    ) -> Self {
        let relation_type = Many2ManyRelationField { next, direction };

        Self {
            relation_type: RelationType::Many2Many(relation_type),
            context,
        }
    }

    /// Create a new emulated relation field, if using `relationMode`
    /// `prisma` (or, for now, if having a relation in a view).
    pub(crate) fn emulated(
        context: &'a DatamodelCalculatorContext<'a>,
        previous: walkers::RelationFieldWalker<'a>,
    ) -> Self {
        let relation_type = EmulatedRelationField { previous };

        Self {
            relation_type: RelationType::Emulated(relation_type),
            context,
        }
    }

    /// The name of the relation field.
    pub(crate) fn field_name(self) -> &'a str {
        use RelationType::*;

        match self.relation_type {
            Inline(field) if field.direction.is_forward() => {
                self.context.forward_inline_relation_field_prisma_name(field.next.id)
            }
            Inline(field) => self.context.back_inline_relation_field_prisma_name(field.next.id),
            Many2Many(field) if field.direction.is_forward() => self
                .context
                .forward_m2m_relation_field_prisma_name(field.next.table().id),
            Many2Many(field) => self.context.back_m2m_relation_field_prisma_name(field.next.table().id),
            Emulated(field) => field.previous.name(),
        }
    }

    /// The Prisma type of the relation field.
    pub(crate) fn prisma_type(self) -> Cow<'a, str> {
        use RelationType::*;

        match self.relation_type {
            Inline(field) if field.direction.is_forward() => {
                let id = field.next.referenced_table().id;
                self.context.table_prisma_name(id).prisma_name()
            }
            Inline(field) => {
                let id = field.next.table().id;
                self.context.table_prisma_name(id).prisma_name()
            }
            Many2Many(field) => {
                let id = field.next.referenced_table().id;
                self.context.table_prisma_name(id).prisma_name()
            }
            Emulated(field) => {
                let name = field.previous.related_model().name();
                Cow::Borrowed(name)
            }
        }
    }

    /// The name of the foreign key constraint, if using foreign keys
    /// and the constraint name is non-standard.
    pub(crate) fn constraint_name(self) -> Option<&'a str> {
        match self.relation_type {
            RelationType::Inline(field) if field.direction.is_forward() => {
                if let Some(name) = field.previous.and_then(|prev| prev.mapped_name()) {
                    return Some(name);
                }

                let default_name = field.default_constraint_name(self.context);
                field.next.constraint_name().filter(|name| name != &default_name)
            }
            RelationType::Emulated(field) => field.previous.mapped_name(),
            _ => None,
        }
    }

    /// The name of the relation, if needed for disambiguation.
    pub(crate) fn relation_name(self) -> Option<Cow<'a, str>> {
        let name = match self.relation_type {
            RelationType::Inline(field) => self.context.inline_relation_prisma_name(field.next.id),
            RelationType::Many2Many(field) => self.context.m2m_relation_prisma_name(field.next.table().id),
            RelationType::Emulated(field) => match field.previous.relation_name() {
                RelationName::Explicit(name) => Cow::Borrowed(name),
                RelationName::Generated(_) => Cow::Borrowed(""),
            },
        };

        if name.is_empty() {
            None
        } else {
            Some(name)
        }
    }

    /// The referencing fields in the current model.
    pub(crate) fn fields(self) -> Option<Box<dyn Iterator<Item = Cow<'a, str>> + 'a>> {
        match self.relation_type {
            RelationType::Inline(field) if field.direction.is_forward() => {
                let iter = field
                    .next
                    .constrained_columns()
                    .map(move |c| self.context.table_column_prisma_name(c.id).prisma_name());

                let iter: Box<dyn Iterator<Item = Cow<'a, str>>> = Box::new(iter);
                Some(iter)
            }
            RelationType::Emulated(field) => field.previous.referencing_fields().map(|f| {
                let iter = Box::new(f.map(|f| Cow::Borrowed(f.name())));
                iter as Box<dyn Iterator<Item = Cow<'a, str>>>
            }),
            _ => None,
        }
    }

    /// The referenced fiends in the other model.
    pub(crate) fn references(self) -> Option<Box<dyn Iterator<Item = Cow<'a, str>> + 'a>> {
        match self.relation_type {
            RelationType::Inline(field) if field.direction.is_forward() => {
                let iter = field
                    .next
                    .referenced_columns()
                    .map(move |c| self.context.table_column_prisma_name(c.id).prisma_name());

                let iter: Box<dyn Iterator<Item = Cow<'a, str>>> = Box::new(iter);
                Some(iter)
            }
            RelationType::Emulated(field) => field.previous.referenced_fields().map(|f| {
                let iter = Box::new(f.map(|f| Cow::Borrowed(f.name())));
                iter as Box<dyn Iterator<Item = Cow<'a, str>>>
            }),
            _ => None,
        }
    }

    /// The `onDelete` referential action, if non-default.
    pub(crate) fn on_delete(self) -> Option<&'a str> {
        match self.relation_type {
            RelationType::Inline(field) if field.direction.is_forward() => {
                use sql::ForeignKeyAction::*;

                match (field.any_field_required(), field.next.on_delete_action()) {
                    (false, SetNull) => None,
                    (true, Restrict) => None,
                    (true, NoAction) if self.context.sql_family.is_mssql() => None,
                    (_, Cascade) => Some("Cascade"),
                    (_, SetDefault) => Some("SetDefault"),
                    (true, SetNull) => Some("SetNull"),
                    (_, NoAction) => Some("NoAction"),
                    (false, Restrict) => Some("Restrict"),
                }
            }
            RelationType::Emulated(field) => field.previous.explicit_on_delete().map(|act| act.as_str()),
            _ => None,
        }
    }

    /// The `onUpdate` referential action, if non-default.
    pub(crate) fn on_update(self) -> Option<&'a str> {
        match self.relation_type {
            RelationType::Inline(field) if field.direction.is_forward() => {
                use sql::ForeignKeyAction::*;

                match field.next.on_update_action() {
                    Cascade => None,
                    NoAction => Some("NoAction"),
                    Restrict => Some("Restrict"),
                    SetNull => Some("SetNull"),
                    SetDefault => Some("SetDefault"),
                }
            }
            RelationType::Emulated(field) => field.previous.explicit_on_update().map(|act| act.as_str()),
            _ => None,
        }
    }

    /// If the field should be ignored.
    pub(crate) fn ignore(self) -> bool {
        use RelationFieldDirection::*;

        match self.relation_type {
            RelationType::Inline(field) => {
                let missing_identifiers = !table_has_usable_identifier(field.next.table())
                    || !table_has_usable_identifier(field.next.referenced_table());

                let model_ignored = match field.direction {
                    Forward => field.model(self.context).ignored(),
                    Back => field.referenced_model(self.context).ignored(),
                };

                missing_identifiers && !model_ignored
            }
            RelationType::Many2Many(_) => false,
            RelationType::Emulated(field) => field.previous.is_ignored(),
        }
    }

    /// If we should render the `@relation` attribute to the field.
    pub(crate) fn renders_attribute(self) -> bool {
        match self.relation_type {
            RelationType::Inline(field) if field.direction.is_forward() => true,
            RelationType::Emulated(field) => field.previous.relation_attribute().is_some(),
            _ => self.relation_name().is_some(),
        }
    }

    /// Is the relation field optional.
    pub(crate) fn is_optional(self) -> bool {
        match self.relation_type {
            RelationType::Inline(field) if field.direction.is_forward() => field.any_field_optional(),
            RelationType::Inline(field) => forward_relation_field_is_unique(field.next),
            RelationType::Emulated(field) => field.previous.ast_field().arity.is_optional(),
            RelationType::Many2Many(_) => false,
        }
    }

    /// Is the relation field an array.
    pub(crate) fn is_array(self) -> bool {
        match self.relation_type {
            RelationType::Inline(field) if field.direction.is_forward() => false,
            RelationType::Inline(field) => !forward_relation_field_is_unique(field.next),
            RelationType::Emulated(field) => field.previous.ast_field().arity.is_list(),
            RelationType::Many2Many(_) => true,
        }
    }

    /// True, if we add a new constraint with non-default deferring.
    pub(crate) fn adds_non_default_deferring(self) -> bool {
        match self.relation_type {
            RelationType::Inline(field) => {
                field.previous.is_none()
                    && self
                        .context
                        .flavour
                        .uses_non_default_foreign_key_deferring(self.context, field.next)
            }
            RelationType::Many2Many(_) => false,
            RelationType::Emulated(_) => false,
        }
    }

    /// If the relation is completely taken from the PSL.
    pub(crate) fn reintrospected_relation(self) -> bool {
        matches!(self.relation_type, RelationType::Emulated(_))
    }
}

fn forward_relation_field_is_unique(fk: sql::ForeignKeyWalker<'_>) -> bool {
    fk.table()
        .indexes()
        .filter(|idx| idx.is_primary_key() || idx.is_unique())
        .any(|idx| {
            idx.columns().all(|idx_col| {
                fk.constrained_columns()
                    .any(|fk_col| fk_col.id == idx_col.as_column().id)
            })
        })
}

fn table_has_usable_identifier(table: sql::TableWalker<'_>) -> bool {
    table
        .indexes()
        .filter(|idx| idx.is_primary_key() || idx.is_unique())
        .any(|idx| {
            idx.columns().all(|c| {
                !matches!(
                    c.as_column().column_type().family,
                    sql::ColumnTypeFamily::Unsupported(_)
                ) && c.as_column().arity().is_required()
            })
        })
}