pub(crate) fn get_at<S: AsRef<str>>(value: toml::Value, path: &[S]) -> Option<toml::Value> {
match path.split_first() {
None => Some(value), Some((first, rest)) => {
match value.as_table() {
None => None, Some(t) => {
match t.get(first.as_ref()) {
None => None, Some(v) => get_at(v.clone(), rest), }
}
}
}
}
}
#[cfg(test)]
mod test {
use super::*;
#[test]
fn if_path_does_not_exist_then_get_at_is_none() {
let document: toml::Value = toml::toml! {
name = "test"
[application.redis.trigger]
address = "test-address"
[[trigger.redis]]
channel = "messages"
}
.into();
assert!(get_at(document.clone(), &["name", "snort"]).is_none());
assert!(get_at(document.clone(), &["snort", "fie"]).is_none());
assert!(get_at(document.clone(), &["application", "snort"]).is_none());
assert!(get_at(document.clone(), &["application", "redis", "snort"]).is_none());
assert!(get_at(document.clone(), &["trigger", "redis", "snort"]).is_none());
assert!(get_at(document.clone(), &["trigger", "redis", "channel"]).is_none());
}
#[test]
fn if_path_does_exist_then_get_at_finds_it() {
let document: toml::Value = toml::toml! {
name = "test"
[application.redis.trigger]
address = "test-address"
[[trigger.redis]]
channel = "messages"
}
.into();
assert!(get_at(document.clone(), &["name"])
.expect("should find name")
.is_str());
assert!(get_at(document.clone(), &["application", "redis"])
.expect("should find application.redis")
.is_table());
assert!(
get_at(document.clone(), &["application", "redis", "trigger"])
.expect("should find application.redis.trigger")
.is_table()
);
assert!(get_at(document.clone(), &["trigger", "redis"])
.expect("should find trigger.redis.channel")
.is_array());
}
}