sui_rpc_api/field_mask/
mod.rsmod field_mask_tree;
mod field_mask_util;
pub use field_mask_tree::FieldMaskTree;
pub use field_mask_util::FieldMaskUtil;
pub use prost_types::FieldMask;
pub const FIELD_PATH_SEPARATOR: char = ',';
pub const FIELD_SEPARATOR: char = '.';
pub const FIELD_PATH_WILDCARD: &str = "*";
fn is_valid_path(path: &str) -> bool {
if path == FIELD_PATH_WILDCARD {
return true;
}
path.split(FIELD_SEPARATOR).all(is_valid_path_component)
}
fn is_valid_path_component(component: &str) -> bool {
if component.is_empty() || component == "_" {
return false;
}
let component = component.as_bytes();
if !(component[0].is_ascii_alphabetic() || component[0] == b'_') {
return false;
}
for &byte in &component[1..] {
if !(byte.is_ascii_alphabetic() || byte.is_ascii_digit() || byte == b'_') {
return false;
}
}
true
}
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn test_valid_path_component() {
let cases = [
("foo", true),
("_", false),
("", false),
("_abc", true),
("BAR", true),
("foo.bar", false),
];
for (case, expected) in cases {
assert_eq!(is_valid_path_component(case), expected);
}
}
#[test]
fn test_valid_path() {
let cases = [
("*", true),
("**", false),
("foo.bar", true),
("foo.bar.baz", true),
("_", false),
(".", false),
("", false),
("_abc", true),
("BAR", true),
];
for (case, expected) in cases {
assert_eq!(is_valid_path(case), expected);
}
}
}