use std::fmt;
use std::env;
use std::io::Read;
use std::fs::File;
use std::path::Path;
use std::collections::BTreeMap;
use rustc_serialize::json::{Object, Json};
#[derive(Clone)]
pub struct Config {
config: Object,
}
impl Default for Config {
fn default() -> Config {
Config::new()
}
}
impl Config {
pub fn new() -> Config {
let json_object: Object = BTreeMap::new();
Config {
config: json_object,
}
}
pub fn set(&mut self, key: &str, value: Json) {
self.config.insert(key.to_string(), value);
}
pub fn get(&self, key: &str) -> Option<&Json> {
self.config.get(&key.to_string())
}
pub fn get_boolean(&self, key: &str, default: bool) -> bool {
match self.get(key) {
Some(value) => {
match *value {
Json::Boolean(value) => value,
_ => default
}
},
None => default
}
}
pub fn from_envvar(&mut self, variable_name: &str) {
match env::var(variable_name) {
Ok(value) => self.from_jsonfile(&value),
Err(_) => panic!("The environment variable {} is not set.", variable_name),
}
}
pub fn from_jsonfile(&mut self, filepath: &str) {
let path = Path::new(filepath);
let mut file = File::open(&path).unwrap();
let mut content = String::new();
file.read_to_string(&mut content).unwrap();
let object: Json = Json::from_str(&content).unwrap();
match object {
Json::Object(object) => { self.from_object(object); },
_ => { panic!("The configuration file is not an JSON object."); }
}
}
pub fn from_object(&mut self, object: Object) {
for (key, value) in &object {
self.set(&key, value.clone());
}
}
}
impl fmt::Debug for Config {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
write!(f, "<Pencil Config {:?}>", self.config)
}
}