use crate::{error::PrismaError, PrismaResult};
use query_core::protocol::EngineProtocol;
use serde::Deserialize;
use std::{env, ffi::OsStr, fs::File, io::Read};
use structopt::StructOpt;
#[derive(Debug, StructOpt, Clone)]
pub enum Subcommand {
Cli(CliOpt),
}
#[derive(Debug, Clone, StructOpt)]
pub struct ExecuteRequestInput {
pub query: String,
}
#[derive(Debug, Clone, StructOpt)]
#[structopt(rename_all = "camelCase")]
pub struct GetConfigInput {
#[structopt(long)]
pub ignore_env_var_errors: bool,
}
#[derive(Debug, Clone, StructOpt)]
#[structopt(rename_all = "camelCase")]
pub struct DebugPanicInput {
#[structopt(long)]
pub message: Option<String>,
}
#[derive(Debug, StructOpt, Clone)]
pub enum CliOpt {
Dmmf,
GetConfig(GetConfigInput),
ExecuteRequest(ExecuteRequestInput),
DebugPanic(DebugPanicInput),
}
#[derive(Debug, StructOpt, Clone)]
#[structopt(version = env!("GIT_HASH"))]
pub struct PrismaOpt {
#[structopt(long, short = "H", default_value = "127.0.0.1")]
pub host: String,
#[structopt(long, short, default_value = "4466")]
pub port: u16,
#[structopt(long, short, env)]
pub unix_path: Option<String>,
#[structopt(long, env = "PRISMA_DML_PATH", parse(from_os_str = load_datamodel_file))]
pub datamodel_path: Option<String>,
#[structopt(long, env = "PRISMA_DML", parse(try_from_str = parse_base64_string))]
pub datamodel: Option<String>,
#[structopt(long, env = "OVERWRITE_DATASOURCES", parse(try_from_str = parse_base64_string))]
pub overwrite_datasources: Option<String>,
#[structopt(long, short = "r")]
pub enable_raw_queries: bool,
#[structopt(long, short = "g")]
pub enable_playground: bool,
#[structopt(long = "debug", short = "d")]
pub enable_debug_mode: bool,
#[structopt(long, short = "m")]
pub enable_metrics: bool,
#[structopt(long)]
pub dataproxy_metric_override: bool,
#[structopt(long, short = "o")]
pub log_queries: bool,
#[structopt(long = "log-format", env = "RUST_LOG_FORMAT")]
pub log_format: Option<String>,
#[structopt(long)]
pub enable_open_telemetry: bool,
#[structopt(long)]
pub enable_telemetry_in_response: bool,
#[structopt(long, default_value)]
pub open_telemetry_endpoint: String,
#[structopt(long, env = "PRISMA_ENGINE_PROTOCOL")]
pub engine_protocol: Option<String>,
#[structopt(subcommand)]
pub subcommand: Option<Subcommand>,
}
#[derive(Debug, Deserialize)]
struct SourceOverride {
name: String,
url: String,
}
impl PrismaOpt {
fn datamodel_str(&self) -> PrismaResult<&str> {
let res = self
.datamodel
.as_deref()
.or(self.datamodel_path.as_deref())
.ok_or_else(|| {
PrismaError::ConfigurationError(
"Datamodel should be provided either as path or base64-encoded string.".into(),
)
})?;
Ok(res)
}
pub(crate) fn schema(&self, ignore_env_errors: bool) -> PrismaResult<psl::ValidatedSchema> {
let datamodel_str = self.datamodel_str()?;
let mut schema = psl::validate(datamodel_str.into());
schema
.diagnostics
.to_result()
.map_err(|errors| PrismaError::ConversionError(errors, datamodel_str.to_string()))?;
let datasource_url_overrides: Vec<(String, String)> = if let Some(ref json) = self.overwrite_datasources {
let datasource_url_overrides: Vec<SourceOverride> = serde_json::from_str(json)?;
datasource_url_overrides.into_iter().map(|x| (x.name, x.url)).collect()
} else {
Vec::new()
};
schema
.configuration
.resolve_datasource_urls_query_engine(
&datasource_url_overrides,
|key| env::var(key).ok(),
ignore_env_errors,
)
.map_err(|errors| PrismaError::ConversionError(errors, datamodel_str.to_string()))?;
Ok(schema)
}
pub(crate) fn configuration(&self, ignore_env_errors: bool) -> PrismaResult<psl::Configuration> {
let datamodel_str = self.datamodel_str()?;
let datasource_url_overrides: Vec<(String, String)> = if let Some(ref json) = self.overwrite_datasources {
let datasource_url_overrides: Vec<SourceOverride> = serde_json::from_str(json)?;
datasource_url_overrides.into_iter().map(|x| (x.name, x.url)).collect()
} else {
Vec::new()
};
psl::parse_configuration(datamodel_str)
.and_then(|mut config| {
config.resolve_datasource_urls_query_engine(
&datasource_url_overrides,
|key| env::var(key).ok(),
ignore_env_errors,
)?;
Ok(config)
})
.map_err(|errors| PrismaError::ConversionError(errors, datamodel_str.to_string()))
}
pub fn log_format(&self) -> crate::LogFormat {
match self.log_format.as_deref() {
Some("devel") => crate::LogFormat::Text,
_ => crate::LogFormat::Json,
}
}
pub(crate) fn log_queries(&self) -> bool {
std::env::var("LOG_QUERIES").map(|_| true).unwrap_or(self.log_queries)
}
pub(crate) fn engine_protocol(&self) -> EngineProtocol {
self.engine_protocol
.as_ref()
.map(EngineProtocol::from)
.unwrap_or_else(|| {
if self.enable_playground {
EngineProtocol::Graphql
} else {
EngineProtocol::Json
}
})
}
}
fn parse_base64_string(s: &str) -> PrismaResult<String> {
match base64::decode(s) {
Ok(bytes) => String::from_utf8(bytes).map_err(|e| {
trace!("Error decoding {} from Base64 (invalid UTF-8): {:?}", s, e);
PrismaError::ConfigurationError("Invalid Base64".into())
}),
Err(e) => {
trace!("Decoding Base64 failed (might not be encoded): {:?}", e);
Ok(String::from(s))
}
}
}
fn load_datamodel_file(path: &OsStr) -> String {
let mut f = File::open(path).unwrap_or_else(|_| panic!("Could not open datamodel file {path:?}"));
let mut datamodel = String::new();
f.read_to_string(&mut datamodel)
.unwrap_or_else(|_| panic!("Could not read datamodel file: {path:?}"));
datamodel
}