mirror of
https://github.com/clash-verge-rev/clash-verge-rev
synced 2025-05-05 07:13:44 +08:00
207 lines
5.7 KiB
Rust
207 lines
5.7 KiB
Rust
use crate::enhance::seq::SeqMap;
|
|
use anyhow::{anyhow, bail, Context, Result};
|
|
use nanoid::nanoid;
|
|
use serde::{de::DeserializeOwned, Serialize};
|
|
use serde_yaml::{Mapping, Value};
|
|
use std::{fs, path::PathBuf, str::FromStr};
|
|
use tauri_plugin_shell::ShellExt;
|
|
|
|
/// read data from yaml as struct T
|
|
pub fn read_yaml<T: DeserializeOwned>(path: &PathBuf) -> Result<T> {
|
|
if !path.exists() {
|
|
bail!("file not found \"{}\"", path.display());
|
|
}
|
|
|
|
let yaml_str = fs::read_to_string(path)
|
|
.with_context(|| format!("failed to read the file \"{}\"", path.display()))?;
|
|
|
|
serde_yaml::from_str::<T>(&yaml_str).with_context(|| {
|
|
format!(
|
|
"failed to read the file with yaml format \"{}\"",
|
|
path.display()
|
|
)
|
|
})
|
|
}
|
|
|
|
/// read mapping from yaml fix #165
|
|
pub fn read_mapping(path: &PathBuf) -> Result<Mapping> {
|
|
let mut val: Value = read_yaml(path)?;
|
|
val.apply_merge()
|
|
.with_context(|| format!("failed to apply merge \"{}\"", path.display()))?;
|
|
|
|
Ok(val
|
|
.as_mapping()
|
|
.ok_or(anyhow!(
|
|
"failed to transform to yaml mapping \"{}\"",
|
|
path.display()
|
|
))?
|
|
.to_owned())
|
|
}
|
|
|
|
/// read mapping from yaml fix #165
|
|
pub fn read_seq_map(path: &PathBuf) -> Result<SeqMap> {
|
|
let val: SeqMap = read_yaml(path)?;
|
|
|
|
Ok(val)
|
|
}
|
|
|
|
/// save the data to the file
|
|
/// can set `prefix` string to add some comments
|
|
pub fn save_yaml<T: Serialize>(path: &PathBuf, data: &T, prefix: Option<&str>) -> Result<()> {
|
|
let data_str = serde_yaml::to_string(data)?;
|
|
|
|
let yaml_str = match prefix {
|
|
Some(prefix) => format!("{prefix}\n\n{data_str}"),
|
|
None => data_str,
|
|
};
|
|
|
|
let path_str = path.as_os_str().to_string_lossy().to_string();
|
|
fs::write(path, yaml_str.as_bytes())
|
|
.with_context(|| format!("failed to save file \"{path_str}\""))
|
|
}
|
|
|
|
const ALPHABET: [char; 62] = [
|
|
'0', '1', '2', '3', '4', '5', '6', '7', '8', '9', 'a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i',
|
|
'j', 'k', 'l', 'm', 'n', 'o', 'p', 'q', 'r', 's', 't', 'u', 'v', 'w', 'x', 'y', 'z', 'A', 'B',
|
|
'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J', 'K', 'L', 'M', 'N', 'O', 'P', 'Q', 'R', 'S', 'T', 'U',
|
|
'V', 'W', 'X', 'Y', 'Z',
|
|
];
|
|
|
|
/// generate the uid
|
|
pub fn get_uid(prefix: &str) -> String {
|
|
let id = nanoid!(11, &ALPHABET);
|
|
format!("{prefix}{id}")
|
|
}
|
|
|
|
/// parse the string
|
|
/// xxx=123123; => 123123
|
|
pub fn parse_str<T: FromStr>(target: &str, key: &str) -> Option<T> {
|
|
target.split(';').map(str::trim).find_map(|s| {
|
|
let mut parts = s.splitn(2, '=');
|
|
match (parts.next(), parts.next()) {
|
|
(Some(k), Some(v)) if k == key => v.parse::<T>().ok(),
|
|
_ => None,
|
|
}
|
|
})
|
|
}
|
|
|
|
/// get the last part of the url, if not found, return empty string
|
|
pub fn get_last_part_and_decode(url: &str) -> Option<String> {
|
|
let path = url.split('?').next().unwrap_or(""); // Splits URL and takes the path part
|
|
let segments: Vec<&str> = path.split('/').collect();
|
|
let last_segment = segments.last()?;
|
|
|
|
Some(
|
|
percent_encoding::percent_decode_str(last_segment)
|
|
.decode_utf8_lossy()
|
|
.to_string(),
|
|
)
|
|
}
|
|
|
|
/// open file
|
|
/// use vscode by default
|
|
pub fn open_file(app: tauri::AppHandle, path: PathBuf) -> Result<()> {
|
|
app.shell().open(path.to_string_lossy(), None).unwrap();
|
|
Ok(())
|
|
}
|
|
|
|
#[cfg(target_os = "linux")]
|
|
pub fn linux_elevator() -> &'static str {
|
|
use std::process::Command;
|
|
match Command::new("which").arg("pkexec").output() {
|
|
Ok(output) => {
|
|
if output.stdout.is_empty() {
|
|
"sudo"
|
|
} else {
|
|
"pkexec"
|
|
}
|
|
}
|
|
Err(_) => "sudo",
|
|
}
|
|
}
|
|
|
|
#[macro_export]
|
|
macro_rules! error {
|
|
($result: expr) => {
|
|
log::error!(target: "app", "{}", $result);
|
|
};
|
|
}
|
|
|
|
#[macro_export]
|
|
macro_rules! log_err {
|
|
($result: expr) => {
|
|
if let Err(err) = $result {
|
|
log::error!(target: "app", "{err}");
|
|
}
|
|
};
|
|
|
|
($result: expr, $err_str: expr) => {
|
|
if let Err(_) = $result {
|
|
log::error!(target: "app", "{}", $err_str);
|
|
}
|
|
};
|
|
}
|
|
|
|
#[macro_export]
|
|
macro_rules! trace_err {
|
|
($result: expr, $err_str: expr) => {
|
|
if let Err(err) = $result {
|
|
log::trace!(target: "app", "{}, err {}", $err_str, err);
|
|
}
|
|
}
|
|
}
|
|
|
|
/// wrap the anyhow error
|
|
/// transform the error to String
|
|
#[macro_export]
|
|
macro_rules! wrap_err {
|
|
($stat: expr) => {
|
|
match $stat {
|
|
Ok(a) => Ok(a),
|
|
Err(err) => {
|
|
log::error!(target: "app", "{}", err.to_string());
|
|
Err(format!("{}", err.to_string()))
|
|
}
|
|
}
|
|
};
|
|
}
|
|
|
|
/// return the string literal error
|
|
#[macro_export]
|
|
macro_rules! ret_err {
|
|
($str: expr) => {
|
|
return Err($str.into())
|
|
};
|
|
}
|
|
|
|
#[macro_export]
|
|
macro_rules! t {
|
|
($en:expr, $zh:expr, $use_zh:expr) => {
|
|
if $use_zh {
|
|
$zh
|
|
} else {
|
|
$en
|
|
}
|
|
};
|
|
}
|
|
|
|
#[test]
|
|
fn test_parse_value() {
|
|
let test_1 = "upload=111; download=2222; total=3333; expire=444";
|
|
let test_2 = "attachment; filename=Clash.yaml";
|
|
|
|
assert_eq!(parse_str::<usize>(test_1, "upload").unwrap(), 111);
|
|
assert_eq!(parse_str::<usize>(test_1, "download").unwrap(), 2222);
|
|
assert_eq!(parse_str::<usize>(test_1, "total").unwrap(), 3333);
|
|
assert_eq!(parse_str::<usize>(test_1, "expire").unwrap(), 444);
|
|
assert_eq!(
|
|
parse_str::<String>(test_2, "filename").unwrap(),
|
|
format!("Clash.yaml")
|
|
);
|
|
|
|
assert_eq!(parse_str::<usize>(test_1, "aaa"), None);
|
|
assert_eq!(parse_str::<usize>(test_1, "upload1"), None);
|
|
assert_eq!(parse_str::<usize>(test_1, "expire1"), None);
|
|
assert_eq!(parse_str::<usize>(test_2, "attachment"), None);
|
|
}
|