A library to aid in the creation and verification of Digest Headers, Sha Digests of HTTP Request Bodies
Add the following to your Cargo.toml
toml
[dependencies.digest-headers]
version = "0.2"
use_actix_web
use_hyper
use_reqwest
use_rocket
Here's some basic usage with all of the supported frameworks.
```rust
pub struct RequestBuildError;
fn main() -> Result<(), Error> { let json = r#"{"library":"hyper"}"#;
let req = post("http://localhost:5000")
.content_type("application/json")
.with_digest(json, ShaSize::TwoFiftySix)
.map_err(|_| RequestBuildError)?;
actix_web::actix::run(move || {
req.send()
.map_err(|_| ())
.and_then(|res| {
println!("POST: {}", res.status());
res.verify_digest()
.map(|ActixWebVerifiedDigest| println!("Verified response!"))
.map_err(|_| ())
})
.map(|_| {
actix_web::actix::System::current().stop();
})
});
Ok(())
} ```
```rust use actixweb::{server, App, HttpResponse}; use digestheaders::{prelude::*, ShaSize};
const PHRASE: &str = "Hewwo, Mr. Obama???";
fn index(_: ActixWebVerifiedDigest) -> HttpResponse { println!("Verified request!");
HttpResponse::Ok()
.content_type("text/plain")
.force_close()
.with_digest(PHRASE, ShaSize::TwoFiftySix)
}
fn main() { server::new(move || App::new().resource("/", |r| r.with(index))) .bind("127.0.0.1:5000") .expect("Can not bind to port 5000") .run(); } ```
```rust use digest_headers::{prelude::*, ShaSize};
let client = Client::new();
let uri = "http://localhost:8000"; let json = r#"{"Library":"Hyper"}"#;
let req = Request::post(uri) .header(CONTENTTYPE, "application/json") .header(CONNECTION, "close") .withdigest(json, ShaSize::TwoFiftySix) .unwrap();
let post = client.request(req).maperr(|| ()).and_then(|res| { println!("POST: {}", res.status());
res.verify_digest()
.map(|body| {
if let Ok(body) = String::from_utf8(body.to_vec()) {
println!("Verified response: {}", body);
} else {
println!("Verified resposne");
}
})
.map_err(|_| ())
});
hyper::rt::run(post) ```
```rust use digestheaders::{prelude::*, ShaSize}; use futures::Future; use hyper::{service::servicefn, Body, Request, Response, Server};
type BoxResponse = Box
fn verifydigest(req: Request) -> BoxResponse { let fut = req.verifydigest().maperr(|| SomeError).andthen(|body| { println!("Verified!"); Response::builder() .withdigest(body, ShaSize::TwoFiftySix) .maperr(|| SomeError) });
Box::new(fut)
} ```
```rust use digest_headers::{prelude::*, ShaSize}; use reqwest::Client;
let payload = r#"{"Library":"Reqwest"}"#; let client = Client::new(); let req = client .post("http://localhost:8000") .with_digest(payload, ShaSize::TwoFiftySix) .build() .unwrap();
let mut res = client.execute(req).unwrap(); println!("GET: {}", res.status()); let body = res.verifydigest().unwrap(); if let Ok(body) = std::str::fromutf8(&body) { println!("Verified, {}", body); } else { println!("Verified"); } ```
```rust use digestheaders::{ userocket::{ContentLengthHeader, DigestHeader, Error as DigestError, WithDigest}, ShaSize, }; use rocket::{ config::{Config, Environment}, data::{self, Data, FromData}, http::Status, request::Request, response::Response, Outcome, };
struct DigestVerifiedBody
impl<'a> FromData<'a> for DigestVerifiedBody
fn transform(
req: &Request,
data: Data,
) -> data::Transform<data::Outcome<Self::Owned, Self::Error>> {
let outcome = req
.guard::<DigestHeader>()
.map(|digest_header| digest_header.0)
.and_then(move |digest| {
req.guard::<ContentLengthHeader>()
.map(|content_length_header| (digest, content_length_header.0))
})
.map_failure(|(s, e)| (s, e.into()))
.and_then(move |(digest, content_length)| {
println!("Provided Digest: {:?}", digest);
let mut body = vec![0u8; content_length];
// Ensure request is less than 2 MB. This is still likely way too large
if content_length > 1024 * 1024 * 2 {
return Outcome::Failure((Status::BadRequest, Error::RequestTooBig));
}
println!("Content Length: {}", content_length);
// Only read as much data as we expect to avoid DOS
if data.open().read_exact(&mut body).is_err() {
return Outcome::Failure((Status::InternalServerError, Error::ReadFailed));
}
if digest.verify(&body).is_err() {
return Outcome::Failure((Status::BadRequest, Error::DigestMismatch));
}
Outcome::Success(body)
});
let outcome = match outcome {
Outcome::Success(s) => Outcome::Success(s),
Outcome::Forward(_) => Outcome::Failure((Status::BadRequest, Error::ReadFailed)),
Outcome::Failure(f) => Outcome::Failure(f),
};
data::Transform::Borrowed(outcome)
}
fn from_data(
_: &Request,
outcome: data::Transformed<'a, Self>,
) -> data::Outcome<Self, Self::Error> {
let body = outcome.borrowed()?;
Outcome::Success(DigestVerifiedBody(body.to_vec()))
}
}
fn index(data: DigestVerifiedBody
Response::build()
.with_digest(Cursor::new("woah"), ShaSize::TwoFiftySix)
.unwrap()
.finalize()
} ```
rocket::request::FromRequest
for two custom structs for the Digest
and ContentLength
headers, and implements FromData
for a simple wrapper around a Vec<u8>
. See the example for the full implementation.Please be aware that all code contributed to this project will be licensed under the GPL version 3.
Digest Headers is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version.
Digest Headers is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. This file is part of Digest Headers
You should have received a copy of the GNU General Public License along with Digest Headers If not, see http://www.gnu.org/licenses/.