[][src]Struct sequoia_openpgp::packet::UserID

pub struct UserID { /* fields omitted */ }

Holds a UserID packet.

The standard imposes no structure on UserIDs, but suggests to follow RFC 2822. See Section 5.11 of RFC 4880 for details. In practice though, implementations do not follow RFC 2822, or do not even help their users in producing well-formed User IDs. Experience has shown that parsing User IDs using RFC 2822 does not work, so we are taking a more pragmatic approach and define what we call Conventional User IDs.

Using this definition, we provide methods to extract the name, comment, email address, or URI from UserID packets. Furthermore, we provide a way to canonicalize the email address found in a UserID packet. We provide two constructors that create well-formed User IDs from email address, and optional name and comment.

Conventional User IDs

Informally, conventional User IDs are of the form:

  • First Last (Comment) <name@example.org>

  • First Last <name@example.org>

  • First Last

  • name@example.org <name@example.org>

  • <name@example.org>

  • name@example.org

  • Name (Comment) <scheme://hostname/path>

  • Name (Comment) <mailto:user@example.org>

  • Name <scheme://hostname/path>

  • <scheme://hostname/path>

  • scheme://hostname/path

Names consist of UTF-8 non-control characters and may include punctuation. For instance, the following names are valid:

  • Acme Industries, Inc.
  • Michael O'Brian
  • Smith, John
  • e.e. cummings

(Note: according to RFC 2822 and its successors, all of these would need to be quoted. Conventionally, no implementation quotes names.)

Conventional User IDs are UTF-8. RFC 2822 only covers US-ASCII and allows character set switching using RFC 2047. For example, an RFC 2822 parser would parse:

  • Bj=?utf-8?q?=C3=B6?=rn Bj=?utf-8?q?=C3=B6?=rnson

"Björn Björnson". Nobody uses this in practice, and, as such, this extension is not supported by this parser.

Comments can include any UTF-8 text except parentheses. Thus, the following is not a valid comment even though the parentheses are balanced:

  • (foo (bar))

URIs

