style: Applied formatting

This commit is contained in:
2025-10-16 13:01:37 -06:00
parent 947a7871c2
commit 25ad254e84
5 changed files with 3177 additions and 3177 deletions
+2751 -2751
View File
File diff suppressed because it is too large Load Diff
+1 -1
View File
@@ -141,7 +141,7 @@ impl Functions {
.extension() .extension()
.and_then(OsStr::to_str) .and_then(OsStr::to_str)
.map(|s| s.to_lowercase()); .map(|s| s.to_lowercase());
#[cfg_attr(not(unix), expect(dead_code))] #[cfg_attr(not(unix), expect(dead_code))]
let is_script = matches!(file_extension.as_deref(), Some("sh") | Some("py")); let is_script = matches!(file_extension.as_deref(), Some("sh") | Some("py"));
if file_path.exists() { if file_path.exists() {
+226 -226
View File
@@ -26,293 +26,293 @@ type ConnectedServer = RunningService<RoleClient, ()>;
#[derive(Debug, Clone, Deserialize)] #[derive(Debug, Clone, Deserialize)]
struct McpServersConfig { struct McpServersConfig {
#[serde(rename = "mcpServers")] #[serde(rename = "mcpServers")]
mcp_servers: HashMap<String, McpServer>, mcp_servers: HashMap<String, McpServer>,
} }
#[derive(Debug, Clone, Deserialize)] #[derive(Debug, Clone, Deserialize)]
struct McpServer { struct McpServer {
command: String, command: String,
args: Option<Vec<String>>, args: Option<Vec<String>>,
env: Option<HashMap<String, JsonField>>, env: Option<HashMap<String, JsonField>>,
cwd: Option<String>, cwd: Option<String>,
} }
#[derive(Debug, Clone, Deserialize)] #[derive(Debug, Clone, Deserialize)]
#[serde(untagged)] #[serde(untagged)]
enum JsonField { enum JsonField {
Str(String), Str(String),
Bool(bool), Bool(bool),
Int(i64), Int(i64),
} }
#[derive(Debug, Clone, Default)] #[derive(Debug, Clone, Default)]
pub struct McpRegistry { pub struct McpRegistry {
log_path: Option<PathBuf>, log_path: Option<PathBuf>,
config: Option<McpServersConfig>, config: Option<McpServersConfig>,
servers: HashMap<String, Arc<RunningService<RoleClient, ()>>>, servers: HashMap<String, Arc<RunningService<RoleClient, ()>>>,
} }
impl McpRegistry { impl McpRegistry {
pub async fn init( pub async fn init(
log_path: Option<PathBuf>, log_path: Option<PathBuf>,
start_mcp_servers: bool, start_mcp_servers: bool,
use_mcp_servers: Option<String>, use_mcp_servers: Option<String>,
abort_signal: AbortSignal, abort_signal: AbortSignal,
config: &Config, config: &Config,
) -> Result<Self> { ) -> Result<Self> {
let mut registry = Self { let mut registry = Self {
log_path, log_path,
..Default::default() ..Default::default()
}; };
if !Config::mcp_config_file().try_exists().with_context(|| { if !Config::mcp_config_file().try_exists().with_context(|| {
format!( format!(
"Failed to check MCP config file at {}", "Failed to check MCP config file at {}",
Config::mcp_config_file().display() Config::mcp_config_file().display()
) )
})? { })? {
debug!( debug!(
"MCP config file does not exist at {}, skipping MCP initialization", "MCP config file does not exist at {}, skipping MCP initialization",
Config::mcp_config_file().display() Config::mcp_config_file().display()
); );
return Ok(registry); return Ok(registry);
} }
let err = || { let err = || {
format!( format!(
"Failed to load MCP config file at {}", "Failed to load MCP config file at {}",
Config::mcp_config_file().display() Config::mcp_config_file().display()
) )
}; };
let content = tokio::fs::read_to_string(Config::mcp_config_file()) let content = tokio::fs::read_to_string(Config::mcp_config_file())
.await .await
.with_context(err)?; .with_context(err)?;
if content.trim().is_empty() { if content.trim().is_empty() {
debug!("MCP config file is empty, skipping MCP initialization"); debug!("MCP config file is empty, skipping MCP initialization");
return Ok(registry); return Ok(registry);
} }
let (parsed_content, missing_secrets) = interpolate_secrets(&content, &config.vault); let (parsed_content, missing_secrets) = interpolate_secrets(&content, &config.vault);
if !missing_secrets.is_empty() { if !missing_secrets.is_empty() {
return Err(anyhow!(formatdoc!( return Err(anyhow!(formatdoc!(
" "
MCP config file references secrets that are missing from the vault: {:?} MCP config file references secrets that are missing from the vault: {:?}
Please add these secrets to the vault and try again.", Please add these secrets to the vault and try again.",
missing_secrets missing_secrets
))); )));
} }
let mcp_servers_config: McpServersConfig = let mcp_servers_config: McpServersConfig =
serde_json::from_str(&parsed_content).with_context(err)?; serde_json::from_str(&parsed_content).with_context(err)?;
registry.config = Some(mcp_servers_config); registry.config = Some(mcp_servers_config);
if start_mcp_servers && config.mcp_servers { if start_mcp_servers && config.mcp_servers {
abortable_run_with_spinner( abortable_run_with_spinner(
registry.start_select_mcp_servers(use_mcp_servers), registry.start_select_mcp_servers(use_mcp_servers),
"Loading MCP servers", "Loading MCP servers",
abort_signal, abort_signal,
) )
.await?; .await?;
} }
Ok(registry) Ok(registry)
} }
pub async fn reinit( pub async fn reinit(
registry: McpRegistry, registry: McpRegistry,
use_mcp_servers: Option<String>, use_mcp_servers: Option<String>,
abort_signal: AbortSignal, abort_signal: AbortSignal,
) -> Result<Self> { ) -> Result<Self> {
debug!("Reinitializing MCP registry"); debug!("Reinitializing MCP registry");
debug!("Stopping all MCP servers"); debug!("Stopping all MCP servers");
let mut new_registry = abortable_run_with_spinner( let mut new_registry = abortable_run_with_spinner(
registry.stop_all_servers(), registry.stop_all_servers(),
"Stopping MCP servers", "Stopping MCP servers",
abort_signal.clone(), abort_signal.clone(),
) )
.await?; .await?;
abortable_run_with_spinner( abortable_run_with_spinner(
new_registry.start_select_mcp_servers(use_mcp_servers), new_registry.start_select_mcp_servers(use_mcp_servers),
"Loading MCP servers", "Loading MCP servers",
abort_signal, abort_signal,
) )
.await?; .await?;
Ok(new_registry) Ok(new_registry)
} }
async fn start_select_mcp_servers(&mut self, use_mcp_servers: Option<String>) -> Result<()> { async fn start_select_mcp_servers(&mut self, use_mcp_servers: Option<String>) -> Result<()> {
if self.config.is_none() { if self.config.is_none() {
debug!("MCP config is not present; assuming MCP servers are disabled globally. Skipping MCP initialization"); debug!("MCP config is not present; assuming MCP servers are disabled globally. Skipping MCP initialization");
return Ok(()); return Ok(());
} }
if let Some(servers) = use_mcp_servers { if let Some(servers) = use_mcp_servers {
debug!("Starting selected MCP servers: {:?}", servers); debug!("Starting selected MCP servers: {:?}", servers);
let config = self let config = self
.config .config
.as_ref() .as_ref()
.with_context(|| "MCP Config not defined. Cannot start servers")?; .with_context(|| "MCP Config not defined. Cannot start servers")?;
let mcp_servers = config.mcp_servers.clone(); let mcp_servers = config.mcp_servers.clone();
let enabled_servers: HashSet<String> = let enabled_servers: HashSet<String> =
servers.split(',').map(|s| s.trim().to_string()).collect(); servers.split(',').map(|s| s.trim().to_string()).collect();
let server_ids: Vec<String> = if servers == "all" { let server_ids: Vec<String> = if servers == "all" {
mcp_servers.into_keys().collect() mcp_servers.into_keys().collect()
} else { } else {
mcp_servers mcp_servers
.into_keys() .into_keys()
.filter(|id| enabled_servers.contains(id)) .filter(|id| enabled_servers.contains(id))
.collect() .collect()
}; };
let results: Vec<(String, Arc<_>)> = stream::iter( let results: Vec<(String, Arc<_>)> = stream::iter(
server_ids server_ids
.into_iter() .into_iter()
.map(|id| async { self.start_server(id).await }), .map(|id| async { self.start_server(id).await }),
) )
.buffer_unordered(num_cpus::get()) .buffer_unordered(num_cpus::get())
.try_collect() .try_collect()
.await?; .await?;
self.servers = results.into_iter().collect(); self.servers = results.into_iter().collect();
} }
Ok(()) Ok(())
} }
async fn start_server(&self, id: String) -> Result<(String, Arc<ConnectedServer>)> { async fn start_server(&self, id: String) -> Result<(String, Arc<ConnectedServer>)> {
let server = self let server = self
.config .config
.as_ref() .as_ref()
.and_then(|c| c.mcp_servers.get(&id)) .and_then(|c| c.mcp_servers.get(&id))
.with_context(|| format!("MCP server not found in config: {id}"))?; .with_context(|| format!("MCP server not found in config: {id}"))?;
let mut cmd = Command::new(&server.command); let mut cmd = Command::new(&server.command);
if let Some(args) = &server.args { if let Some(args) = &server.args {
cmd.args(args); cmd.args(args);
} }
if let Some(env) = &server.env { if let Some(env) = &server.env {
let env: HashMap<String, String> = env let env: HashMap<String, String> = env
.iter() .iter()
.map(|(k, v)| match v { .map(|(k, v)| match v {
JsonField::Str(s) => (k.clone(), s.clone()), JsonField::Str(s) => (k.clone(), s.clone()),
JsonField::Bool(b) => (k.clone(), b.to_string()), JsonField::Bool(b) => (k.clone(), b.to_string()),
JsonField::Int(i) => (k.clone(), i.to_string()), JsonField::Int(i) => (k.clone(), i.to_string()),
}) })
.collect(); .collect();
cmd.envs(env); cmd.envs(env);
} }
if let Some(cwd) = &server.cwd { if let Some(cwd) = &server.cwd {
cmd.current_dir(cwd); cmd.current_dir(cwd);
} }
let transport = if let Some(log_path) = self.log_path.as_ref() { let transport = if let Some(log_path) = self.log_path.as_ref() {
cmd.stdin(Stdio::piped()).stdout(Stdio::piped()); cmd.stdin(Stdio::piped()).stdout(Stdio::piped());
let log_file = OpenOptions::new() let log_file = OpenOptions::new()
.create(true) .create(true)
.append(true) .append(true)
.open(log_path)?; .open(log_path)?;
let (transport, _) = TokioChildProcess::builder(cmd).stderr(log_file).spawn()?; let (transport, _) = TokioChildProcess::builder(cmd).stderr(log_file).spawn()?;
transport transport
} else { } else {
TokioChildProcess::new(cmd)? TokioChildProcess::new(cmd)?
}; };
let service = Arc::new( let service = Arc::new(
().serve(transport) ().serve(transport)
.await .await
.with_context(|| format!("Failed to start MCP server: {}", &server.command))?, .with_context(|| format!("Failed to start MCP server: {}", &server.command))?,
); );
debug!( debug!(
"Available tools for MCP server {id}: {:?}", "Available tools for MCP server {id}: {:?}",
service.list_tools(None).await? service.list_tools(None).await?
); );
info!("Started MCP server: {id}"); info!("Started MCP server: {id}");
Ok((id.to_string(), service)) Ok((id.to_string(), service))
} }
pub async fn stop_all_servers(mut self) -> Result<Self> { pub async fn stop_all_servers(mut self) -> Result<Self> {
for (id, server) in self.servers { for (id, server) in self.servers {
Arc::try_unwrap(server) Arc::try_unwrap(server)
.map_err(|_| anyhow!("Failed to unwrap Arc for MCP server: {id}"))? .map_err(|_| anyhow!("Failed to unwrap Arc for MCP server: {id}"))?
.cancel() .cancel()
.await .await
.with_context(|| format!("Failed to stop MCP server: {id}"))?; .with_context(|| format!("Failed to stop MCP server: {id}"))?;
info!("Stopped MCP server: {id}"); info!("Stopped MCP server: {id}");
} }
self.servers = HashMap::new(); self.servers = HashMap::new();
Ok(self) Ok(self)
} }
pub fn list_started_servers(&self) -> Vec<String> { pub fn list_started_servers(&self) -> Vec<String> {
self.servers.keys().cloned().collect() self.servers.keys().cloned().collect()
} }
pub fn list_configured_servers(&self) -> Vec<String> { pub fn list_configured_servers(&self) -> Vec<String> {
if let Some(config) = &self.config { if let Some(config) = &self.config {
config.mcp_servers.keys().cloned().collect() config.mcp_servers.keys().cloned().collect()
} else { } else {
vec![] vec![]
} }
} }
pub fn catalog(&self) -> BoxFuture<'static, Result<Value>> { pub fn catalog(&self) -> BoxFuture<'static, Result<Value>> {
let servers: Vec<(String, Arc<ConnectedServer>)> = self let servers: Vec<(String, Arc<ConnectedServer>)> = self
.servers .servers
.iter() .iter()
.map(|(id, s)| (id.clone(), s.clone())) .map(|(id, s)| (id.clone(), s.clone()))
.collect(); .collect();
Box::pin(async move { Box::pin(async move {
let mut out = Vec::with_capacity(servers.len()); let mut out = Vec::with_capacity(servers.len());
for (id, server) in servers { for (id, server) in servers {
let tools = server.list_tools(None).await?; let tools = server.list_tools(None).await?;
let resources = server.list_resources(None).await.unwrap_or_default(); let resources = server.list_resources(None).await.unwrap_or_default();
// TODO implement prompt sampling for MCP servers // TODO implement prompt sampling for MCP servers
// let prompts = server.service.list_prompts(None).await.unwrap_or_default(); // let prompts = server.service.list_prompts(None).await.unwrap_or_default();
out.push(json!({ out.push(json!({
"server": id, "server": id,
"tools": tools, "tools": tools,
"resources": resources, "resources": resources,
})); }));
} }
Ok(Value::Array(out)) Ok(Value::Array(out))
}) })
} }
pub fn invoke( pub fn invoke(
&self, &self,
server: &str, server: &str,
tool: &str, tool: &str,
arguments: Value, arguments: Value,
) -> BoxFuture<'static, Result<CallToolResult>> { ) -> BoxFuture<'static, Result<CallToolResult>> {
let server = self let server = self
.servers .servers
.get(server) .get(server)
.cloned() .cloned()
.with_context(|| format!("Invoked MCP server does not exist: {server}")); .with_context(|| format!("Invoked MCP server does not exist: {server}"));
let tool = tool.to_owned(); let tool = tool.to_owned();
Box::pin(async move { Box::pin(async move {
let server = server?; let server = server?;
let call_tool_request = CallToolRequestParam { let call_tool_request = CallToolRequestParam {
name: Cow::Owned(tool.to_owned()), name: Cow::Owned(tool.to_owned()),
arguments: arguments.as_object().cloned(), arguments: arguments.as_object().cloned(),
}; };
let result = server.call_tool(call_tool_request).await?; let result = server.call_tool(call_tool_request).await?;
Ok(result) Ok(result)
}) })
} }
pub fn is_empty(&self) -> bool { pub fn is_empty(&self) -> bool {
self.servers.is_empty() self.servers.is_empty()
} }
} }
+90 -90
View File
@@ -17,118 +17,118 @@ static SECRET_RE: LazyLock<Regex> = LazyLock::new(|| Regex::new(r"\{\{(.+)}}").u
#[derive(Debug, Default, Clone)] #[derive(Debug, Default, Clone)]
pub struct Vault { pub struct Vault {
local_provider: LocalProvider, local_provider: LocalProvider,
} }
impl Vault { impl Vault {
pub fn init(config: &Config) -> Self { pub fn init(config: &Config) -> Self {
let vault_password_file = config.vault_password_file(); let vault_password_file = config.vault_password_file();
let mut local_provider = LocalProvider { let mut local_provider = LocalProvider {
password_file: Some(vault_password_file), password_file: Some(vault_password_file),
git_branch: None, git_branch: None,
..LocalProvider::default() ..LocalProvider::default()
}; };
ensure_password_file_initialized(&mut local_provider) ensure_password_file_initialized(&mut local_provider)
.expect("Failed to initialize password file"); .expect("Failed to initialize password file");
Self { local_provider } Self { local_provider }
} }
pub fn add_secret(&self, secret_name: &str) -> Result<()> { pub fn add_secret(&self, secret_name: &str) -> Result<()> {
let secret_value = Password::new("Enter the secret value:") let secret_value = Password::new("Enter the secret value:")
.with_validator(required!()) .with_validator(required!())
.with_display_mode(PasswordDisplayMode::Masked) .with_display_mode(PasswordDisplayMode::Masked)
.prompt() .prompt()
.with_context(|| "unable to read secret from input")?; .with_context(|| "unable to read secret from input")?;
let h = Handle::current(); let h = Handle::current();
tokio::task::block_in_place(|| { tokio::task::block_in_place(|| {
h.block_on(self.local_provider.set_secret(secret_name, &secret_value)) h.block_on(self.local_provider.set_secret(secret_name, &secret_value))
})?; })?;
println!("✓ Secret '{secret_name}' added to the vault."); println!("✓ Secret '{secret_name}' added to the vault.");
Ok(()) Ok(())
} }
pub fn get_secret(&self, secret_name: &str, display_output: bool) -> Result<String> { pub fn get_secret(&self, secret_name: &str, display_output: bool) -> Result<String> {
let h = Handle::current(); let h = Handle::current();
let secret = tokio::task::block_in_place(|| { let secret = tokio::task::block_in_place(|| {
h.block_on(self.local_provider.get_secret(secret_name)) h.block_on(self.local_provider.get_secret(secret_name))
})?; })?;
if display_output { if display_output {
println!("{}", secret); println!("{}", secret);
} }
Ok(secret) Ok(secret)
} }
pub fn update_secret(&self, secret_name: &str) -> Result<()> { pub fn update_secret(&self, secret_name: &str) -> Result<()> {
let secret_value = Password::new("Enter the secret value:") let secret_value = Password::new("Enter the secret value:")
.with_validator(required!()) .with_validator(required!())
.with_display_mode(PasswordDisplayMode::Masked) .with_display_mode(PasswordDisplayMode::Masked)
.prompt() .prompt()
.with_context(|| "unable to read secret from input")?; .with_context(|| "unable to read secret from input")?;
let h = Handle::current(); let h = Handle::current();
tokio::task::block_in_place(|| { tokio::task::block_in_place(|| {
h.block_on( h.block_on(
self.local_provider self.local_provider
.update_secret(secret_name, &secret_value), .update_secret(secret_name, &secret_value),
) )
})?; })?;
println!("✓ Secret '{secret_name}' updated in the vault."); println!("✓ Secret '{secret_name}' updated in the vault.");
Ok(()) Ok(())
} }
pub fn delete_secret(&self, secret_name: &str) -> Result<()> { pub fn delete_secret(&self, secret_name: &str) -> Result<()> {
let h = Handle::current(); let h = Handle::current();
tokio::task::block_in_place(|| h.block_on(self.local_provider.delete_secret(secret_name)))?; tokio::task::block_in_place(|| h.block_on(self.local_provider.delete_secret(secret_name)))?;
println!("✓ Secret '{secret_name}' deleted from the vault."); println!("✓ Secret '{secret_name}' deleted from the vault.");
Ok(()) Ok(())
} }
pub fn list_secrets(&self, display_output: bool) -> Result<Vec<String>> { pub fn list_secrets(&self, display_output: bool) -> Result<Vec<String>> {
let h = Handle::current(); let h = Handle::current();
let secrets = let secrets =
tokio::task::block_in_place(|| h.block_on(self.local_provider.list_secrets()))?; tokio::task::block_in_place(|| h.block_on(self.local_provider.list_secrets()))?;
if display_output { if display_output {
if secrets.is_empty() { if secrets.is_empty() {
println!("The vault is empty."); println!("The vault is empty.");
} else { } else {
for key in &secrets { for key in &secrets {
println!("{}", key); println!("{}", key);
} }
} }
} }
Ok(secrets) Ok(secrets)
} }
pub fn handle_vault_flags(cli: Cli, config: Config) -> Result<()> { pub fn handle_vault_flags(cli: Cli, config: Config) -> Result<()> {
if let Some(secret_name) = cli.add_secret { if let Some(secret_name) = cli.add_secret {
config.vault.add_secret(&secret_name)?; config.vault.add_secret(&secret_name)?;
} }
if let Some(secret_name) = cli.get_secret { if let Some(secret_name) = cli.get_secret {
config.vault.get_secret(&secret_name, true)?; config.vault.get_secret(&secret_name, true)?;
} }
if let Some(secret_name) = cli.update_secret { if let Some(secret_name) = cli.update_secret {
config.vault.update_secret(&secret_name)?; config.vault.update_secret(&secret_name)?;
} }
if let Some(secret_name) = cli.delete_secret { if let Some(secret_name) = cli.delete_secret {
config.vault.delete_secret(&secret_name)?; config.vault.delete_secret(&secret_name)?;
} }
if cli.list_secrets { if cli.list_secrets {
config.vault.list_secrets(true)?; config.vault.list_secrets(true)?;
} }
Ok(()) Ok(())
} }
} }
+109 -109
View File
@@ -10,90 +10,90 @@ use std::borrow::Cow;
use std::path::PathBuf; use std::path::PathBuf;
pub fn ensure_password_file_initialized(local_provider: &mut LocalProvider) -> Result<()> { pub fn ensure_password_file_initialized(local_provider: &mut LocalProvider) -> Result<()> {
let vault_password_file = local_provider let vault_password_file = local_provider
.password_file .password_file
.clone() .clone()
.ok_or_else(|| anyhow!("Password file is not configured"))?; .ok_or_else(|| anyhow!("Password file is not configured"))?;
if vault_password_file.exists() { if vault_password_file.exists() {
{ {
let file_contents = std::fs::read_to_string(&vault_password_file)?; let file_contents = std::fs::read_to_string(&vault_password_file)?;
if !file_contents.trim().is_empty() { if !file_contents.trim().is_empty() {
return Ok(()); return Ok(());
} }
} }
let ans = Confirm::new( let ans = Confirm::new(
format!( format!(
"The configured password file '{}' is empty. Create a password?", "The configured password file '{}' is empty. Create a password?",
vault_password_file.display() vault_password_file.display()
) )
.as_str(), .as_str(),
) )
.with_default(true) .with_default(true)
.prompt()?; .prompt()?;
if !ans { if !ans {
return Err(anyhow!("The configured password file '{}' is empty. Please populate it with a password and try again.", vault_password_file.display())); return Err(anyhow!("The configured password file '{}' is empty. Please populate it with a password and try again.", vault_password_file.display()));
} }
let password = Password::new("Enter a password to encrypt all vault secrets:") let password = Password::new("Enter a password to encrypt all vault secrets:")
.with_validator(required!()) .with_validator(required!())
.with_validator(min_length!(10)) .with_validator(min_length!(10))
.with_display_mode(PasswordDisplayMode::Masked) .with_display_mode(PasswordDisplayMode::Masked)
.prompt(); .prompt();
match password { match password {
Ok(pw) => { Ok(pw) => {
std::fs::write(&vault_password_file, pw.as_bytes())?; std::fs::write(&vault_password_file, pw.as_bytes())?;
println!( println!(
"✓ Password file '{}' updated.", "✓ Password file '{}' updated.",
vault_password_file.display() vault_password_file.display()
); );
} }
Err(_) => { Err(_) => {
return Err(anyhow!( return Err(anyhow!(
"Failed to read password from input. Password file not updated." "Failed to read password from input. Password file not updated."
)); ));
} }
} }
} else { } else {
let ans = Confirm::new("No password file configured. Do you want to create one now?") let ans = Confirm::new("No password file configured. Do you want to create one now?")
.with_default(true) .with_default(true)
.prompt()?; .prompt()?;
if !ans { if !ans {
return Err(anyhow!("A password file is required to utilize the Loki vault. Please configure a password file in your config file and try again.")); return Err(anyhow!("A password file is required to utilize the Loki vault. Please configure a password file in your config file and try again."));
} }
let password_file: PathBuf = Text::new("Enter the path to the password file to create:") let password_file: PathBuf = Text::new("Enter the path to the password file to create:")
.with_default(&vault_password_file.display().to_string()) .with_default(&vault_password_file.display().to_string())
.with_validator(required!("Password file path is required")) .with_validator(required!("Password file path is required"))
.with_validator(|input: &str| { .with_validator(|input: &str| {
let path = PathBuf::from(input); let path = PathBuf::from(input);
if path.exists() { if path.exists() {
Ok(Validation::Invalid( Ok(Validation::Invalid(
"File already exists. Please choose a different path.".into(), "File already exists. Please choose a different path.".into(),
)) ))
} else if let Some(parent) = path.parent() { } else if let Some(parent) = path.parent() {
if !parent.exists() { if !parent.exists() {
Ok(Validation::Invalid( Ok(Validation::Invalid(
"Parent directory does not exist.".into(), "Parent directory does not exist.".into(),
)) ))
} else { } else {
Ok(Validation::Valid) Ok(Validation::Valid)
} }
} else { } else {
Ok(Validation::Valid) Ok(Validation::Valid)
} }
}) })
.prompt()? .prompt()?
.into(); .into();
if password_file != vault_password_file { if password_file != vault_password_file {
println!( println!(
"{}", "{}",
formatdoc!( formatdoc!(
" "
Note: The default password file path is '{}'. Note: The default password file path is '{}'.
You have chosen to create a different path: '{}'. You have chosen to create a different path: '{}'.
@@ -102,49 +102,49 @@ pub fn ensure_password_file_initialized(local_provider: &mut LocalProvider) -> R
vault_password_file.display(), vault_password_file.display(),
password_file.display() password_file.display()
) )
); );
} }
ensure_parent_exists(&password_file)?; ensure_parent_exists(&password_file)?;
let password = Password::new("Enter a password to encrypt all vault secrets:") let password = Password::new("Enter a password to encrypt all vault secrets:")
.with_display_mode(PasswordDisplayMode::Masked) .with_display_mode(PasswordDisplayMode::Masked)
.with_validator(required!()) .with_validator(required!())
.with_validator(min_length!(10)) .with_validator(min_length!(10))
.prompt(); .prompt();
match password { match password {
Ok(pw) => { Ok(pw) => {
std::fs::write(&password_file, pw.as_bytes())?; std::fs::write(&password_file, pw.as_bytes())?;
local_provider.password_file = Some(password_file); local_provider.password_file = Some(password_file);
println!( println!(
"✓ Password file '{}' created.", "✓ Password file '{}' created.",
vault_password_file.display() vault_password_file.display()
); );
} }
Err(_) => { Err(_) => {
return Err(anyhow!( return Err(anyhow!(
"Failed to read password from input. Password file not created." "Failed to read password from input. Password file not created."
)); ));
} }
} }
} }
Ok(()) Ok(())
} }
pub fn interpolate_secrets<'a>(content: &'a str, vault: &Vault) -> (Cow<'a, str>, Vec<String>) { pub fn interpolate_secrets<'a>(content: &'a str, vault: &Vault) -> (Cow<'a, str>, Vec<String>) {
let mut missing_secrets = vec![]; let mut missing_secrets = vec![];
let parsed_content = SECRET_RE.replace_all(content, |caps: &fancy_regex::Captures<'_>| { let parsed_content = SECRET_RE.replace_all(content, |caps: &fancy_regex::Captures<'_>| {
let secret = vault.get_secret(caps[1].trim(), false); let secret = vault.get_secret(caps[1].trim(), false);
match secret { match secret {
Ok(s) => s, Ok(s) => s,
Err(_) => { Err(_) => {
missing_secrets.push(caps[1].to_string()); missing_secrets.push(caps[1].to_string());
"".to_string() "".to_string()
} }
} }
}); });
(parsed_content, missing_secrets) (parsed_content, missing_secrets)
} }