use crate::color::Color;
use crate::error::{DisplayError, DisplayResult, Error, FormatCode, Result};
use crate::path;
use crate::script_type::{ScriptType, ScriptTypeConfig};
use crate::state::State;
use crate::tag::{TagGroup, TagSelector, TagSelectorGroup};
use crate::util;
use crate::util::{impl_de_by_from_str, impl_ser_by_to_string};
use fxhash::{FxHashMap as HashMap, FxHashSet as HashSet};
use handlebars::Handlebars;
use serde::{Deserialize, Serialize};
use std::path::{Path, PathBuf};
use std::str::FromStr;
use std::time::SystemTime;
const CONFIG_FILE: &str = ".config.toml";
static CONFIG: State<Config> = State::new();
struct RuntimeConf {
prompt_level: PromptLevel,
no_caution: bool,
}
static RUNTIME_CONF: State<RuntimeConf> = State::new();
fn de_nonempty_vec<'de, D, T>(deserializer: D) -> std::result::Result<Vec<T>, D::Error>
where
D: serde::de::Deserializer<'de>,
T: Deserialize<'de>,
{
let v: Vec<T> = Deserialize::deserialize(deserializer)?;
if v.is_empty() {
return Err(serde::de::Error::custom(
FormatCode::NonEmptyArray.to_err(String::new()),
));
}
Ok(v)
}
fn config_file(home: &Path) -> PathBuf {
home.join(CONFIG_FILE)
}
fn is_false(b: &bool) -> bool {
!*b
}
#[derive(Serialize, Deserialize, Debug, Clone, Eq, PartialEq)]
pub struct NamedTagSelector {
pub content: TagSelector,
pub name: String,
#[serde(default, skip_serializing_if = "is_false")]
pub inactivated: bool,
}
#[derive(Deserialize, Serialize, PartialEq, Eq, Debug, Clone)]
pub struct Alias {
#[serde(deserialize_with = "de_nonempty_vec")]
pub after: Vec<String>,
}
impl From<Vec<String>> for Alias {
fn from(after: Vec<String>) -> Self {
Alias { after }
}
}
impl Alias {
pub fn args(&self) -> (bool, impl Iterator<Item = &'_ str>) {
let mut is_shell = false;
let first_args = &self.after[0];
let mut chars = first_args.chars();
if chars.next() == Some('!') {
if first_args.len() > 1 {
if chars.next() != Some(' ') {
is_shell = true;
}
}
}
let mut iter = self.after.iter().map(String::as_str);
let mut first = iter.next().unwrap();
if is_shell {
first = &first[1..];
}
return (is_shell, std::iter::once(first).chain(iter));
}
}
#[derive(Display, PartialEq, Eq, Debug, Clone, Copy)]
pub enum PromptLevel {
#[display(fmt = "always")]
Always,
#[display(fmt = "never")]
Never,
#[display(fmt = "smart")]
Smart,
#[display(fmt = "on_multi_fuzz")]
OnMultiFuzz,
}
impl FromStr for PromptLevel {
type Err = DisplayError;
fn from_str(s: &str) -> DisplayResult<Self> {
let l = match s {
"always" => PromptLevel::Always,
"never" => PromptLevel::Never,
"smart" => PromptLevel::Smart,
"on-multi-fuzz" => PromptLevel::OnMultiFuzz,
_ => return FormatCode::PromptLevel.to_display_res(s.to_owned()),
};
Ok(l)
}
}
impl_ser_by_to_string!(PromptLevel);
impl_de_by_from_str!(PromptLevel);
#[derive(Deserialize, Serialize, PartialEq, Eq, Debug, Clone)]
pub struct Config {
pub recent: Option<u32>,
pub main_tag_selector: TagSelector,
#[serde(default)]
pub caution_tags: TagGroup,
prompt_level: PromptLevel,
#[serde(deserialize_with = "de_nonempty_vec")]
pub editor: Vec<String>,
pub tag_selectors: Vec<NamedTagSelector>,
pub alias: HashMap<String, Alias>,
pub types: HashMap<ScriptType, ScriptTypeConfig>,
pub env: HashMap<String, String>,
#[serde(skip)]
last_modified: Option<SystemTime>,
}
impl Default for Config {
fn default() -> Self {
fn gen_alias(from: &str, after: &[&str]) -> (String, Alias) {
(
from.to_owned(),
Alias {
after: after.iter().map(|s| s.to_string()).collect(),
},
)
}
Config {
last_modified: None,
recent: Some(999999), editor: vec!["vim".to_string()],
prompt_level: PromptLevel::Smart,
tag_selectors: vec![
NamedTagSelector {
content: "+pin,util".parse().unwrap(),
name: "pin".to_owned(),
inactivated: false,
},
NamedTagSelector {
content: "+all,^hide!".parse().unwrap(),
name: "no-hidden".to_owned(),
inactivated: false,
},
NamedTagSelector {
content: "+all,^remove!".parse().unwrap(),
name: "no-removed".to_owned(),
inactivated: false,
},
],
main_tag_selector: "+all".parse().unwrap(),
caution_tags: "caution".parse().unwrap(),
types: ScriptTypeConfig::default_script_types(),
alias: [
gen_alias("la", &["ls", "-s", "+all", "--timeless"]), gen_alias("laa", &["ls", "-a"]),
gen_alias("ll", &["ls", "-l"]),
gen_alias("l", &["ls", "--grouping", "none", "--limit", "5"]),
gen_alias("e", &["edit"]),
gen_alias("gc", &["rm", "--timeless", "--purge", "-s", "remove", "*"]),
gen_alias("t", &["tags"]),
gen_alias("p", &["run", "--previous"]),
gen_alias("pc", &["=util/historian!", "--sequence", "c", "--show-env"]),
gen_alias("pr", &["=util/historian!", "--sequence", "r", "--show-env"]),
gen_alias("h", &["=util/historian!", "--show-env"]),
gen_alias("hh", &["=util/historian!", "*", "--show-env"]),
]
.into_iter()
.collect(),
env: [
("NAME", "{{name}}"),
("HS_HOME", "{{home}}"),
("HS_CMD", "{{cmd}}"),
("HS_RUN_ID", "{{run_id}}"),
(
"HS_TAGS",
"{{#each tags}}{{{this}}}{{#unless @last}} {{/unless}}{{/each}}",
),
(
"HS_ENV_DESC",
"{{#each env_desc}}{{{this}}}{{#unless @last}}\n{{/unless}}{{/each}}",
),
("HS_EXE", "{{exe}}"),
("HS_SOURCE", "{{home}}/.hs_source"),
("TMP_DIR", "/tmp"),
]
.into_iter()
.map(|(k, v)| (k.to_owned(), v.to_owned()))
.collect(),
}
}
}
impl Config {
pub fn load(p: &Path) -> Result<Self> {
let path = config_file(p);
log::info!("載入設定檔:{:?}", path);
match util::read_file(&path) {
Ok(s) => {
let meta = util::handle_fs_res(&[&path], std::fs::metadata(&path))?;
let modified = util::handle_fs_res(&[&path], meta.modified())?;
let mut conf: Config = toml::from_str(&s).map_err(|err| {
FormatCode::Config.to_err(format!("{}: {}", path.to_string_lossy(), err))
})?;
conf.last_modified = Some(modified);
Ok(conf)
}
Err(Error::PathNotFound(_)) => {
log::debug!("找不到設定檔");
Ok(Default::default())
}
Err(e) => Err(e),
}
}
pub fn store(&self) -> Result {
let path = config_file(path::get_home());
log::info!("寫入設定檔至 {:?}…", path);
match util::handle_fs_res(&[&path], std::fs::metadata(&path)) {
Ok(meta) => {
let modified = util::handle_fs_res(&[&path], meta.modified())?;
if self.last_modified.map_or(true, |time| time < modified) {
log::info!("設定檔已被修改,不寫入");
return Ok(());
}
}
Err(Error::PathNotFound(_)) => {
log::debug!("設定檔不存在,寫就對了");
}
Err(err) => return Err(err),
}
util::write_file(&path, &toml::to_string_pretty(self)?)
}
pub fn is_from_dafault(&self) -> bool {
self.last_modified.is_none()
}
pub fn init() -> Result {
CONFIG.set(Config::load(path::get_home())?);
Ok(())
}
pub fn set_runtime_conf(prompt_level: Option<PromptLevel>, no_caution: bool) {
let c = Config::get();
let prompt_level = prompt_level.unwrap_or(c.prompt_level); RUNTIME_CONF.set(RuntimeConf {
prompt_level,
no_caution,
});
}
pub fn get_prompt_level() -> PromptLevel {
RUNTIME_CONF.get().prompt_level
}
pub fn get_no_caution() -> bool {
RUNTIME_CONF.get().no_caution
}
#[cfg(not(test))]
pub fn get() -> &'static Config {
CONFIG.get()
}
#[cfg(test)]
pub fn get() -> &'static Config {
crate::set_once!(CONFIG, || { Config::default().into() });
CONFIG.get()
}
pub fn gen_env(
&self,
info: &crate::util::TmplVal<'_>,
strict: bool,
) -> Result<Vec<(String, String)>> {
let reg = Handlebars::new();
let mut env: Vec<(String, String)> = Vec::with_capacity(self.env.len());
for (name, e) in self.env.iter() {
match reg.render_template(e, info) {
Ok(res) => env.push((name.to_owned(), res)),
Err(err) => {
if strict {
return Err(err.into());
}
}
}
}
Ok(env)
}
pub fn get_color(&self, ty: &ScriptType) -> Result<Color> {
let c = self.get_script_conf(ty)?.color.as_str();
Ok(Color::from(c))
}
pub fn get_script_conf(&self, ty: &ScriptType) -> Result<&ScriptTypeConfig> {
self.types
.get(ty)
.ok_or_else(|| Error::UnknownType(ty.to_string()))
}
pub fn get_tag_selector_group(&self, toggle: &mut HashSet<String>) -> TagSelectorGroup {
let mut group = TagSelectorGroup::default();
for f in self.tag_selectors.iter() {
let inactivated = f.inactivated ^ toggle.remove(&f.name);
if inactivated {
log::debug!("{:?} 未啟用", f);
continue;
}
group.push(f.content.clone()); }
group.push(self.main_tag_selector.clone());
group
}
}
#[cfg(test)]
mod test {
use super::*;
use toml::{from_str, to_string_pretty};
#[test]
fn test_config_serde() {
let c1 = Config {
main_tag_selector: "a,^b,c".parse().unwrap(),
..Default::default()
};
let s = to_string_pretty(&c1).unwrap();
let c2: Config = from_str(&s).unwrap();
assert_eq!(c1, c2);
}
}