Struct rocket_http::uri::Absolute

source ·
pub struct Absolute<'a> { /* private fields */ }
Expand description

A URI with a scheme, authority, path, and query.

Structure

The following diagram illustrates the syntactic structure of an absolute URI with all optional parts:

 http://user:pass@domain.com:4444/foo/bar?some=query
 |--|  |------------------------||------| |--------|
scheme          authority          path      query

Only the scheme part of the URI is required.

Normalization

Rocket prefers normalized absolute URIs, an absolute URI with the following properties:

  • The path and query, if any, are normalized with no empty segments.
  • If there is an authority, the path is empty or absolute with more than one character.

The Absolute::is_normalized() method checks for normalization while Absolute::into_normalized() normalizes any absolute URI.

As an example, the following URIs are all valid, normalized URIs:

"http://rocket.rs",
"scheme:/foo/bar",
"scheme:/foo/bar?abc",

By contrast, the following are valid but non-normal URIs:

"http://rocket.rs/",    // trailing '/'
"ftp:/a/b/",            // trailing empty segment
"ftp:/a//c//d",         // two empty segments
"ftp:/a/b/?",           // empty path segment
"ftp:/?foo&",           // trailing empty query segment

(De)serialization

Absolute is both Serialize and Deserialize:

use serde::{Serialize, Deserialize};
use rocket::http::uri::Absolute;

#[derive(Deserialize, Serialize)]
struct UriOwned {
    uri: Absolute<'static>,
}

#[derive(Deserialize, Serialize)]
struct UriBorrowed<'a> {
    uri: Absolute<'a>,
}

Implementations§

source§

impl<'a> Absolute<'a>

source

