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
use crate::logger::log_error_and_exit;
use schema_connector::ConnectorError;
use schema_core::json_rpc::types::{DatasourceParam, UrlContainer};
use structopt::StructOpt;
use user_facing_errors::common::SchemaParserError;

#[derive(Debug, StructOpt)]
pub(crate) struct Cli {
    /// The connection string to the database
    #[structopt(long, short = "d", parse(try_from_str = parse_base64_string))]
    datasource: String,
    #[structopt(subcommand)]
    command: CliCommand,
}

impl Cli {
    pub(crate) async fn run(self) {
        match self.run_inner().await {
            Ok(msg) => {
                tracing::info!("{}", msg);
            }
            Err(error) => log_error_and_exit(error),
        }
    }

    pub(crate) async fn run_inner(self) -> Result<String, ConnectorError> {
        let api = schema_core::schema_api(None, None)?;
        match self.command {
            CliCommand::CreateDatabase => {
                let schema_core::json_rpc::types::CreateDatabaseResult { database_name } = api
                    .create_database(schema_core::json_rpc::types::CreateDatabaseParams {
                        datasource: DatasourceParam::ConnectionString(UrlContainer {
                            url: self.datasource.clone(),
                        }),
                    })
                    .await?;
                Ok(format!("Database '{database_name}' was successfully created."))
            }
            CliCommand::CanConnectToDatabase => {
                api.ensure_connection_validity(schema_core::json_rpc::types::EnsureConnectionValidityParams {
                    datasource: DatasourceParam::ConnectionString(UrlContainer {
                        url: self.datasource.clone(),
                    }),
                })
                .await?;
                Ok("Connection successful".to_owned())
            }
            CliCommand::DropDatabase => {
                api.drop_database(self.datasource.clone()).await?;
                Ok("The database was successfully dropped.".to_owned())
            }
        }
    }
}

#[derive(Debug, StructOpt)]
#[allow(clippy::enum_variant_names)] // disagee
enum CliCommand {
    /// Create an empty database defined in the configuration string.
    CreateDatabase,
    /// Does the database connection string work?
    CanConnectToDatabase,
    /// Drop the database.
    DropDatabase,
}

fn parse_base64_string(s: &str) -> Result<String, ConnectorError> {
    match base64::decode(s) {
        Ok(bytes) => match String::from_utf8(bytes) {
            Ok(s) => Ok(s),
            Err(e) => Err(ConnectorError::user_facing(SchemaParserError {
                full_error: e.to_string(),
            })),
        },
        Err(_) => Ok(String::from(s)),
    }
}