The URI parser recognizes URIs using a regular expression similar to the one recommended in RFC 3986 with the following extensions and restrictions:

  • UTF-8 characters are in the range \u{80}-\u{10ffff} are allowed wherever percent-encoded characters are allowed (i.e., everywhere but the schema).

  • The scheme component and its trailing : are required.

  • The URI must have an authority component (//domain) or a path component (/path/to/resource).

  • Although the RFC does not allow it, in practice, the [ and ] characters are allowed wherever percent-encoded characters are allowed (i.e., everywhere but the schema).

URIs are neither normalized nor interpreted. For instance, dot segments are not removed, escape sequences are not decoded, etc.

Note: the recommended regular expression is less strict than the grammar. For instance, a percent encoded character must consist of three characters: the percent character followed by two hex digits. The parser that we use does not enforce this either.

Formal Grammar

Formally, the following grammar is used to decompose a User ID:

  WS                 = 0x20 (space character)

  comment-specials   = "<" / ">" /   ; RFC 2822 specials - "(" and ")"
                       "[" / "]" /
                       ":" / ";" /
                       "@" / "\" /
                       "," / "." /
                       DQUOTE

  atext-specials     = "(" / ")" /   ; RFC 2822 specials - "<" and ">".
                       "[" / "]" /
                       ":" / ";" /
                       "@" / "\" /
                       "," / "." /
                       DQUOTE

  atext              = ALPHA / DIGIT /   ; Any character except controls,
                       "!" / "#" /       ;  SP, and specials.
                       "$" / "%" /       ;  Used for atoms
                       "&" / "'" /
                       "*" / "+" /
                       "-" / "/" /
                       "=" / "?" /
                       "^" / "_" /
                       "`" / "{" /
                       "|" / "}" /
                       "~" /
                       \u{80}-\u{10ffff} ; Non-ascii, non-control UTF-8

  dot_atom_text      = 1*atext *("." *atext)

  name-char-start    = atext / atext-specials

  name-char-rest     = atext / atext-specials / WS

  name               = name-char-start *name-char-rest

  comment-char       = atext / comment-specials / WS

  comment-content    = *comment-char

  comment            = "(" *WS comment-content *WS ")"

  addr-spec          = dot-atom-text "@" dot-atom-text

  uri                = See [RFC 3986] and the note on URIs above.

  pgp-uid-convention = addr-spec /
                       uri /
                       *WS [name] *WS [comment] *WS "<" addr-spec ">" /
                       *WS [name] *WS [comment] *WS "<" uri ">" /
                       *WS name *WS [comment] *WS

Implementations

impl UserID[src]

pub fn from_address<O, S>(name: O, comment: O, email: S) -> Result<Self> where
    S: AsRef<str>,
    O: Into<Option<S>>, 
[src]

Constructs a User ID.

This does a basic check and any necessary escaping to form a conventional User ID.

Only the address is required. If a comment is supplied, then a name is also required.

If you already have a User ID value, then you can just use UserID::from().

assert_eq!(UserID::from_address(
               "John Smith".into(),
               None, "boat@example.org").unwrap().value(),
           &b"John Smith <boat@example.org>"[..]);

pub fn from_unchecked_address<O, S>(
    name: O,
    comment: O,
    address: S
) -> Result<Self> where
    S: AsRef<str>,
    O: Into<Option<S>>, 
[src]

Constructs a User ID.

This does a basic check and any necessary escaping to form a conventional User ID modulo the address, which is not checked.

This is useful when you want to specify a URI instead of an email address.

If you already have a User ID value, then you can just use UserID::from().

assert_eq!(UserID::from_unchecked_address(
               "NAS".into(),
               None, "ssh://host.example.org").unwrap().value(),
           &b"NAS <ssh://host.example.org>"[..]);

pub fn value(&self) -> &[u8][src]

Gets the user ID packet's value.

This returns the raw, uninterpreted value. See UserID::name, UserID::email, UserID::email_normalized, UserID::uri, and UserID::comment for how to extract parts of conventional User IDs.

pub fn name(&self) -> Result<Option<String>>[src]

Parses the User ID according to de facto conventions, and returns the name component, if any.

See conventional User ID for more information.

pub fn comment(&self) -> Result<Option<String>>[src]

Parses the User ID according to de facto conventions, and returns the comment field, if any.

See conventional User ID for more information.

pub fn email(&self) -> Result<Option<String>>[src]

Parses the User ID according to de facto conventions, and returns the email address, if any.

See conventional User ID for more information.

pub fn uri(&self) -> Result<Option<String>>[src]

Parses the User ID according to de facto conventions, and returns the URI, if any.

See conventional User ID for more information.

pub fn email_normalized(&self) -> Result<Option<String>>[src]

Returns a normalized version of the UserID's email address.

Normalized email addresses are primarily needed when email addresses are compared.

Note: normalized email addresses are still valid email addresses.

This function normalizes an email address by doing puny-code normalization on the domain, and lowercasing the local part in the so-called empty locale.

Note: this normalization procedure is the same as the normalization procedure recommended by Autocrypt.

impl UserID[src]

pub fn bind(
    &self,
    signer: &mut dyn Signer,
    cert: &Cert,
    signature: SignatureBuilder
) -> Result<Signature>
[src]

Creates a binding signature.

The signature binds this userid to cert. signer will be used to create a signature using signature as builder. Thehash_algo defaults to SHA512, creation_time to the current time.

This function adds a creation time subpacket, a issuer fingerprint subpacket, and a issuer subpacket to the signature.

Examples

This example demonstrates how to bind this userid to a Cert. Note that in general, the CertBuilder is a better way to add userids to a Cert.

// Generate a Cert, and create a keypair from the primary key.
let (cert, _) = CertBuilder::new().generate()?;
let mut keypair = cert.primary_key().key().clone()
    .parts_into_secret()?.into_keypair()?;
assert_eq!(cert.userids().len(), 0);

// Generate a userid and a binding signature.
let userid = UserID::from("test@example.org");
let builder =
    signature::SignatureBuilder::new(SignatureType::PositiveCertification);
let binding = userid.bind(&mut keypair, &cert, builder)?;

// Now merge the userid and binding signature into the Cert.
let cert = cert.insert_packets(vec![Packet::from(userid),
                                   binding.into()])?;

// Check that we have a userid.
assert_eq!(cert.userids().len(), 1);

pub fn certify<S, H, T>(
    &self,
    signer: &mut dyn Signer,
    cert: &Cert,
    signature_type: S,
    hash_algo: H,
    creation_time: T
) -> Result<Signature> where
    S: Into<Option<SignatureType>>,
    H: Into<Option<HashAlgorithm>>,
    T: Into<Option<SystemTime>>, 
[src]

Returns a certificate for the user id.

The signature binds this userid to cert. signer will be used to create a certification signature of type signature_type. signature_type defaults to SignatureType::GenericCertification, hash_algo to SHA512, creation_time to the current time.

This function adds a creation time subpacket, a issuer fingerprint subpacket, and a issuer subpacket to the signature.

Errors

Returns Error::InvalidArgument if signature_type is not one of SignatureType::{Generic, Persona, Casual, Positive}Certificate

Examples

This example demonstrates how to certify a userid.

// Generate a Cert, and create a keypair from the primary key.
let (alice, _) = CertBuilder::new()
    .set_primary_key_flags(KeyFlags::empty().set_certification())
    .add_userid("alice@example.org")
    .generate()?;
let mut keypair = alice.primary_key().key().clone()
    .parts_into_secret()?.into_keypair()?;

// Generate a Cert for Bob.
let (bob, _) = CertBuilder::new()
    .set_primary_key_flags(KeyFlags::empty().set_certification())
    .add_userid("bob@example.org")
    .generate()?;

// Alice now certifies the binding between `bob@example.org` and `bob`.
let certificate =
    bob.userids().nth(0).unwrap()
    .certify(&mut keypair, &bob, SignatureType::PositiveCertification,
             None, None)?;

// `certificate` can now be used, e.g. by merging it into `bob`.
let bob = bob.insert_packets(certificate)?;

// Check that we have a certification on the userid.
assert_eq!(bob.userids().nth(0).unwrap()
           .certifications().len(), 1);

Trait Implementations

impl Clone for UserID[src]

impl Debug for UserID[src]

impl Display for UserID[src]

impl Eq for UserID[src]

impl<'_> From<&'_ [u8]> for UserID[src]

impl<'a> From<&'a str> for UserID[src]

impl<'a> From<Cow<'a, str>> for UserID[src]

impl From<String> for UserID[src]

impl From<UserID> for Packet[src]

impl From<Vec<u8>> for UserID[src]

impl Hash for UserID[src]

impl Hash for UserID[src]

impl IntoIterator for UserID[src]

Implement IntoIterator so that cert::insert_packets(sig) just works.

type Item = UserID

The type of the elements being iterated over.

type IntoIter = Once<UserID>

Which kind of iterator are we turning this into?

impl Marshal for UserID[src]

impl MarshalInto for UserID[src]

impl Ord for UserID[src]

impl<'a> Parse<'a, UserID> for UserID[src]

impl PartialEq<UserID> for UserID[src]

impl PartialOrd<UserID> for UserID[src]

Auto Trait Implementations

impl RefUnwindSafe for UserID

impl Send for UserID

impl Sync for UserID

impl Unpin for UserID

impl UnwindSafe for UserID

Blanket Implementations

impl<T> Any for T where
    T: 'static + ?Sized
[src]

impl<T> Borrow<T> for T where
    T: ?Sized
[src]

impl<T> BorrowMut<T> for T where
    T: ?Sized
[src]

impl<T> DynClone for T where
    T: Clone
[src]

impl<T> From<T> for T[src]

impl<T, U> Into<U> for T where
    U: From<T>, 
[src]

impl<I> IntoIterator for I where
    I: Iterator
[src]

type Item = <I as Iterator>::Item

The type of the elements being iterated over.

type IntoIter = I

Which kind of iterator are we turning this into?

impl<T> ToOwned for T where
    T: Clone
[src]

type Owned = T

The resulting type after obtaining ownership.

impl<T> ToString for T where
    T: Display + ?Sized
[src]

impl<T, U> TryFrom<U> for T where
    U: Into<T>, 
[src]

type Error = Infallible

The type returned in the event of a conversion error.

impl<T, U> TryInto<U> for T where
    U: TryFrom<T>, 
[src]

type Error = <U as TryFrom<T>>::Error

The type returned in the event of a conversion error.