pub fn parse(string: &'a str) -> Result<Absolute<'a>, Error<'a>>

Parses the string string into an Absolute. Parsing will never allocate. Returns an Error if string is not a valid absolute URI.

Example
use rocket::http::uri::Absolute;

// Parse a valid authority URI.
let uri = Absolute::parse("https://rocket.rs").expect("valid URI");
assert_eq!(uri.scheme(), "https");
assert_eq!(uri.authority().unwrap().host(), "rocket.rs");
assert_eq!(uri.path(), "");
assert!(uri.query().is_none());

// Prefer to use `uri!()` when the input is statically known:
let uri = uri!("https://rocket.rs");
assert_eq!(uri.scheme(), "https");
assert_eq!(uri.authority().unwrap().host(), "rocket.rs");
assert_eq!(uri.path(), "");
assert!(uri.query().is_none());
source

pub fn parse_owned(string: String) -> Result<Absolute<'static>, Error<'static>>

Parses the string string into an Absolute. Allocates minimally on success and error.

This method should be used instead of Absolute::parse() when the source URI is already a String. Returns an Error if string is not a valid absolute URI.

Example
use rocket::http::uri::Absolute;

let source = format!("https://rocket.rs/foo/{}/three", 2);
let uri = Absolute::parse_owned(source).expect("valid URI");
assert_eq!(uri.authority().unwrap().host(), "rocket.rs");
assert_eq!(uri.path(), "/foo/2/three");
assert!(uri.query().is_none());
source

pub fn scheme(&self) -> &str

Returns the scheme part of the absolute URI.

Example
let uri = uri!("ftp://127.0.0.1");
assert_eq!(uri.scheme(), "ftp");
source

pub fn authority(&self) -> Option<&Authority<'a>>

Returns the authority part of the absolute URI, if there is one.

Example
let uri = uri!("https://rocket.rs:80");
assert_eq!(uri.scheme(), "https");
let authority = uri.authority().unwrap();
assert_eq!(authority.host(), "rocket.rs");
assert_eq!(authority.port(), Some(80));

let uri = uri!("file:/web/home");
assert_eq!(uri.authority(), None);
source

pub fn path(&self) -> Path<'_>

Returns the path part. May be empty.

Example
let uri = uri!("ftp://rocket.rs/foo/bar");
assert_eq!(uri.path(), "/foo/bar");

let uri = uri!("ftp://rocket.rs");
assert!(uri.path().is_empty());
source

pub fn query(&self) -> Option<Query<'_>>

Returns the query part with the leading ?. May be empty.

Example
let uri = uri!("ftp://rocket.rs/foo?bar");
assert_eq!(uri.query().unwrap(), "bar");

let uri = uri!("ftp://rocket.rs");
assert!(uri.query().is_none());
source

pub fn clear_query(&mut self)

Removes the query part of this URI, if there is any.

Example
let mut uri = uri!("ftp://rocket.rs/foo?bar");
assert_eq!(uri.query().unwrap(), "bar");

uri.clear_query();
assert!(uri.query().is_none());
source

pub fn is_normalized(&self) -> bool

Returns true if self is normalized. Otherwise, returns false.

See Normalization for more information on what it means for an absolute URI to be normalized. Note that uri!() always returns a normalized version of its static input.

Example
use rocket::http::uri::Absolute;

assert!(uri!("http://rocket.rs").is_normalized());
assert!(uri!("http://rocket.rs///foo////bar").is_normalized());

assert!(Absolute::parse("http:/").unwrap().is_normalized());
assert!(Absolute::parse("http://").unwrap().is_normalized());
assert!(Absolute::parse("http://foo.rs/foo/bar").unwrap().is_normalized());
assert!(Absolute::parse("foo:bar").unwrap().is_normalized());

assert!(!Absolute::parse("git://rocket.rs/").unwrap().is_normalized());
assert!(!Absolute::parse("http:/foo//bar").unwrap().is_normalized());
assert!(!Absolute::parse("foo:bar?baz&&bop").unwrap().is_normalized());
source

pub fn normalize(&mut self)

Normalizes self in-place. Does nothing if self is already normalized.

Example
use rocket::http::uri::Absolute;

let mut uri = Absolute::parse("git://rocket.rs/").unwrap();
assert!(!uri.is_normalized());
uri.normalize();
assert!(uri.is_normalized());

let mut uri = Absolute::parse("http:/foo//bar").unwrap();
assert!(!uri.is_normalized());
uri.normalize();
assert!(uri.is_normalized());

let mut uri = Absolute::parse("foo:bar?baz&&bop").unwrap();
assert!(!uri.is_normalized());
uri.normalize();
assert!(uri.is_normalized());
source

pub fn into_normalized(self) -> Self

Normalizes self. This is a no-op if self is already normalized.

Example
use rocket::http::uri::Absolute;

let mut uri = Absolute::parse("git://rocket.rs/").unwrap();
assert!(!uri.is_normalized());
assert!(uri.into_normalized().is_normalized());

let mut uri = Absolute::parse("http:/foo//bar").unwrap();
assert!(!uri.is_normalized());
assert!(uri.into_normalized().is_normalized());

let mut uri = Absolute::parse("foo:bar?baz&&bop").unwrap();
assert!(!uri.is_normalized());
assert!(uri.into_normalized().is_normalized());
source

pub fn set_authority(&mut self, authority: Authority<'a>)

Sets the authority in self to authority.

Example
let mut uri = uri!("https://rocket.rs:80");
let authority = uri.authority().unwrap();
assert_eq!(authority.host(), "rocket.rs");
assert_eq!(authority.port(), Some(80));

let new_authority = uri!("rocket.rs:443");
uri.set_authority(new_authority);
let authority = uri.authority().unwrap();
assert_eq!(authority.host(), "rocket.rs");
assert_eq!(authority.port(), Some(443));
source

pub fn with_authority(self, authority: Authority<'a>) -> Self

Sets the authority in self to authority and returns self.

Example
let uri = uri!("https://rocket.rs:80");
let authority = uri.authority().unwrap();
assert_eq!(authority.host(), "rocket.rs");
assert_eq!(authority.port(), Some(80));

let new_authority = uri!("rocket.rs");
let uri = uri.with_authority(new_authority);
let authority = uri.authority().unwrap();
assert_eq!(authority.host(), "rocket.rs");
assert_eq!(authority.port(), None);

Trait Implementations§

source§

impl<'a> Clone for Absolute<'a>

source§

fn clone(&self) -> Absolute<'a>

Returns a copy of the value. Read more
1.0.0 · source§

fn clone_from(&mut self, source: &Self)

Performs copy-assignment from source. Read more
source§

impl<'a> Debug for Absolute<'a>

source§

fn fmt(&self, f: &mut Formatter<'_>) -> Result

Formats the value using the given formatter. Read more
source§

impl Display for Absolute<'_>

source§

fn fmt(&self, f: &mut Formatter<'_>) -> Result

Formats the value using the given formatter. Read more
source§

impl<'a> From<Absolute<'a>> for Reference<'a>

source§

fn from(absolute: Absolute<'a>) -> Self

Converts to this type from the input type.
source§

impl<'a> From<Absolute<'a>> for Uri<'a>

source§

fn from(other: Absolute<'a>) -> Uri<'a>

Converts to this type from the input type.
source§

impl Hash for Absolute<'_>

source§

fn hash<H: Hasher>(&self, state: &mut H)

Feeds this value into the given Hasher. Read more
1.3.0 · source§

fn hash_slice<H>(data: &[Self], state: &mut H)where H: Hasher, Self: Sized,

Feeds a slice of this type into the given Hasher. Read more
source§

impl IntoOwned for Absolute<'_>

§

type Owned = Absolute<'static>

The owned version of the type.
source§

fn into_owned(self) -> Absolute<'static>

Converts self into an owned version of itself.
source§

impl PartialEq<&str> for Absolute<'_>

source§

fn eq(&self, other: &&str) -> bool

This method tests for self and other values to be equal, and is used by ==.
1.0.0 · source§

fn ne(&self, other: &Rhs) -> bool

This method tests for !=. The default implementation is almost always sufficient, and should not be overridden without very good reason.
source§

impl PartialEq<Absolute<'_>> for str

source§

fn eq(&self, other: &Absolute<'_>) -> bool

This method tests for self and other values to be equal, and is used by ==.
1.0.0 · source§

fn ne(&self, other: &Rhs) -> bool

This method tests for !=. The default implementation is almost always sufficient, and should not be overridden without very good reason.
source§

impl<'b, 'a> PartialEq<Absolute<'a>> for Uri<'b>

source§

fn eq(&self, other: &Absolute<'a>) -> bool

This method tests for self and other values to be equal, and is used by ==.
1.0.0 · source§

fn ne(&self, other: &Rhs) -> bool

This method tests for !=. The default implementation is almost always sufficient, and should not be overridden without very good reason.
source§

impl<'a, 'b> PartialEq<Absolute<'b>> for Absolute<'a>

source§

fn eq(&self, other: &Absolute<'b>) -> bool

This method tests for self and other values to be equal, and is used by ==.
1.0.0 · source§

fn ne(&self, other: &Rhs) -> bool

This method tests for !=. The default implementation is almost always sufficient, and should not be overridden without very good reason.
source§

impl<'b, 'a> PartialEq<Uri<'b>> for Absolute<'a>

source§

fn eq(&self, other: &Uri<'b>) -> bool

This method tests for self and other values to be equal, and is used by ==.
1.0.0 · source§

fn ne(&self, other: &Rhs) -> bool

This method tests for !=. The default implementation is almost always sufficient, and should not be overridden without very good reason.
source§

impl PartialEq<str> for Absolute<'_>

source§

fn eq(&self, string: &str) -> bool

This method tests for self and other values to be equal, and is used by ==.
1.0.0 · source§

fn ne(&self, other: &Rhs) -> bool

This method tests for !=. The default implementation is almost always sufficient, and should not be overridden without very good reason.
source§

impl<'a> TryFrom<&'a String> for Absolute<'a>

§

type Error = Error<'a>

The type returned in the event of a conversion error.
source§

fn try_from(value: &'a String) -> Result<Self, Self::Error>

Performs the conversion.
source§

impl<'a> TryFrom<&'a str> for Absolute<'a>

§

type Error = Error<'a>

The type returned in the event of a conversion error.
source§

fn try_from(value: &'a str) -> Result<Self, Self::Error>

Performs the conversion.
source§

impl TryFrom<String> for Absolute<'static>

§

type Error = Error<'static>

The type returned in the event of a conversion error.
source§

fn try_from(value: String) -> Result<Self, Self::Error>

Performs the conversion.
source§

impl<'a> TryFrom<Uri<'a>> for Absolute<'a>

§

type Error = TryFromUriError

The type returned in the event of a conversion error.
source§

fn try_from(uri: Uri<'a>) -> Result<Self, Self::Error>

Performs the conversion.
source§

impl Eq for Absolute<'_>

Auto Trait Implementations§

§

impl<'a> !RefUnwindSafe for Absolute<'a>

§

impl<'a> Send for Absolute<'a>

§

impl<'a> Sync for Absolute<'a>

§

impl<'a> Unpin for Absolute<'a>

§

impl<'a> UnwindSafe for Absolute<'a>

Blanket Implementations§

source§

impl<T> Any for Twhere T: 'static + ?Sized,

source§

fn type_id(&self) -> TypeId

Gets the TypeId of self. Read more
source§

impl<T> Borrow<T> for Twhere T: ?Sized,

const: unstable · source§

fn borrow(&self) -> &T

Immutably borrows from an owned value. Read more
source§

impl<T> BorrowMut<T> for Twhere T: ?Sized,

const: unstable · source§

fn borrow_mut(&mut self) -> &mut T

Mutably borrows from an owned value. Read more
source§

impl<Q, K> Equivalent<K> for Qwhere Q: Eq + ?Sized, K: Borrow<Q> + ?Sized,

source§

fn equivalent(&self, key: &K) -> bool

Compare self to key and return true if they are equal.
source§

impl<T> From<T> for T

const: unstable · source§

fn from(t: T) -> T

Returns the argument unchanged.

source§

impl<T> Instrument for T

source§

fn instrument(self, span: Span) -> Instrumented<Self>

Instruments this type with the provided Span, returning an Instrumented wrapper. Read more
source§

fn in_current_span(self) -> Instrumented<Self>

Instruments this type with the current Span, returning an Instrumented wrapper. Read more
source§

impl<T, U> Into<U> for Twhere U: From<T>,

const: unstable · source§

fn into(self) -> U

Calls U::from(self).

That is, this conversion is whatever the implementation of From<T> for U chooses to do.

source§

impl<T> IntoCollection<T> for T

source§

fn into_collection<A>(self) -> SmallVec<A>where A: Array<Item = T>,

Converts self into a collection.
source§

fn mapped<U, F, A>(self, f: F) -> SmallVec<A>where F: FnMut(T) -> U, A: Array<Item = U>,

source§

impl<T> ToOwned for Twhere T: Clone,

§

type Owned = T

The resulting type after obtaining ownership.
source§

fn to_owned(&self) -> T

Creates owned data from borrowed data, usually by cloning. Read more
source§

fn clone_into(&self, target: &mut T)

Uses borrowed data to replace owned data, usually by cloning. Read more
source§

impl<T> ToString for Twhere T: Display + ?Sized,

source§

default fn to_string(&self) -> String

Converts the given value to a String. Read more
source§

impl<T, U> TryFrom<U> for Twhere U: Into<T>,

§

type Error = Infallible

The type returned in the event of a conversion error.
const: unstable · source§

fn try_from(value: U) -> Result<T, <T as TryFrom<U>>::Error>

Performs the conversion.
source§

impl<T, U> TryInto<U> for Twhere U: TryFrom<T>,

§

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

The type returned in the event of a conversion error.
const: unstable · source§

fn try_into(self) -> Result<U, <U as TryFrom<T>>::Error>

Performs the conversion.
source§

impl<T> WithSubscriber for T

source§

fn with_subscriber<S>(self, subscriber: S) -> WithDispatch<Self>where S: Into<Dispatch>,

Attaches the provided Subscriber to this type, returning a WithDispatch wrapper. Read more
source§

fn with_current_subscriber(self) -> WithDispatch<Self>

Attaches the current default Subscriber to this type, returning a WithDispatch wrapper. Read more