1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155
//! [`ArtiPath`] and its associated helpers.
use std::str::FromStr;
use derive_deftly::{define_derive_deftly, Deftly};
use derive_more::{Deref, Display, Into};
use serde::{Deserialize, Serialize};
use tor_persist::slug::{self, BadSlug};
use crate::{ArtiPathSyntaxError, KeyPathRange};
// TODO: this is only used for ArtiPaths (we should consider turning this
// intro a regular impl ArtiPath {} and removing the macro).
define_derive_deftly! {
/// Implement `new()`, `TryFrom<String>` in terms of `validate_str`, and `as_ref<str>`
//
// TODO maybe this is generally useful? Or maybe we should find a crate?
ValidatedString for struct, expect items:
impl $ttype {
#[doc = concat!("Create a new [`", stringify!($tname), "`].")]
///
/// This function returns an error if `inner` is not in the right syntax.
pub fn new(inner: String) -> Result<Self, ArtiPathSyntaxError> {
Self::validate_str(&inner)?;
Ok(Self(inner))
}
}
impl TryFrom<String> for $ttype {
type Error = ArtiPathSyntaxError;
fn try_from(s: String) -> Result<Self, ArtiPathSyntaxError> {
Self::new(s)
}
}
impl FromStr for $ttype {
type Err = ArtiPathSyntaxError;
fn from_str(s: &str) -> Result<Self, ArtiPathSyntaxError> {
Self::validate_str(s)?;
Ok(Self(s.to_owned()))
}
}
impl AsRef<str> for $ttype {
fn as_ref(&self) -> &str {
&self.0.as_str()
}
}
}
/// A unique identifier for a particular instance of a key.
///
/// In an [`ArtiNativeKeystore`](crate::ArtiNativeKeystore), this also represents the path of the
/// key relative to the root of the keystore, minus the file extension.
///
/// An `ArtiPath` is a nonempty sequence of [`Slug`](tor_persist::slug::Slug)s, separated by `/`. Path
/// components may contain lowercase ASCII alphanumerics, and `-` or `_`.
/// See [slug] for the full syntactic requirements.
/// Consequently, leading or trailing or duplicated / are forbidden.
///
/// The last component of the path may optionally contain the encoded (string) representation
/// of one or more
/// [`KeySpecifierComponent`](crate::KeySpecifierComponent)
/// s representing the denotators of the key.
/// They are separated from the rest of the component, and from each other,
/// by [`DENOTATOR_SEP`] characters.
/// Denotators are encoded using their
/// [`KeySpecifierComponent::to_slug`](crate::KeySpecifierComponent::to_slug)
/// implementation.
/// The denotators **must** come after all the other fields.
/// Denotator strings are validated in the same way as [`Slug`](tor-persist::slug::Slug)s.
///
/// For example, the last component of the path `"foo/bar/bax+denotator_example+1"`
/// is `"bax+denotator_example+1"`.
/// Its denotators are `"denotator_example"` and `"1"` (encoded as strings).
///
/// NOTE: There is a 1:1 mapping between a value that implements `KeySpecifier` and its
/// corresponding `ArtiPath`. A `KeySpecifier` can be converted to an `ArtiPath`, but the reverse
/// conversion is not supported.
#[derive(Clone, Debug, PartialOrd, Ord, PartialEq, Eq, Hash, Deref, Into, Display)] //
#[derive(Serialize, Deserialize)]
#[serde(try_from = "String", into = "String")]
#[derive(Deftly)]
#[derive_deftly(ValidatedString)]
pub struct ArtiPath(String);
/// A separator for `ArtiPath`s.
pub(crate) const PATH_SEP: char = '/';
/// A separator for that marks the beginning of the keys denotators
/// within an [`ArtiPath`].
///
/// This separator can only appear within the last component of an [`ArtiPath`],
/// and the substring that follows it is assumed to be the string representation
/// of the denotators of the path.
pub const DENOTATOR_SEP: char = '+';
impl ArtiPath {
/// Validate the underlying representation of an `ArtiPath`
fn validate_str(inner: &str) -> Result<(), ArtiPathSyntaxError> {
// Validate the denotators, if there are any.
let path = if let Some((main_part, denotators)) = inner.split_once(DENOTATOR_SEP) {
for d in denotators.split(DENOTATOR_SEP) {
let () = slug::check_syntax(d)?;
}
main_part
} else {
inner
};
if let Some(e) = path
.split(PATH_SEP)
.map(|s| {
if s.is_empty() {
Err(BadSlug::EmptySlugNotAllowed.into())
} else {
Ok(slug::check_syntax(s)?)
}
})
.find(|e| e.is_err())
{
return e;
}
Ok(())
}
/// Return the substring corresponding to the specified `range`.
///
/// Returns `None` if `range` is not within the bounds of this `ArtiPath`.
///
/// ### Example
/// ```
/// # use tor_keymgr::{ArtiPath, KeyPathRange, ArtiPathSyntaxError};
/// # fn demo() -> Result<(), ArtiPathSyntaxError> {
/// let path = ArtiPath::new("foo_bar_bax_1".into())?;
///
/// let range = KeyPathRange::from(2..5);
/// assert_eq!(path.substring(&range), Some("o_b"));
///
/// let range = KeyPathRange::from(22..50);
/// assert_eq!(path.substring(&range), None);
/// # Ok(())
/// # }
/// #
/// # demo().unwrap();
/// ```
pub fn substring(&self, range: &KeyPathRange) -> Option<&str> {
self.0.get(range.0.clone())
}
}