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
//! The MongoDB migration connector.
//!
//! It is intentionally structured after sql-migration-connector and implements the same
//! [MigrationConnector](/trait.MigrationConnector.html) API.

mod client_wrapper;
mod destructive_change_checker;
mod differ;
mod migration;
mod migration_persistence;
mod migration_step_applier;
mod sampler;
mod schema_calculator;

use client_wrapper::{mongo_error_to_connector_error, Client};
use enumflags2::BitFlags;
use migration::MongoDbMigration;
use mongodb_schema_describer::MongoSchema;
use psl::PreviewFeature;
use schema_connector::{migrations_directory::MigrationDirectory, *};
use std::{future, sync::Arc};
use tokio::sync::OnceCell;

/// The top-level MongoDB migration connector.
pub struct MongoDbSchemaConnector {
    connection_string: String,
    client: OnceCell<Client>,
    preview_features: BitFlags<PreviewFeature>,
    host: Arc<dyn ConnectorHost>,
}

impl MongoDbSchemaConnector {
    pub fn new(params: ConnectorParams) -> Self {
        Self {
            connection_string: params.connection_string,
            preview_features: params.preview_features,
            client: OnceCell::new(),
            host: Arc::new(EmptyHost),
        }
    }

    async fn client(&self) -> ConnectorResult<&Client> {
        let client: &Client = self
            .client
            .get_or_try_init(move || {
                Box::pin(async move { Client::connect(&self.connection_string, self.preview_features).await })
            })
            .await?;

        Ok(client)
    }

    async fn mongodb_schema_from_diff_target(&self, target: DiffTarget<'_>) -> ConnectorResult<MongoSchema> {
        match target {
            DiffTarget::Datamodel(schema) => {
                let validated_schema = psl::parse_schema(schema).map_err(ConnectorError::new_schema_parser_error)?;
                Ok(schema_calculator::calculate(&validated_schema))
            }
            DiffTarget::Database => self.client().await?.describe().await,
            DiffTarget::Migrations(_) => Err(unsupported_command_error()),
            DiffTarget::Empty => Ok(MongoSchema::default()),
        }
    }
}

impl SchemaConnector for MongoDbSchemaConnector {
    fn connection_string(&self) -> Option<&str> {
        Some(&self.connection_string)
    }

    fn database_schema_from_diff_target<'a>(
        &'a mut self,
        diff_target: DiffTarget<'a>,
        _shadow_database_connection_string: Option<String>,
        _namespaces: Option<Namespaces>,
    ) -> BoxFuture<'a, ConnectorResult<DatabaseSchema>> {
        Box::pin(async {
            let schema = self.mongodb_schema_from_diff_target(diff_target).await?;
            Ok(DatabaseSchema::new(schema))
        })
    }

    fn host(&self) -> &Arc<dyn ConnectorHost> {
        &self.host
    }

    fn apply_migration<'a>(&'a mut self, migration: &'a Migration) -> BoxFuture<'a, ConnectorResult<u32>> {
        Box::pin(self.apply_migration_impl(migration))
    }

    fn apply_script(&mut self, _migration_name: &str, _script: &str) -> BoxFuture<ConnectorResult<()>> {
        Box::pin(future::ready(Err(crate::unsupported_command_error())))
    }

    fn connector_type(&self) -> &'static str {
        "mongodb"
    }

    fn create_database(&mut self) -> BoxFuture<'_, ConnectorResult<String>> {
        Box::pin(async {
            let name = self.client().await?.db_name();
            tracing::warn!("MongoDB database will be created on first use.");
            Ok(name.into())
        })
    }

    fn db_execute(&mut self, _script: String) -> BoxFuture<'_, ConnectorResult<()>> {
        Box::pin(future::ready(Err(ConnectorError::from_msg(
            "dbExecute is not supported on MongoDB".to_owned(),
        ))))
    }

    fn empty_database_schema(&self) -> DatabaseSchema {
        DatabaseSchema::new(MongoSchema::default())
    }

    fn ensure_connection_validity(&mut self) -> BoxFuture<'_, ConnectorResult<()>> {
        Box::pin(future::ready(Ok(())))
    }

    fn version(&mut self) -> BoxFuture<'_, schema_connector::ConnectorResult<String>> {
        Box::pin(future::ready(Ok("4 or 5".to_owned())))
    }

    fn diff(&self, from: DatabaseSchema, to: DatabaseSchema) -> Migration {
        let from: Box<MongoSchema> = from.downcast();
        let to: Box<MongoSchema> = to.downcast();
        Migration::new(differ::diff(from, to))
    }

    fn drop_database(&mut self) -> BoxFuture<'_, ConnectorResult<()>> {
        Box::pin(async { self.client().await?.drop_database().await })
    }

    fn migration_file_extension(&self) -> &'static str {
        unreachable!("migration_file_extension")
    }

    fn migration_len(&self, migration: &Migration) -> usize {
        migration.downcast_ref::<MongoDbMigration>().steps.len()
    }

    fn migration_summary(&self, migration: &Migration) -> String {
        migration.downcast_ref::<MongoDbMigration>().summary()
    }

    fn reset(
        &mut self,
        _soft: bool,
        _namespaces: Option<Namespaces>,
    ) -> BoxFuture<'_, schema_connector::ConnectorResult<()>> {
        Box::pin(async { self.client().await?.drop_database().await })
    }

    fn migration_persistence(&mut self) -> &mut dyn schema_connector::MigrationPersistence {
        self
    }

    fn destructive_change_checker(&mut self) -> &mut dyn schema_connector::DestructiveChangeChecker {
        self
    }

    fn acquire_lock(&mut self) -> BoxFuture<'_, ConnectorResult<()>> {
        Box::pin(future::ready(Ok(())))
    }

    fn introspect<'a>(
        &'a mut self,
        ctx: &'a IntrospectionContext,
    ) -> BoxFuture<'a, ConnectorResult<IntrospectionResult>> {
        Box::pin(async move {
            let client = self.client().await?;
            let schema = client.describe().await?;

            sampler::sample(client.database(), schema, ctx)
                .await
                .map_err(mongo_error_to_connector_error)
        })
    }

    fn render_script(
        &self,
        _migration: &Migration,
        _diagnostics: &DestructiveChangeDiagnostics,
    ) -> ConnectorResult<String> {
        Err(ConnectorError::from_msg(
            "Rendering to a script is not supported on MongoDB.".to_owned(),
        ))
    }

    fn set_params(&mut self, params: ConnectorParams) -> ConnectorResult<()> {
        self.connection_string = params.connection_string;
        self.preview_features = params.preview_features;
        Ok(())
    }

    fn set_preview_features(&mut self, preview_features: BitFlags<psl::PreviewFeature>) {
        self.preview_features = preview_features;
    }

    fn set_host(&mut self, host: Arc<dyn schema_connector::ConnectorHost>) {
        self.host = host;
    }

    fn validate_migrations<'a>(
        &'a mut self,
        _migrations: &'a [MigrationDirectory],
        _namespaces: Option<Namespaces>,
    ) -> BoxFuture<'a, ConnectorResult<()>> {
        Box::pin(future::ready(Ok(())))
    }

    fn extract_namespaces(&self, _schema: &DatabaseSchema) -> Option<Namespaces> {
        None
    }
}

fn unsupported_command_error() -> ConnectorError {
    ConnectorError::from_msg(
"The \"mongodb\" provider is not supported with this command. For more info see https://www.prisma.io/docs/concepts/database-connectors/mongodb".to_owned()

        )
}