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
//! All the quaint-wrangling for the mysql connector should happen here.

use enumflags2::BitFlags;
use quaint::{
    connector::{
        self,
        mysql_async::{self as my, prelude::Query},
        MysqlUrl,
    },
    prelude::{ConnectionInfo, NativeConnectionInfo, Queryable},
};
use schema_connector::{ConnectorError, ConnectorResult};
use sql_schema_describer::{DescriberErrorKind, SqlSchema};
use user_facing_errors::{
    schema_engine::DatabaseSchemaInconsistent,
    schema_engine::{ApplyMigrationError, DirectDdlNotAllowed, ForeignKeyCreationNotAllowed},
    KnownError,
};

pub(super) struct Connection(connector::Mysql);

impl Connection {
    pub(super) async fn new(url: url::Url) -> ConnectorResult<Connection> {
        let url = MysqlUrl::new(url).map_err(|err| {
            ConnectorError::user_facing(user_facing_errors::common::InvalidConnectionString {
                details: err.to_string(),
            })
        })?;
        Ok(Connection(
            connector::Mysql::new(url.clone()).await.map_err(quaint_err(&url))?,
        ))
    }

    #[tracing::instrument(skip(self, circumstances, params))]
    pub(super) async fn describe_schema(
        &mut self,
        circumstances: BitFlags<super::Circumstances>,
        params: &super::Params,
    ) -> ConnectorResult<SqlSchema> {
        use sql_schema_describer::{mysql as describer, SqlSchemaDescriberBackend};
        let mut describer_circumstances: BitFlags<describer::Circumstances> = Default::default();

        if circumstances.contains(super::Circumstances::IsMariadb) {
            describer_circumstances |= describer::Circumstances::MariaDb;
        }

        if circumstances.contains(super::Circumstances::IsMysql56) {
            describer_circumstances |= describer::Circumstances::MySql56;
        }

        if circumstances.contains(super::Circumstances::IsMysql57) {
            describer_circumstances |= describer::Circumstances::MySql57;
        }

        if circumstances.contains(super::Circumstances::CheckConstraints)
            && !describer_circumstances.intersects(
                describer::Circumstances::MySql56
                    | describer::Circumstances::MySql57
                    | describer::Circumstances::MariaDb,
            )
        {
            // MySQL 8.0.16 and above supports check constraints.
            // MySQL 5.6 and 5.7 do not have a CHECK_CONSTRAINTS table we can query.
            // MariaDB, although it supports check constraints, adds them unexpectedly.
            // E.g., MariaDB 10 adds the `json_valid(\`Priv\`)` check constraint on every JSON column;
            // this creates a noisy, unexpected diff when comparing the introspected schema with the prisma schema.
            describer_circumstances |= describer::Circumstances::CheckConstraints;
        }

        let mut schema = sql_schema_describer::mysql::SqlSchemaDescriber::new(&self.0, describer_circumstances)
            .describe(&[params.url.dbname()])
            .await
            .map_err(|err| match err.into_kind() {
                DescriberErrorKind::QuaintError(err) => quaint_err(&params.url)(err),
                e @ DescriberErrorKind::CrossSchemaReference { .. } => {
                    let err = DatabaseSchemaInconsistent {
                        explanation: e.to_string(),
                    };
                    ConnectorError::user_facing(err)
                }
            })?;

        crate::flavour::normalize_sql_schema(&mut schema, params.connector_params.preview_features);

        Ok(schema)
    }

    pub(super) async fn raw_cmd(&mut self, sql: &str, url: &MysqlUrl) -> ConnectorResult<()> {
        tracing::debug!(query_type = "raw_cmd", sql);
        self.0.raw_cmd(sql).await.map_err(quaint_err(url))
    }

    pub(super) async fn version(&mut self, url: &MysqlUrl) -> ConnectorResult<Option<String>> {
        tracing::debug!(query_type = "version");
        self.0.version().await.map_err(quaint_err(url))
    }

    pub(super) async fn query(
        &mut self,
        query: quaint::ast::Query<'_>,
        url: &MysqlUrl,
    ) -> ConnectorResult<quaint::prelude::ResultSet> {
        use quaint::visitor::Visitor;
        let (sql, params) = quaint::visitor::Mysql::build(query).unwrap();
        self.query_raw(&sql, &params, url).await
    }

    pub(super) async fn query_raw(
        &mut self,
        sql: &str,
        params: &[quaint::prelude::Value<'_>],
        url: &MysqlUrl,
    ) -> ConnectorResult<quaint::prelude::ResultSet> {
        tracing::debug!(query_type = "query_raw", sql, ?params);
        self.0.query_raw(sql, params).await.map_err(quaint_err(url))
    }

    pub(super) async fn apply_migration_script(
        &mut self,
        migration_name: &str,
        script: &str,
        circumstances: BitFlags<super::Circumstances>,
    ) -> ConnectorResult<()> {
        let convert_error = |migration_idx: usize, error: my::Error| {
            let position = format!(
                "Please check the query number {} from the migration file.",
                migration_idx + 1
            );

            let (code, error) = match (&error, convert_server_error(circumstances, &error)) {
                (my::Error::Server(se), Some(error)) => {
                    let message = format!("{}\n\n{}", error.message, position);
                    (Some(se.code), message)
                }
                (my::Error::Server(se), None) => {
                    let message = format!("{}\n\n{}", se.message, position);
                    (Some(se.code), message)
                }
                _ => (None, error.to_string()),
            };

            ConnectorError::user_facing(ApplyMigrationError {
                migration_name: migration_name.to_owned(),
                database_error_code: code.map(|c| c.to_string()).unwrap_or_else(|| String::from("none")),
                database_error: error,
            })
        };

        let mut conn = self.0.conn().lock().await;

        let mut migration_idx = 0_usize;

        tracing::debug!(sql = script, query_type = "raw_cmd");
        let mut result = script
            .run(&mut *conn)
            .await
            .map_err(|e| convert_error(migration_idx, e))?;

        loop {
            match result.map(drop).await {
                Ok(_) => {
                    migration_idx += 1;

                    if result.is_empty() {
                        result.map(drop).await.map_err(|e| convert_error(migration_idx, e))?;
                        return Ok(());
                    }
                }
                Err(e) => {
                    return Err(convert_error(migration_idx, e));
                }
            }
        }
    }
}

fn quaint_err(url: &MysqlUrl) -> impl (Fn(quaint::error::Error) -> ConnectorError) + '_ {
    |err| {
        crate::flavour::quaint_error_to_connector_error(
            err,
            &ConnectionInfo::Native(NativeConnectionInfo::Mysql(url.clone())),
        )
    }
}

fn convert_server_error(circumstances: BitFlags<super::Circumstances>, error: &my::Error) -> Option<KnownError> {
    if circumstances.contains(super::Circumstances::IsVitess) {
        match error {
            my::Error::Server(se) if se.code == 1317 => Some(KnownError::new(ForeignKeyCreationNotAllowed)),
            // sigh, this code is for unknown error, so we have the ddl
            // error and other stuff, such as typos in the same category...
            my::Error::Server(se) if se.code == 1105 && se.message == "direct DDL is disabled" => {
                Some(KnownError::new(DirectDdlNotAllowed))
            }
            _ => None,
        }
    } else {
        None
    }
}