alpm_types/openpgp.rs
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 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304
use std::{
fmt::{Display, Formatter},
str::FromStr,
string::ToString,
};
use email_address::EmailAddress;
use lazy_regex::{lazy_regex, Lazy};
use regex::Regex;
use crate::Error;
/// An OpenPGP v4 fingerprint.
///
/// The `OpenPGPv4Fingerprint` type wraps a `String` representing an [OpenPGP v4 fingerprint],
/// ensuring that it consists of exactly 40 uppercase hexadecimal characters.
///
/// [OpenPGP v4 fingerprint]: https://openpgp.dev/book/certificates.html#fingerprint
///
/// ## Note
///
/// This type supports constructing from both uppercase and lowercase hexadecimal characters but
/// guarantees to return the fingerprint in uppercase.
///
/// ## Examples
///
/// ```
/// use std::str::FromStr;
///
/// use alpm_types::{Error, OpenPGPv4Fingerprint};
///
/// # fn main() -> Result<(), alpm_types::Error> {
/// // Create OpenPGPv4Fingerprint from a valid OpenPGP v4 fingerprint
/// let key = OpenPGPv4Fingerprint::from_str("4A0C4DFFC02E1A7ED969ED231C2358A25A10D94E")?;
/// assert_eq!(key.as_str(), "4A0C4DFFC02E1A7ED969ED231C2358A25A10D94E");
///
/// // Attempting to create a OpenPGPv4Fingerprint from an invalid fingerprint will fail
/// assert!(OpenPGPv4Fingerprint::from_str("INVALIDKEY").is_err());
///
/// // Format as String
/// assert_eq!(
/// format!("{}", key),
/// "4A0C4DFFC02E1A7ED969ED231C2358A25A10D94E"
/// );
/// # Ok(())
/// # }
/// ```
#[derive(Debug, Clone, PartialEq, Eq)]
pub struct OpenPGPv4Fingerprint(String);
impl OpenPGPv4Fingerprint {
/// Creates a new `OpenPGPv4Fingerprint` instance
///
/// See [`OpenPGPv4Fingerprint::from_str`] for more information on how the OpenPGP v4
/// fingerprint is validated.
pub fn new(fingerprint: String) -> Result<Self, Error> {
Self::from_str(&fingerprint)
}
/// Returns a reference to the inner OpenPGP v4 fingerprint as a `&str`.
pub fn as_str(&self) -> &str {
&self.0
}
/// Consumes the `OpenPGPv4Fingerprint` and returns the inner `String`.
pub fn into_inner(self) -> String {
self.0
}
}
impl FromStr for OpenPGPv4Fingerprint {
type Err = Error;
/// Creates a new `OpenPGPv4Fingerprint` instance after validating that it follows the correct
/// format.
///
/// A valid OpenPGP v4 fingerprint should be exactly 40 characters long and consist only
/// of digits (`0-9`) and hexadecimal letters (`A-F`).
///
/// ## Errors
///
/// Returns an error if the OpenPGP v4 fingerprint is not valid.
fn from_str(s: &str) -> Result<Self, Self::Err> {
if s.len() == 40 && s.chars().all(|c| c.is_ascii_hexdigit()) {
Ok(Self(s.to_ascii_uppercase()))
} else {
Err(Error::InvalidOpenPGPv4Fingerprint)
}
}
}
impl Display for OpenPGPv4Fingerprint {
/// Converts the `OpenPGPv4Fingerprint` to a uppercase `String`.
fn fmt(&self, f: &mut Formatter<'_>) -> std::fmt::Result {
write!(f, "{}", self.as_str().to_ascii_uppercase())
}
}
pub(crate) static PACKAGER_REGEX: Lazy<Regex> =
lazy_regex!(r"^(?P<name>[\w\s\-().]+) <(?P<email>.*)>$");
/// A packager of a package
///
/// A `Packager` is represented by a User ID (e.g. `"Foobar McFooFace <foobar@mcfooface.org>"`).
/// Internally this struct wraps a `String` for the name and an `EmailAddress` for a valid email
/// address.
///
/// ## Examples
/// ```
/// use std::str::FromStr;
///
/// use alpm_types::{Error, Packager};
///
/// // create Packager from &str
/// let packager = Packager::from_str("Foobar McFooface <foobar@mcfooface.org>").unwrap();
///
/// // get name
/// assert_eq!("Foobar McFooface", packager.name());
///
/// // get email
/// assert_eq!("foobar@mcfooface.org", packager.email().to_string());
///
/// // get email domain
/// assert_eq!("mcfooface.org", packager.email().domain());
///
/// // format as String
/// assert_eq!(
/// "Foobar McFooface <foobar@mcfooface.org>",
/// format!("{}", packager)
/// );
/// ```
#[derive(Clone, Debug, PartialEq, Eq)]
pub struct Packager {
name: String,
email: EmailAddress,
}
impl Packager {
/// Create a new Packager
pub fn new(name: String, email: EmailAddress) -> Packager {
Packager { name, email }
}
/// Return the name of the Packager
pub fn name(&self) -> &str {
&self.name
}
/// Return the email of the Packager
pub fn email(&self) -> &EmailAddress {
&self.email
}
}
impl FromStr for Packager {
type Err = Error;
/// Create a Packager from a string
fn from_str(s: &str) -> Result<Packager, Self::Err> {
if let Some(captures) = PACKAGER_REGEX.captures(s) {
if captures.name("name").is_some() && captures.name("email").is_some() {
let email = EmailAddress::from_str(captures.name("email").unwrap().as_str())?;
Ok(Packager {
name: captures.name("name").unwrap().as_str().to_string(),
email,
})
} else {
Err(Error::MissingComponent {
component: if captures.name("name").is_none() {
"name"
} else {
"email"
},
})
}
} else {
Err(Error::RegexDoesNotMatch {
value: s.to_string(),
regex_type: "packager".to_string(),
regex: PACKAGER_REGEX.to_string(),
})
}
}
}
impl Display for Packager {
fn fmt(&self, fmt: &mut Formatter) -> std::fmt::Result {
write!(fmt, "{} <{}>", self.name, self.email)
}
}
#[cfg(test)]
mod tests {
use rstest::rstest;
use super::*;
#[rstest]
#[case("4A0C4DFFC02E1A7ED969ED231C2358A25A10D94E")]
#[case("1234567890abcdef1234567890abcdef12345678")]
fn test_parse_openpgp_fingerprint(#[case] input: &str) -> Result<(), Error> {
input.parse::<OpenPGPv4Fingerprint>()?;
Ok(())
}
#[rstest]
// Contains non-hex characters 'G' and 'H'
#[case(
"A1B2C3D4E5F6A7B8C9D0E1F2A3B4C5D6E7F8G9H0",
Err(Error::InvalidOpenPGPv4Fingerprint)
)]
// Less than 40 characters
#[case(
"1234567890ABCDEF1234567890ABCDEF1234567",
Err(Error::InvalidOpenPGPv4Fingerprint)
)]
// More than 40 characters
#[case(
"1234567890ABCDEF1234567890ABCDEF1234567890",
Err(Error::InvalidOpenPGPv4Fingerprint)
)]
// Just invalid
#[case("invalid", Err(Error::InvalidOpenPGPv4Fingerprint))]
fn test_parse_invalid_openpgp_fingerprint(
#[case] input: &str,
#[case] expected: Result<OpenPGPv4Fingerprint, Error>,
) {
let result = input.parse::<OpenPGPv4Fingerprint>();
assert_eq!(result, expected);
}
#[rstest]
#[case(
"Foobar McFooface (The Third) <foobar@mcfooface.org>",
Packager{
name: "Foobar McFooface (The Third)".to_string(),
email: EmailAddress::from_str("foobar@mcfooface.org").unwrap()
}
)]
#[case(
"Foobar McFooface <foobar@mcfooface.org>",
Packager{
name: "Foobar McFooface".to_string(),
email: EmailAddress::from_str("foobar@mcfooface.org").unwrap()
}
)]
fn valid_packager(#[case] from_str: &str, #[case] packager: Packager) {
assert_eq!(Packager::from_str(from_str), Ok(packager));
}
/// Test that invalid packager email expressions throw the expected email errors.
#[rstest]
#[case(
"Foobar McFooface <@mcfooface.org>",
email_address::Error::LocalPartEmpty
)]
#[case(
"Foobar McFooface <foobar@mcfooface.org> <foobar@mcfoofacemcfooface.org>",
email_address::Error::MissingEndBracket
)]
fn invalid_packager_email(#[case] packager: &str, #[case] error: email_address::Error) {
assert_eq!(Packager::from_str(packager), Err(error.into()));
}
/// Test that invalid packager expressionare detected as such throw the expected Regex error.
#[rstest]
#[case("<foobar@mcfooface.org>")]
#[case("[foo] <foobar@mcfooface.org>")]
#[case("foobar@mcfooface.org")]
#[case("Foobar McFooface")]
fn invalid_packager_regex(#[case] packager: &str) {
assert_eq!(
Packager::from_str(packager),
Err(Error::RegexDoesNotMatch {
value: packager.to_string(),
regex_type: "packager".to_string(),
regex: PACKAGER_REGEX.to_string(),
})
);
}
#[rstest]
#[case(
Packager::from_str("Foobar McFooface <foobar@mcfooface.org>").unwrap(),
"Foobar McFooface <foobar@mcfooface.org>"
)]
fn packager_format_string(#[case] packager: Packager, #[case] packager_str: &str) {
assert_eq!(packager_str, format!("{}", packager));
}
#[rstest]
#[case(Packager::from_str("Foobar McFooface <foobar@mcfooface.org>").unwrap(), "Foobar McFooface")]
fn packager_name(#[case] packager: Packager, #[case] name: &str) {
assert_eq!(name, packager.name());
}
#[rstest]
#[case(
Packager::from_str("Foobar McFooface <foobar@mcfooface.org>").unwrap(),
&EmailAddress::from_str("foobar@mcfooface.org").unwrap(),
)]
fn packager_email(#[case] packager: Packager, #[case] email: &EmailAddress) {
assert_eq!(email, packager.email());
}
}