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
use crate::resolve::ResolveResult;
use crate::util::{FileResponseBuilder, RequestedPath};
use http::response::Builder as HttpResponseBuilder;
use http::{header, HeaderMap, Method, Request, Response, Result, StatusCode, Uri};
use hyper::Body;
/// Utility to build the default response for a `resolve` result.
///
/// This struct allows direct access to its fields, but these fields are typically initialized by
/// the accessors, using the builder pattern. The fields are basically a bunch of settings that
/// determine the response details.
#[derive(Clone, Debug, Default)]
pub struct ResponseBuilder<'a> {
/// The request path.
pub path: &'a str,
/// The request query string.
pub query: Option<&'a str>,
/// Inner file response builder.
pub file_response_builder: FileResponseBuilder,
}
impl<'a> ResponseBuilder<'a> {
/// Create a new builder with a default configuration.
pub fn new() -> Self {
Self::default()
}
/// Apply parameters based on a request.
pub fn request<B>(&mut self, req: &'a Request<B>) -> &mut Self {
self.request_parts(req.method(), req.uri(), req.headers());
self
}
/// Apply parameters based on request parts.
pub fn request_parts(
&mut self,
method: &Method,
uri: &'a Uri,
headers: &'a HeaderMap,
) -> &mut Self {
self.request_uri(uri);
self.file_response_builder.request_parts(method, headers);
self
}
/// Apply parameters based on a request URI.
pub fn request_uri(&mut self, uri: &'a Uri) -> &mut Self {
self.path(uri.path());
self.query(uri.query());
self
}
/// Add cache headers to responses for the given lifespan.
pub fn cache_headers(&mut self, value: Option<u32>) -> &mut Self {
self.file_response_builder.cache_headers(value);
self
}
/// Set the request path.
pub fn path(&mut self, value: &'a str) -> &mut Self {
self.path = value;
self
}
/// Set the request query string.
pub fn query(&mut self, value: Option<&'a str>) -> &mut Self {
self.query = value;
self
}
/// Build a response for the given request and `resolve` result.
///
/// This function may error if it response could not be constructed, but this should be a
/// seldom occurrence.
pub fn build(&self, result: ResolveResult) -> Result<Response<Body>> {
match result {
ResolveResult::MethodNotMatched => HttpResponseBuilder::new()
.status(StatusCode::BAD_REQUEST)
.body(Body::empty()),
ResolveResult::NotFound => HttpResponseBuilder::new()
.status(StatusCode::NOT_FOUND)
.body(Body::empty()),
ResolveResult::PermissionDenied => HttpResponseBuilder::new()
.status(StatusCode::FORBIDDEN)
.body(Body::empty()),
ResolveResult::IsDirectory => {
// NOTE: We are doing an origin-relative redirect, but need to use the sanitized
// path in order to prevent a malicious redirect to `//foo` (schema-relative).
// With the current API, we have no other option here than to do sanitization
// again, but a future version may reuse the earlier sanitization result.
let resolved = RequestedPath::resolve(self.path);
let mut target_len = resolved.sanitized.as_os_str().len() + 2;
if let Some(query) = self.query {
target_len += query.len() + 1;
}
let mut target = String::with_capacity(target_len);
target.push('/');
// On Windows, we can't just append the entire path, because it contains Windows
// path separators. Append per-component instead.
for component in resolved.sanitized.components() {
target.push_str(&component.as_os_str().to_string_lossy());
target.push('/');
}
// Preserve any query string from the original request.
if let Some(query) = self.query {
target.push('?');
target.push_str(query);
}
HttpResponseBuilder::new()
.status(StatusCode::MOVED_PERMANENTLY)
.header(header::LOCATION, target)
.body(Body::empty())
}
ResolveResult::Found(file, metadata, mime) => {
self.file_response_builder
.build(file, metadata, mime.to_string())
}
}
}
}