1
0
Fork 0
mirror of https://github.com/actix/actix-web.git synced 2024-10-11 04:32:28 +00:00
actix-web/src/staticfiles.rs

197 lines
6.4 KiB
Rust
Raw Normal View History

2017-10-16 17:43:35 +00:00
//! Static files support.
//!
//! TODO: needs to re-implement actual files handling, current impl blocks
2017-10-16 08:19:23 +00:00
use std::io;
use std::io::Read;
use std::rc::Rc;
2017-10-16 08:19:23 +00:00
use std::fmt::Write;
use std::fs::{File, DirEntry};
use std::path::PathBuf;
use task::Task;
use route::RouteHandler;
2017-10-16 08:19:23 +00:00
use mime_guess::get_mime_type;
use httprequest::HttpRequest;
2017-10-24 06:25:32 +00:00
use httpresponse::HttpResponse;
2017-11-25 18:52:43 +00:00
use httpcodes::{HTTPOk, HTTPNotFound, HTTPForbidden};
2017-10-16 08:19:23 +00:00
/// Static files handling
///
/// Can be registered with `Application::route_handler()`.
///
/// ```rust
/// extern crate actix_web;
/// use actix_web::*;
///
/// fn main() {
2017-10-22 01:54:24 +00:00
/// let app = Application::default("/")
2017-10-16 08:19:23 +00:00
/// .route_handler("/static", StaticFiles::new(".", true))
/// .finish();
/// }
/// ```
pub struct StaticFiles {
2017-10-16 08:19:23 +00:00
directory: PathBuf,
accessible: bool,
2017-11-25 18:52:43 +00:00
_show_index: bool,
_chunk_size: usize,
_follow_symlinks: bool,
2017-10-16 08:19:23 +00:00
prefix: String,
}
impl StaticFiles {
/// Create new `StaticFiles` instance
///
/// `dir` - base directory
/// `index` - show index for directory
pub fn new<D: Into<PathBuf>>(dir: D, index: bool) -> StaticFiles {
let dir = dir.into();
let (dir, access) = match dir.canonicalize() {
Ok(dir) => {
if dir.is_dir() {
(dir, true)
} else {
warn!("Is not directory `{:?}`", dir);
(dir, false)
}
},
Err(err) => {
warn!("Static files directory `{:?}` error: {}", dir, err);
2017-10-16 08:19:23 +00:00
(dir, false)
}
};
StaticFiles {
directory: dir,
accessible: access,
2017-11-25 18:52:43 +00:00
_show_index: index,
_chunk_size: 0,
_follow_symlinks: false,
2017-10-16 08:19:23 +00:00
prefix: String::new(),
}
}
2017-11-27 01:30:35 +00:00
fn index(&self, relpath: &str, filename: &PathBuf) -> Result<HttpResponse, io::Error> {
2017-10-16 08:19:23 +00:00
let index_of = format!("Index of {}/{}", self.prefix, relpath);
let mut body = String::new();
for entry in filename.read_dir()? {
if self.can_list(&entry) {
let entry = entry.unwrap();
// show file url as relative to static path
let file_url = format!(
2017-10-21 00:16:17 +00:00
"{}/{}", self.prefix,
2017-10-16 08:19:23 +00:00
entry.path().strip_prefix(&self.directory).unwrap().to_string_lossy());
// if file is a directory, add '/' to the end of the name
2017-11-25 18:52:43 +00:00
if let Ok(metadata) = entry.metadata() {
2017-10-16 08:19:23 +00:00
if metadata.is_dir() {
//format!("<li><a href=\"{}\">{}</a></li>", file_url, file_name));
2017-11-25 18:52:43 +00:00
let _ = write!(body, "<li><a href=\"{}\">{}/</a></li>",
file_url, entry.file_name().to_string_lossy());
2017-10-16 08:19:23 +00:00
} else {
// write!(body, "{}/", entry.file_name())
2017-11-25 18:52:43 +00:00
let _ = write!(body, "<li><a href=\"{}\">{}</a></li>",
file_url, entry.file_name().to_string_lossy());
2017-10-16 08:19:23 +00:00
}
} else {
continue
2017-11-25 18:52:43 +00:00
}
2017-10-16 08:19:23 +00:00
}
}
let html = format!("<html>\
<head><title>{}</title></head>\
<body><h1>{}</h1>\
<ul>\
{}\
</ul></body>\n</html>", index_of, index_of, body);
Ok(
HTTPOk.builder()
.content_type("text/html; charset=utf-8")
2017-10-24 06:25:32 +00:00
.body(html).unwrap()
2017-10-16 08:19:23 +00:00
)
}
fn can_list(&self, entry: &io::Result<DirEntry>) -> bool {
if let Ok(ref entry) = *entry {
if let Some(name) = entry.file_name().to_str() {
if name.starts_with('.') {
return false
}
}
if let Ok(ref md) = entry.metadata() {
let ft = md.file_type();
return ft.is_dir() || ft.is_file() || ft.is_symlink()
}
}
false
}
}
impl<S: 'static> RouteHandler<S> for StaticFiles {
2017-10-16 08:19:23 +00:00
fn set_prefix(&mut self, prefix: String) {
2017-10-21 04:08:38 +00:00
if prefix != "/" {
self.prefix += &prefix;
}
2017-10-16 08:19:23 +00:00
}
2017-11-27 04:32:12 +00:00
fn handle(&self, req: HttpRequest, _: Rc<S>) -> Task {
2017-10-16 08:19:23 +00:00
if !self.accessible {
Task::reply(HTTPNotFound)
} else {
let mut hidden = false;
let filepath = req.path()[self.prefix.len()..]
.split('/').filter(|s| {
if s.starts_with('.') {
hidden = true;
}
!s.is_empty()
})
.fold(String::new(), |s, i| {s + "/" + i});
// hidden file
if hidden {
return Task::reply(HTTPNotFound)
}
// full filepath
let idx = if filepath.starts_with('/') { 1 } else { 0 };
let filename = match self.directory.join(&filepath[idx..]).canonicalize() {
Ok(fname) => fname,
Err(err) => return match err.kind() {
io::ErrorKind::NotFound => Task::reply(HTTPNotFound),
io::ErrorKind::PermissionDenied => Task::reply(HTTPForbidden),
2017-11-25 18:52:43 +00:00
_ => Task::error(err),
2017-10-16 08:19:23 +00:00
}
};
if filename.is_dir() {
2017-11-27 01:30:35 +00:00
match self.index(&filepath[idx..], &filename) {
2017-10-16 08:19:23 +00:00
Ok(resp) => Task::reply(resp),
Err(err) => match err.kind() {
io::ErrorKind::NotFound => Task::reply(HTTPNotFound),
io::ErrorKind::PermissionDenied => Task::reply(HTTPForbidden),
2017-11-25 18:52:43 +00:00
_ => Task::error(err),
2017-10-16 08:19:23 +00:00
}
}
} else {
let mut resp = HTTPOk.builder();
if let Some(ext) = filename.extension() {
let mime = get_mime_type(&ext.to_string_lossy());
resp.content_type(format!("{}", mime).as_str());
}
match File::open(filename) {
Ok(mut file) => {
let mut data = Vec::new();
let _ = file.read_to_end(&mut data);
2017-10-24 06:25:32 +00:00
Task::reply(resp.body(data).unwrap())
2017-10-16 08:19:23 +00:00
},
2017-11-25 18:52:43 +00:00
Err(err) => Task::error(err),
2017-10-16 08:19:23 +00:00
}
}
}
}
}