52 lines
1.5 KiB
Rust
52 lines
1.5 KiB
Rust
// Wallet settings that can be configured for long-term use
|
|
use serde_derive::{Deserialize, Serialize};
|
|
use std::{
|
|
fs::{create_dir_all, File},
|
|
io::{self, Write},
|
|
path::Path,
|
|
};
|
|
|
|
lazy_static! {
|
|
pub static ref CONFIG_FILE: Option<String> = {
|
|
dirs::home_dir().map(|mut path| {
|
|
path.extend(&[".config", "solana", "cli", "config.yml"]);
|
|
path.to_str().unwrap().to_string()
|
|
})
|
|
};
|
|
}
|
|
|
|
#[derive(Serialize, Deserialize, Default, Debug, PartialEq)]
|
|
pub struct Config {
|
|
pub url: String,
|
|
pub keypair_path: String,
|
|
}
|
|
|
|
impl Config {
|
|
pub fn new(url: &str, keypair_path: &str) -> Self {
|
|
Self {
|
|
url: url.to_string(),
|
|
keypair_path: keypair_path.to_string(),
|
|
}
|
|
}
|
|
|
|
pub fn load(config_file: &str) -> Result<Self, io::Error> {
|
|
let file = File::open(config_file.to_string())?;
|
|
let config = serde_yaml::from_reader(file)
|
|
.map_err(|err| io::Error::new(io::ErrorKind::Other, format!("{:?}", err)))?;
|
|
Ok(config)
|
|
}
|
|
|
|
pub fn save(&self, config_file: &str) -> Result<(), io::Error> {
|
|
let serialized = serde_yaml::to_string(self)
|
|
.map_err(|err| io::Error::new(io::ErrorKind::Other, format!("{:?}", err)))?;
|
|
|
|
if let Some(outdir) = Path::new(&config_file).parent() {
|
|
create_dir_all(outdir)?;
|
|
}
|
|
let mut file = File::create(config_file)?;
|
|
file.write_all(&serialized.into_bytes())?;
|
|
|
|
Ok(())
|
|
}
|
|
}
|