proxmox-backup/src/section_config.rs

344 lines
11 KiB
Rust
Raw Normal View History

2018-11-26 17:01:24 +00:00
use failure::*;
2018-11-19 07:07:22 +00:00
use std::collections::HashMap;
2018-11-28 13:09:35 +00:00
use std::collections::HashSet;
2018-11-29 16:28:28 +00:00
use std::collections::VecDeque;
2018-11-28 13:09:35 +00:00
2018-11-19 07:07:22 +00:00
use serde_json::{json, Value};
2018-11-27 07:41:25 +00:00
use std::sync::Arc;
2019-02-17 09:16:33 +00:00
use crate::api_schema::*;
2018-11-27 07:41:25 +00:00
2018-11-19 07:07:22 +00:00
pub struct SectionConfigPlugin {
type_name: String,
2018-11-27 07:41:25 +00:00
properties: ObjectSchema,
2018-11-19 07:07:22 +00:00
}
2018-11-19 05:47:39 +00:00
2018-11-27 07:41:25 +00:00
impl SectionConfigPlugin {
pub fn new(type_name: String, properties: ObjectSchema) -> Self {
Self { type_name, properties }
}
}
2018-11-19 05:47:39 +00:00
2018-11-19 07:07:22 +00:00
pub struct SectionConfig {
plugins: HashMap<String, SectionConfigPlugin>,
2018-11-19 05:47:39 +00:00
id_schema: Arc<Schema>,
2018-11-27 11:54:40 +00:00
parse_section_header: fn(&str) -> Option<(String, String)>,
parse_section_content: fn(&str) -> Option<(String, String)>,
2018-11-28 13:09:35 +00:00
format_section_header: fn(type_name: &str, section_id: &str, data: &Value) -> String,
2018-11-26 17:01:24 +00:00
}
enum ParseState<'a> {
2018-11-26 17:01:24 +00:00
BeforeHeader,
InsideSection(&'a SectionConfigPlugin, String, Value),
2018-11-19 05:47:39 +00:00
}
#[derive(Debug)]
pub struct SectionConfigData {
pub sections: HashMap<String, (String, Value)>,
2018-11-29 16:28:28 +00:00
order: VecDeque<String>,
}
impl SectionConfigData {
pub fn new() -> Self {
2018-11-29 16:28:28 +00:00
Self { sections: HashMap::new(), order: VecDeque::new() }
}
2018-11-28 13:09:35 +00:00
pub fn set_data(&mut self, section_id: &str, type_name: &str, config: Value) {
// fixme: verify section_id schema here??
self.sections.insert(section_id.to_string(), (type_name.to_string(), config));
}
2018-11-28 13:09:35 +00:00
fn record_order(&mut self, section_id: &str) {
self.order.push_back(section_id.to_string());
}
pub fn convert_to_array(&self, id_prop: &str) -> Value {
let mut list: Vec<Value> = vec![];
for (section_id, (_, data)) in &self.sections {
2018-12-09 09:25:56 +00:00
let mut item = data.clone();
item.as_object_mut().unwrap().insert(id_prop.into(), section_id.clone().into());
list.push(item);
}
list.into()
}
}
2018-11-19 05:47:39 +00:00
impl SectionConfig {
pub fn new(id_schema: Arc<Schema>) -> Self {
2018-11-19 07:07:22 +00:00
Self {
plugins: HashMap::new(),
id_schema: id_schema,
2018-11-19 07:07:22 +00:00
parse_section_header: SectionConfig::default_parse_section_header,
2018-11-27 08:01:36 +00:00
parse_section_content: SectionConfig::default_parse_section_content,
2018-11-28 13:09:35 +00:00
format_section_header: SectionConfig::default_format_section_header,
2018-11-19 07:07:22 +00:00
}
}
2018-11-27 07:41:25 +00:00
pub fn register_plugin(&mut self, plugin: SectionConfigPlugin) {
self.plugins.insert(plugin.type_name.clone(), plugin);
}
pub fn write(&self, _filename: &str, config: &SectionConfigData) -> Result<String, Error> {
2018-11-28 13:09:35 +00:00
2018-11-29 16:28:28 +00:00
let mut list = VecDeque::new();
2018-11-28 13:09:35 +00:00
let mut done = HashSet::new();
2018-11-29 12:18:15 +00:00
for section_id in &config.order {
if config.sections.get(section_id) == None { continue };
list.push_back(section_id);
done.insert(section_id);
2018-11-28 13:09:35 +00:00
}
2018-11-29 12:18:15 +00:00
for (section_id, _) in &config.sections {
if done.contains(section_id) { continue };
list.push_back(section_id);
2018-11-28 13:09:35 +00:00
}
let mut raw = String::new();
2018-11-29 12:18:15 +00:00
for section_id in list {
let (type_name, section_config) = config.sections.get(section_id).unwrap();
2018-11-28 13:09:35 +00:00
let plugin = self.plugins.get(type_name).unwrap();
2018-11-29 12:18:15 +00:00
if let Err(err) = parse_simple_value(&section_id, &self.id_schema) {
bail!("syntax error in section identifier: {}", err.to_string());
}
verify_json_object(section_config, &plugin.properties)?;
println!("REAL WRITE {} {} {:?}\n", section_id, type_name, section_config);
2018-11-28 13:09:35 +00:00
2018-11-29 12:18:15 +00:00
let head = (self.format_section_header)(type_name, section_id, section_config);
2018-11-28 13:09:35 +00:00
if !raw.is_empty() { raw += "\n" }
raw += &head;
for (key, value) in section_config.as_object().unwrap() {
let text = match value {
2018-11-29 08:33:27 +00:00
Value::Null => { continue; }, // do nothing (delete)
Value::Bool(v) => v.to_string(),
Value::String(v) => v.to_string(),
Value::Number(v) => v.to_string(),
2018-11-28 13:09:35 +00:00
_ => {
2018-11-29 12:18:15 +00:00
bail!("got unsupported type in section '{}' key '{}'", section_id, key);
2018-11-28 13:09:35 +00:00
},
};
raw += "\t";
raw += &key;
raw += " ";
raw += &text;
raw += "\n";
}
}
Ok(raw)
2018-11-28 13:09:35 +00:00
}
pub fn parse(&self, filename: &str, raw: &str) -> Result<SectionConfigData, Error> {
2018-11-26 17:01:24 +00:00
let mut state = ParseState::BeforeHeader;
2018-11-19 07:07:22 +00:00
2018-11-27 10:55:21 +00:00
let test_required_properties = |value: &Value, schema: &ObjectSchema| -> Result<(), Error> {
for (name, (optional, _prop_schema)) in &schema.properties {
if *optional == false && value[name] == Value::Null {
return Err(format_err!("property '{}' is missing and it is not optional.", name));
2018-11-27 10:55:21 +00:00
}
}
Ok(())
};
let mut line_no = 0;
2018-11-27 11:54:40 +00:00
try_block!({
2018-11-27 11:54:40 +00:00
let mut result = SectionConfigData::new();
2018-11-26 17:01:24 +00:00
let mut create_section = |section_id: &str, type_name: &str, config| {
result.set_data(section_id, type_name, config);
result.record_order(section_id);
};
2018-11-26 17:01:24 +00:00
try_block!({
for line in raw.lines() {
line_no += 1;
2018-11-26 17:01:24 +00:00
match state {
2018-11-26 17:01:24 +00:00
ParseState::BeforeHeader => {
2018-11-26 17:01:24 +00:00
if line.trim().is_empty() { continue; }
if let Some((section_type, section_id)) = (self.parse_section_header)(line) {
//println!("OKLINE: type: {} ID: {}", section_type, section_id);
if let Some(ref plugin) = self.plugins.get(&section_type) {
if let Err(err) = parse_simple_value(&section_id, &self.id_schema) {
bail!("syntax error in section identifier: {}", err.to_string());
2018-11-27 10:55:21 +00:00
}
state = ParseState::InsideSection(plugin, section_id, json!({}));
} else {
bail!("unknown section type '{}'", section_type);
2018-11-27 10:55:21 +00:00
}
} else {
bail!("syntax error (expected header)");
}
}
ParseState::InsideSection(plugin, ref mut section_id, ref mut config) => {
if line.trim().is_empty() {
// finish section
test_required_properties(config, &plugin.properties)?;
create_section(section_id, &plugin.type_name, config.take());
state = ParseState::BeforeHeader;
continue;
}
if let Some((key, value)) = (self.parse_section_content)(line) {
//println!("CONTENT: key: {} value: {}", key, value);
if let Some((_optional, prop_schema)) = plugin.properties.properties.get::<str>(&key) {
match parse_simple_value(&value, prop_schema) {
Ok(value) => {
if config[&key] == Value::Null {
config[key] = value;
} else {
bail!("duplicate property '{}'", key);
}
}
Err(err) => {
bail!("property '{}': {}", key, err.to_string());
}
}
} else {
bail!("unknown property '{}'", key)
2018-11-27 10:55:21 +00:00
}
} else {
bail!("syntax error (expected section properties)");
2018-11-27 10:55:21 +00:00
}
}
2018-11-27 08:01:36 +00:00
}
2018-11-26 17:01:24 +00:00
}
if let ParseState::InsideSection(plugin, section_id, config) = state {
// finish section
test_required_properties(&config, &plugin.properties)?;
create_section(&section_id, &plugin.type_name, config);
}
2018-11-28 13:09:35 +00:00
Ok(())
}).map_err(|e| format_err!("line {} - {}", line_no, e))?;
Ok(result)
2018-11-26 17:01:24 +00:00
}).map_err(|e: Error| format_err!("parsing '{}' failed: {}", filename, e))
2018-11-19 07:07:22 +00:00
}
pub fn default_format_section_header(type_name: &str, section_id: &str, _data: &Value) -> String {
2018-11-28 13:09:35 +00:00
return format!("{}: {}\n", type_name, section_id);
}
2018-11-27 08:01:36 +00:00
pub fn default_parse_section_content(line: &str) -> Option<(String, String)> {
if line.is_empty() { return None; }
let first_char = line.chars().next().unwrap();
if !first_char.is_whitespace() { return None }
2019-03-18 09:00:58 +00:00
let mut kv_iter = line.trim_start().splitn(2, |c: char| c.is_whitespace());
2018-11-27 08:01:36 +00:00
let key = match kv_iter.next() {
Some(v) => v.trim(),
None => return None,
};
if key.len() == 0 { return None; }
let value = match kv_iter.next() {
Some(v) => v.trim(),
None => return None,
};
Some((key.into(), value.into()))
}
2018-11-26 17:01:24 +00:00
pub fn default_parse_section_header(line: &str) -> Option<(String, String)> {
if line.is_empty() { return None; };
2018-11-26 17:01:24 +00:00
let first_char = line.chars().next().unwrap();
if !first_char.is_alphabetic() { return None }
let mut head_iter = line.splitn(2, ':');
let section_type = match head_iter.next() {
2018-11-27 08:01:36 +00:00
Some(v) => v.trim(),
2018-11-26 17:01:24 +00:00
None => return None,
};
2018-11-19 07:07:22 +00:00
2018-11-26 17:01:24 +00:00
if section_type.len() == 0 { return None; }
let section_id = match head_iter.next() {
2018-11-27 08:01:36 +00:00
Some(v) => v.trim(),
2018-11-26 17:01:24 +00:00
None => return None,
};
Some((section_type.into(), section_id.into()))
2018-11-19 07:07:22 +00:00
}
}
// cargo test test_section_config1 -- --nocapture
#[test]
fn test_section_config1() {
let filename = "storage.cfg";
//let mut file = File::open(filename).expect("file not found");
//let mut contents = String::new();
//file.read_to_string(&mut contents).unwrap();
2018-11-27 07:41:25 +00:00
let plugin = SectionConfigPlugin::new(
"lvmthin".to_string(),
ObjectSchema::new("lvmthin properties")
.required("thinpool", StringSchema::new("LVM thin pool name."))
.required("vgname", StringSchema::new("LVM volume group name."))
2018-11-27 10:55:21 +00:00
.optional("content", StringSchema::new("Storage content types."))
2018-11-27 07:41:25 +00:00
);
2018-11-19 07:07:22 +00:00
let id_schema = StringSchema::new("Storage ID schema.")
.min_length(3)
.into();
let mut config = SectionConfig::new(id_schema);
2018-11-27 07:41:25 +00:00
config.register_plugin(plugin);
2018-11-19 07:07:22 +00:00
let raw = r"
2018-11-26 17:01:24 +00:00
2018-11-19 07:07:22 +00:00
lvmthin: local-lvm
thinpool data
vgname pve5
content rootdir,images
2018-11-28 13:09:35 +00:00
lvmthin: local-lvm2
thinpool data
vgname pve5
content rootdir,images
2018-11-19 07:07:22 +00:00
";
let res = config.parse(filename, &raw);
println!("RES: {:?}", res);
let raw = config.write(filename, &res.unwrap());
println!("CONFIG:\n{}", raw.unwrap());
2018-11-19 07:07:22 +00:00
2018-11-19 05:47:39 +00:00
}