2022-05-26 11:17:55 +03:00
|
|
|
use crate::{Args, BoxResult};
|
|
|
|
|
2022-05-28 13:58:43 +03:00
|
|
|
use async_walkdir::WalkDir;
|
2022-05-30 09:22:35 +03:00
|
|
|
use async_zip::read::seek::ZipFileReader;
|
2022-05-28 13:58:43 +03:00
|
|
|
use async_zip::write::{EntryOptions, ZipFileWriter};
|
|
|
|
use async_zip::Compression;
|
|
|
|
use futures::stream::StreamExt;
|
2022-05-26 11:17:55 +03:00
|
|
|
use futures::TryStreamExt;
|
2022-05-30 06:22:28 +03:00
|
|
|
use headers::{
|
2022-05-31 00:49:42 +03:00
|
|
|
AccessControlAllowHeaders, AccessControlAllowOrigin, ContentType, ETag, HeaderMap,
|
|
|
|
HeaderMapExt, IfModifiedSince, IfNoneMatch, LastModified,
|
2022-05-30 06:22:28 +03:00
|
|
|
};
|
2022-05-29 12:33:21 +03:00
|
|
|
use hyper::header::{HeaderValue, ACCEPT, CONTENT_TYPE, ORIGIN, RANGE, WWW_AUTHENTICATE};
|
2022-05-26 11:17:55 +03:00
|
|
|
use hyper::service::{make_service_fn, service_fn};
|
|
|
|
use hyper::{Body, Method, StatusCode};
|
|
|
|
use percent_encoding::percent_decode;
|
|
|
|
use serde::Serialize;
|
|
|
|
use std::convert::Infallible;
|
|
|
|
use std::path::{Path, PathBuf};
|
|
|
|
use std::sync::Arc;
|
|
|
|
use std::time::SystemTime;
|
2022-05-28 13:58:43 +03:00
|
|
|
use tokio::fs::File;
|
2022-05-29 01:57:16 +03:00
|
|
|
use tokio::io::AsyncWrite;
|
2022-05-26 11:17:55 +03:00
|
|
|
use tokio::{fs, io};
|
|
|
|
use tokio_util::codec::{BytesCodec, FramedRead};
|
2022-05-29 01:57:16 +03:00
|
|
|
use tokio_util::io::{ReaderStream, StreamReader};
|
2022-05-26 11:17:55 +03:00
|
|
|
|
|
|
|
type Request = hyper::Request<Body>;
|
|
|
|
type Response = hyper::Response<Body>;
|
|
|
|
|
2022-05-30 09:32:41 +03:00
|
|
|
const INDEX_HTML: &str = include_str!("assets/index.html");
|
|
|
|
const INDEX_CSS: &str = include_str!("assets/index.css");
|
|
|
|
const INDEX_JS: &str = include_str!("assets/index.js");
|
2022-05-28 17:27:28 +03:00
|
|
|
const BUF_SIZE: usize = 1024 * 16;
|
2022-05-26 11:17:55 +03:00
|
|
|
|
2022-05-31 03:38:30 +03:00
|
|
|
macro_rules! status {
|
|
|
|
($res:ident, $status:expr) => {
|
|
|
|
*$res.status_mut() = $status;
|
|
|
|
*$res.body_mut() = Body::from($status.canonical_reason().unwrap_or_default());
|
|
|
|
};
|
|
|
|
}
|
|
|
|
|
2022-05-26 11:17:55 +03:00
|
|
|
pub async fn serve(args: Args) -> BoxResult<()> {
|
|
|
|
let address = args.address()?;
|
|
|
|
let inner = Arc::new(InnerService::new(args));
|
|
|
|
let make_svc = make_service_fn(move |_| {
|
|
|
|
let inner = inner.clone();
|
|
|
|
async {
|
|
|
|
Ok::<_, Infallible>(service_fn(move |req| {
|
|
|
|
let inner = inner.clone();
|
2022-05-27 04:01:16 +03:00
|
|
|
inner.call(req)
|
2022-05-26 11:17:55 +03:00
|
|
|
}))
|
|
|
|
}
|
|
|
|
});
|
|
|
|
|
|
|
|
let server = hyper::Server::try_bind(&address)?.serve(make_svc);
|
|
|
|
let address = server.local_addr();
|
|
|
|
eprintln!("Files served on http://{}", address);
|
|
|
|
server.await?;
|
|
|
|
|
|
|
|
Ok(())
|
|
|
|
}
|
|
|
|
|
|
|
|
struct InnerService {
|
|
|
|
args: Args,
|
|
|
|
}
|
|
|
|
|
|
|
|
impl InnerService {
|
|
|
|
pub fn new(args: Args) -> Self {
|
|
|
|
Self { args }
|
|
|
|
}
|
|
|
|
|
2022-05-27 04:01:16 +03:00
|
|
|
pub async fn call(self: Arc<Self>, req: Request) -> Result<Response, hyper::Error> {
|
|
|
|
let method = req.method().clone();
|
|
|
|
let uri = req.uri().clone();
|
2022-05-29 12:33:21 +03:00
|
|
|
let cors = self.args.cors;
|
2022-05-31 00:49:42 +03:00
|
|
|
|
2022-05-31 03:38:30 +03:00
|
|
|
let mut res = match self.handle(req).await {
|
|
|
|
Ok(res) => {
|
|
|
|
info!(r#""{} {}" - {}"#, method, uri, res.status());
|
|
|
|
res
|
|
|
|
}
|
|
|
|
Err(err) => {
|
|
|
|
let mut res = Response::default();
|
|
|
|
status!(res, StatusCode::INTERNAL_SERVER_ERROR);
|
|
|
|
error!(r#""{} {}" - {} {}"#, method, uri, res.status(), err);
|
|
|
|
res
|
|
|
|
}
|
|
|
|
};
|
2022-05-31 00:49:42 +03:00
|
|
|
|
2022-05-29 12:33:21 +03:00
|
|
|
if cors {
|
|
|
|
add_cors(&mut res);
|
|
|
|
}
|
2022-05-27 04:01:16 +03:00
|
|
|
Ok(res)
|
|
|
|
}
|
|
|
|
|
|
|
|
pub async fn handle(self: Arc<Self>, req: Request) -> BoxResult<Response> {
|
2022-05-31 00:49:42 +03:00
|
|
|
let mut res = Response::default();
|
|
|
|
|
|
|
|
if !self.auth_guard(&req, &mut res) {
|
2022-05-26 15:14:18 +03:00
|
|
|
return Ok(res);
|
2022-05-26 14:52:54 +03:00
|
|
|
}
|
2022-05-26 11:17:55 +03:00
|
|
|
|
2022-05-31 00:49:42 +03:00
|
|
|
let path = req.uri().path();
|
|
|
|
|
|
|
|
let filepath = match self.extract_path(path) {
|
|
|
|
Some(v) => v,
|
|
|
|
None => {
|
2022-05-31 03:38:30 +03:00
|
|
|
status!(res, StatusCode::FORBIDDEN);
|
2022-05-31 00:49:42 +03:00
|
|
|
return Ok(res);
|
|
|
|
}
|
2022-05-26 11:17:55 +03:00
|
|
|
};
|
2022-05-31 00:49:42 +03:00
|
|
|
let filepath = filepath.as_path();
|
|
|
|
|
|
|
|
let query = req.uri().query().unwrap_or_default();
|
|
|
|
|
|
|
|
let meta = fs::metadata(filepath).await.ok();
|
|
|
|
let is_miss = meta.is_none();
|
|
|
|
let is_dir = meta.map(|v| v.is_dir()).unwrap_or_default();
|
2022-05-31 03:38:30 +03:00
|
|
|
let is_file = !is_miss && !is_dir;
|
2022-05-31 00:49:42 +03:00
|
|
|
|
2022-05-31 03:38:30 +03:00
|
|
|
let allow_upload = self.args.allow_upload;
|
|
|
|
let allow_delete = self.args.allow_delete;
|
2022-05-31 00:49:42 +03:00
|
|
|
|
|
|
|
match *req.method() {
|
|
|
|
Method::GET if is_dir && query == "zip" => {
|
|
|
|
self.handle_zip_dir(filepath, &mut res).await?
|
2022-05-26 11:17:55 +03:00
|
|
|
}
|
2022-05-31 00:49:42 +03:00
|
|
|
Method::GET if is_dir && query.starts_with("q=") => {
|
|
|
|
self.handle_query_dir(filepath, &query[3..], &mut res)
|
|
|
|
.await?
|
2022-05-29 05:53:19 +03:00
|
|
|
}
|
2022-05-31 03:38:30 +03:00
|
|
|
Method::GET if is_file => {
|
2022-05-31 00:49:42 +03:00
|
|
|
self.handle_send_file(filepath, req.headers(), &mut res)
|
|
|
|
.await?
|
|
|
|
}
|
|
|
|
Method::GET if is_miss && path.ends_with('/') => {
|
|
|
|
self.handle_ls_dir(filepath, false, &mut res).await?
|
|
|
|
}
|
|
|
|
Method::GET => self.handle_ls_dir(filepath, true, &mut res).await?,
|
2022-05-31 03:38:30 +03:00
|
|
|
Method::OPTIONS => {
|
|
|
|
status!(res, StatusCode::NO_CONTENT);
|
|
|
|
}
|
|
|
|
Method::PUT if !allow_upload || (!allow_delete && is_file) => {
|
|
|
|
status!(res, StatusCode::FORBIDDEN);
|
|
|
|
}
|
2022-05-31 00:49:42 +03:00
|
|
|
Method::PUT => self.handle_upload(filepath, req, &mut res).await?,
|
2022-05-31 03:38:30 +03:00
|
|
|
Method::DELETE if !allow_delete => {
|
|
|
|
status!(res, StatusCode::FORBIDDEN);
|
|
|
|
}
|
2022-05-31 00:49:42 +03:00
|
|
|
Method::DELETE if !is_miss => self.handle_delete(filepath, is_dir).await?,
|
2022-05-31 03:38:30 +03:00
|
|
|
_ => {
|
|
|
|
status!(res, StatusCode::NOT_FOUND);
|
|
|
|
}
|
2022-05-26 11:17:55 +03:00
|
|
|
}
|
|
|
|
|
2022-05-31 00:49:42 +03:00
|
|
|
Ok(res)
|
|
|
|
}
|
2022-05-26 11:17:55 +03:00
|
|
|
|
2022-05-31 00:49:42 +03:00
|
|
|
async fn handle_upload(
|
|
|
|
&self,
|
|
|
|
path: &Path,
|
|
|
|
mut req: Request,
|
|
|
|
res: &mut Response,
|
|
|
|
) -> BoxResult<()> {
|
|
|
|
let ensure_parent = match path.parent() {
|
2022-05-29 05:53:19 +03:00
|
|
|
Some(parent) => match fs::metadata(parent).await {
|
2022-05-31 00:49:42 +03:00
|
|
|
Ok(meta) => meta.is_dir(),
|
|
|
|
Err(_) => {
|
|
|
|
fs::create_dir_all(parent).await?;
|
|
|
|
true
|
2022-05-29 05:53:19 +03:00
|
|
|
}
|
|
|
|
},
|
2022-05-31 00:49:42 +03:00
|
|
|
None => false,
|
|
|
|
};
|
|
|
|
if !ensure_parent {
|
2022-05-31 03:38:30 +03:00
|
|
|
status!(res, StatusCode::FORBIDDEN);
|
2022-05-31 00:49:42 +03:00
|
|
|
return Ok(());
|
2022-05-26 11:17:55 +03:00
|
|
|
}
|
|
|
|
|
2022-05-30 09:22:35 +03:00
|
|
|
let mut file = fs::File::create(&path).await?;
|
2022-05-26 11:17:55 +03:00
|
|
|
|
|
|
|
let body_with_io_error = req
|
|
|
|
.body_mut()
|
|
|
|
.map_err(|err| io::Error::new(io::ErrorKind::Other, err));
|
|
|
|
|
|
|
|
let body_reader = StreamReader::new(body_with_io_error);
|
|
|
|
|
|
|
|
futures::pin_mut!(body_reader);
|
|
|
|
|
|
|
|
io::copy(&mut body_reader, &mut file).await?;
|
|
|
|
|
2022-05-30 09:22:35 +03:00
|
|
|
let req_query = req.uri().query().unwrap_or_default();
|
|
|
|
if req_query == "unzip" {
|
|
|
|
let root = path.parent().unwrap();
|
|
|
|
let mut zip = ZipFileReader::new(File::open(&path).await?).await?;
|
|
|
|
for i in 0..zip.entries().len() {
|
|
|
|
let entry = &zip.entries()[i];
|
|
|
|
let entry_name = entry.name();
|
|
|
|
let entry_path = root.join(entry_name);
|
|
|
|
if entry_name.ends_with('/') {
|
|
|
|
fs::create_dir_all(entry_path).await?;
|
|
|
|
} else {
|
|
|
|
if let Some(parent) = entry_path.parent() {
|
|
|
|
if fs::symlink_metadata(parent).await.is_err() {
|
|
|
|
fs::create_dir_all(&parent).await?;
|
|
|
|
}
|
|
|
|
}
|
|
|
|
let mut outfile = fs::File::create(&entry_path).await?;
|
|
|
|
let mut reader = zip.entry_reader(i).await?;
|
|
|
|
io::copy(&mut reader, &mut outfile).await?;
|
|
|
|
}
|
|
|
|
}
|
|
|
|
fs::remove_file(&path).await?;
|
|
|
|
}
|
|
|
|
|
2022-05-31 00:49:42 +03:00
|
|
|
Ok(())
|
2022-05-26 11:17:55 +03:00
|
|
|
}
|
|
|
|
|
2022-05-31 00:49:42 +03:00
|
|
|
async fn handle_delete(&self, path: &Path, is_dir: bool) -> BoxResult<()> {
|
|
|
|
match is_dir {
|
|
|
|
true => fs::remove_dir_all(path).await?,
|
|
|
|
false => fs::remove_file(path).await?,
|
2022-05-26 14:52:54 +03:00
|
|
|
}
|
2022-05-31 00:49:42 +03:00
|
|
|
Ok(())
|
2022-05-26 14:52:54 +03:00
|
|
|
}
|
|
|
|
|
2022-05-31 00:49:42 +03:00
|
|
|
async fn handle_ls_dir(&self, path: &Path, exist: bool, res: &mut Response) -> BoxResult<()> {
|
2022-05-26 11:17:55 +03:00
|
|
|
let mut paths: Vec<PathItem> = vec![];
|
2022-05-29 05:53:19 +03:00
|
|
|
if exist {
|
|
|
|
let mut rd = fs::read_dir(path).await?;
|
|
|
|
while let Some(entry) = rd.next_entry().await? {
|
|
|
|
let entry_path = entry.path();
|
2022-05-31 00:49:42 +03:00
|
|
|
if let Ok(item) = to_pathitem(entry_path, path.to_path_buf()).await {
|
2022-05-29 05:53:19 +03:00
|
|
|
paths.push(item);
|
|
|
|
}
|
2022-05-26 15:42:33 +03:00
|
|
|
}
|
2022-05-26 11:17:55 +03:00
|
|
|
}
|
2022-05-31 00:49:42 +03:00
|
|
|
self.send_index(path, paths, res)
|
2022-05-29 07:43:40 +03:00
|
|
|
}
|
2022-05-26 11:17:55 +03:00
|
|
|
|
2022-05-31 00:49:42 +03:00
|
|
|
async fn handle_query_dir(
|
|
|
|
&self,
|
|
|
|
path: &Path,
|
|
|
|
query: &str,
|
|
|
|
res: &mut Response,
|
|
|
|
) -> BoxResult<()> {
|
2022-05-29 07:43:40 +03:00
|
|
|
let mut paths: Vec<PathItem> = vec![];
|
|
|
|
let mut walkdir = WalkDir::new(path);
|
|
|
|
while let Some(entry) = walkdir.next().await {
|
|
|
|
if let Ok(entry) = entry {
|
|
|
|
if !entry
|
|
|
|
.file_name()
|
|
|
|
.to_string_lossy()
|
|
|
|
.to_lowercase()
|
2022-05-31 00:49:42 +03:00
|
|
|
.contains(&query.to_lowercase())
|
2022-05-29 07:43:40 +03:00
|
|
|
{
|
|
|
|
continue;
|
|
|
|
}
|
|
|
|
if fs::symlink_metadata(entry.path()).await.is_err() {
|
|
|
|
continue;
|
|
|
|
}
|
2022-05-31 00:49:42 +03:00
|
|
|
if let Ok(item) = to_pathitem(entry.path(), path.to_path_buf()).await {
|
2022-05-29 07:43:40 +03:00
|
|
|
paths.push(item);
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
2022-05-31 00:49:42 +03:00
|
|
|
self.send_index(path, paths, res)
|
2022-05-26 11:17:55 +03:00
|
|
|
}
|
|
|
|
|
2022-05-31 00:49:42 +03:00
|
|
|
async fn handle_zip_dir(&self, path: &Path, res: &mut Response) -> BoxResult<()> {
|
2022-05-29 01:57:16 +03:00
|
|
|
let (mut writer, reader) = tokio::io::duplex(BUF_SIZE);
|
2022-05-28 17:27:28 +03:00
|
|
|
let path = path.to_owned();
|
|
|
|
tokio::spawn(async move {
|
|
|
|
if let Err(e) = dir_zip(&mut writer, &path).await {
|
|
|
|
error!("Fail to zip {}, {}", path.display(), e.to_string());
|
|
|
|
}
|
|
|
|
});
|
2022-05-29 01:57:16 +03:00
|
|
|
let stream = ReaderStream::new(reader);
|
2022-05-31 00:49:42 +03:00
|
|
|
*res.body_mut() = Body::wrap_stream(stream);
|
|
|
|
Ok(())
|
2022-05-28 13:58:43 +03:00
|
|
|
}
|
|
|
|
|
2022-05-31 00:49:42 +03:00
|
|
|
async fn handle_send_file(
|
|
|
|
&self,
|
|
|
|
path: &Path,
|
|
|
|
headers: &HeaderMap<HeaderValue>,
|
|
|
|
res: &mut Response,
|
|
|
|
) -> BoxResult<()> {
|
2022-05-30 06:22:28 +03:00
|
|
|
let (file, meta) = tokio::join!(fs::File::open(path), fs::metadata(path),);
|
|
|
|
let (file, meta) = (file?, meta?);
|
|
|
|
if let Ok(mtime) = meta.modified() {
|
2022-05-31 00:49:42 +03:00
|
|
|
let timestamp = to_timestamp(&mtime);
|
2022-05-30 06:22:28 +03:00
|
|
|
let size = meta.len();
|
2022-05-30 11:06:10 +03:00
|
|
|
let etag = format!(r#""{}-{}""#, timestamp, size)
|
2022-05-30 06:22:28 +03:00
|
|
|
.parse::<ETag>()
|
|
|
|
.unwrap();
|
|
|
|
let last_modified = LastModified::from(mtime);
|
|
|
|
let fresh = {
|
|
|
|
// `If-None-Match` takes presedence over `If-Modified-Since`.
|
2022-05-31 00:49:42 +03:00
|
|
|
if let Some(if_none_match) = headers.typed_get::<IfNoneMatch>() {
|
2022-05-30 06:22:28 +03:00
|
|
|
!if_none_match.precondition_passes(&etag)
|
2022-05-31 00:49:42 +03:00
|
|
|
} else if let Some(if_modified_since) = headers.typed_get::<IfModifiedSince>() {
|
2022-05-30 06:22:28 +03:00
|
|
|
!if_modified_since.is_modified(mtime)
|
|
|
|
} else {
|
|
|
|
false
|
|
|
|
}
|
|
|
|
};
|
|
|
|
res.headers_mut().typed_insert(last_modified);
|
|
|
|
res.headers_mut().typed_insert(etag);
|
|
|
|
if fresh {
|
2022-05-31 03:38:30 +03:00
|
|
|
status!(res, StatusCode::NOT_MODIFIED);
|
2022-05-31 00:49:42 +03:00
|
|
|
return Ok(());
|
2022-05-30 06:22:28 +03:00
|
|
|
}
|
|
|
|
}
|
|
|
|
if let Some(mime) = mime_guess::from_path(&path).first() {
|
|
|
|
res.headers_mut().typed_insert(ContentType::from(mime));
|
|
|
|
}
|
2022-05-26 11:17:55 +03:00
|
|
|
let stream = FramedRead::new(file, BytesCodec::new());
|
|
|
|
let body = Body::wrap_stream(stream);
|
2022-05-30 06:22:28 +03:00
|
|
|
*res.body_mut() = body;
|
2022-05-31 00:49:42 +03:00
|
|
|
|
|
|
|
Ok(())
|
2022-05-26 11:17:55 +03:00
|
|
|
}
|
|
|
|
|
2022-05-31 00:49:42 +03:00
|
|
|
fn send_index(
|
|
|
|
&self,
|
|
|
|
path: &Path,
|
|
|
|
mut paths: Vec<PathItem>,
|
|
|
|
res: &mut Response,
|
|
|
|
) -> BoxResult<()> {
|
2022-05-29 07:43:40 +03:00
|
|
|
paths.sort_unstable();
|
2022-05-30 06:47:57 +03:00
|
|
|
let rel_path = match self.args.path.parent() {
|
|
|
|
Some(p) => path.strip_prefix(p).unwrap(),
|
|
|
|
None => path,
|
|
|
|
};
|
2022-05-29 07:43:40 +03:00
|
|
|
let data = IndexData {
|
2022-05-30 06:47:57 +03:00
|
|
|
breadcrumb: normalize_path(rel_path),
|
2022-05-29 07:43:40 +03:00
|
|
|
paths,
|
2022-05-31 03:38:30 +03:00
|
|
|
allow_upload: self.args.allow_upload,
|
|
|
|
allow_delete: self.args.allow_delete,
|
2022-05-29 07:43:40 +03:00
|
|
|
};
|
|
|
|
let data = serde_json::to_string(&data).unwrap();
|
2022-05-30 06:47:57 +03:00
|
|
|
let output = INDEX_HTML.replace(
|
2022-05-31 00:49:42 +03:00
|
|
|
"__SLOT__",
|
2022-05-30 06:47:57 +03:00
|
|
|
&format!(
|
|
|
|
r#"
|
2022-05-31 00:49:42 +03:00
|
|
|
<title>Files in {}/ - Duf</title>
|
2022-05-30 06:47:57 +03:00
|
|
|
<style>{}</style>
|
|
|
|
<script>var DATA = {}; {}</script>
|
|
|
|
"#,
|
|
|
|
rel_path.display(),
|
|
|
|
INDEX_CSS,
|
|
|
|
data,
|
|
|
|
INDEX_JS
|
|
|
|
),
|
|
|
|
);
|
2022-05-31 00:49:42 +03:00
|
|
|
*res.body_mut() = output.into();
|
2022-05-29 07:43:40 +03:00
|
|
|
|
2022-05-31 00:49:42 +03:00
|
|
|
Ok(())
|
2022-05-29 07:43:40 +03:00
|
|
|
}
|
|
|
|
|
2022-05-31 00:49:42 +03:00
|
|
|
fn auth_guard(&self, req: &Request, res: &mut Response) -> bool {
|
|
|
|
let pass = {
|
|
|
|
match &self.args.auth {
|
|
|
|
None => true,
|
|
|
|
Some(auth) => match req.headers().get("Authorization") {
|
|
|
|
Some(value) => match value.to_str().ok().map(|v| {
|
|
|
|
let mut it = v.split(' ');
|
|
|
|
(it.next(), it.next())
|
|
|
|
}) {
|
2022-05-31 03:38:30 +03:00
|
|
|
Some((Some("Basic"), Some(tail))) => base64::decode(tail)
|
2022-05-31 00:49:42 +03:00
|
|
|
.ok()
|
|
|
|
.and_then(|v| String::from_utf8(v).ok())
|
|
|
|
.map(|v| v.as_str() == auth)
|
|
|
|
.unwrap_or_default(),
|
|
|
|
_ => false,
|
|
|
|
},
|
|
|
|
None => self.args.no_auth_read && req.method() == Method::GET,
|
|
|
|
},
|
2022-05-26 13:06:52 +03:00
|
|
|
}
|
2022-05-31 00:49:42 +03:00
|
|
|
};
|
|
|
|
if !pass {
|
2022-05-31 03:38:30 +03:00
|
|
|
status!(res, StatusCode::UNAUTHORIZED);
|
2022-05-31 00:49:42 +03:00
|
|
|
res.headers_mut()
|
|
|
|
.insert(WWW_AUTHENTICATE, HeaderValue::from_static("Basic"));
|
2022-05-26 13:06:52 +03:00
|
|
|
}
|
2022-05-31 00:49:42 +03:00
|
|
|
pass
|
2022-05-26 13:06:52 +03:00
|
|
|
}
|
|
|
|
|
2022-05-31 00:49:42 +03:00
|
|
|
fn extract_path(&self, path: &str) -> Option<PathBuf> {
|
|
|
|
let decoded_path = percent_decode(path[1..].as_bytes()).decode_utf8().ok()?;
|
2022-05-26 11:17:55 +03:00
|
|
|
let slashes_switched = if cfg!(windows) {
|
|
|
|
decoded_path.replace('/', "\\")
|
|
|
|
} else {
|
|
|
|
decoded_path.into_owned()
|
|
|
|
};
|
2022-05-31 00:49:42 +03:00
|
|
|
let full_path = self.args.path.join(&slashes_switched);
|
|
|
|
if full_path.starts_with(&self.args.path) {
|
|
|
|
Some(full_path)
|
2022-05-26 11:17:55 +03:00
|
|
|
} else {
|
2022-05-31 00:49:42 +03:00
|
|
|
None
|
2022-05-26 11:17:55 +03:00
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
#[derive(Debug, Serialize, Eq, PartialEq, Ord, PartialOrd)]
|
2022-05-29 07:43:40 +03:00
|
|
|
struct IndexData {
|
2022-05-26 11:17:55 +03:00
|
|
|
breadcrumb: String,
|
|
|
|
paths: Vec<PathItem>,
|
2022-05-31 03:38:30 +03:00
|
|
|
allow_upload: bool,
|
|
|
|
allow_delete: bool,
|
2022-05-26 11:17:55 +03:00
|
|
|
}
|
|
|
|
|
|
|
|
#[derive(Debug, Serialize, Eq, PartialEq, Ord, PartialOrd)]
|
|
|
|
struct PathItem {
|
|
|
|
path_type: PathType,
|
|
|
|
name: String,
|
2022-05-30 06:22:28 +03:00
|
|
|
mtime: u64,
|
2022-05-26 11:17:55 +03:00
|
|
|
size: Option<u64>,
|
|
|
|
}
|
|
|
|
|
|
|
|
#[derive(Debug, Serialize, Eq, PartialEq, Ord, PartialOrd)]
|
|
|
|
enum PathType {
|
|
|
|
Dir,
|
|
|
|
SymlinkDir,
|
|
|
|
File,
|
|
|
|
SymlinkFile,
|
|
|
|
}
|
|
|
|
|
2022-05-31 00:49:42 +03:00
|
|
|
async fn to_pathitem<P: AsRef<Path>>(path: P, base_path: P) -> BoxResult<PathItem> {
|
2022-05-29 07:43:40 +03:00
|
|
|
let path = path.as_ref();
|
|
|
|
let rel_path = path.strip_prefix(base_path).unwrap();
|
2022-05-30 11:06:10 +03:00
|
|
|
let (meta, meta2) = tokio::join!(fs::metadata(&path), fs::symlink_metadata(&path));
|
|
|
|
let (meta, meta2) = (meta?, meta2?);
|
2022-05-29 07:43:40 +03:00
|
|
|
let is_dir = meta.is_dir();
|
2022-05-30 11:06:10 +03:00
|
|
|
let is_symlink = meta2.file_type().is_symlink();
|
2022-05-29 07:43:40 +03:00
|
|
|
let path_type = match (is_symlink, is_dir) {
|
|
|
|
(true, true) => PathType::SymlinkDir,
|
|
|
|
(false, true) => PathType::Dir,
|
|
|
|
(true, false) => PathType::SymlinkFile,
|
|
|
|
(false, false) => PathType::File,
|
|
|
|
};
|
2022-05-31 00:49:42 +03:00
|
|
|
let mtime = to_timestamp(&meta.modified()?);
|
2022-05-29 07:43:40 +03:00
|
|
|
let size = match path_type {
|
|
|
|
PathType::Dir | PathType::SymlinkDir => None,
|
|
|
|
PathType::File | PathType::SymlinkFile => Some(meta.len()),
|
|
|
|
};
|
|
|
|
let name = normalize_path(rel_path);
|
|
|
|
Ok(PathItem {
|
|
|
|
path_type,
|
|
|
|
name,
|
|
|
|
mtime,
|
|
|
|
size,
|
|
|
|
})
|
|
|
|
}
|
|
|
|
|
2022-05-31 00:49:42 +03:00
|
|
|
fn to_timestamp(time: &SystemTime) -> u64 {
|
2022-05-30 06:22:28 +03:00
|
|
|
time.duration_since(SystemTime::UNIX_EPOCH)
|
|
|
|
.unwrap()
|
|
|
|
.as_millis() as u64
|
|
|
|
}
|
|
|
|
|
2022-05-26 11:17:55 +03:00
|
|
|
fn normalize_path<P: AsRef<Path>>(path: P) -> String {
|
|
|
|
let path = path.as_ref().to_str().unwrap_or_default();
|
|
|
|
if cfg!(windows) {
|
|
|
|
path.replace('\\', "/")
|
|
|
|
} else {
|
|
|
|
path.to_string()
|
|
|
|
}
|
|
|
|
}
|
2022-05-28 13:58:43 +03:00
|
|
|
|
2022-05-29 12:33:21 +03:00
|
|
|
fn add_cors(res: &mut Response) {
|
|
|
|
res.headers_mut()
|
|
|
|
.typed_insert(AccessControlAllowOrigin::ANY);
|
|
|
|
res.headers_mut().typed_insert(
|
|
|
|
vec![RANGE, CONTENT_TYPE, ACCEPT, ORIGIN, WWW_AUTHENTICATE]
|
|
|
|
.into_iter()
|
|
|
|
.collect::<AccessControlAllowHeaders>(),
|
|
|
|
);
|
|
|
|
}
|
|
|
|
|
2022-05-28 13:58:43 +03:00
|
|
|
async fn dir_zip<W: AsyncWrite + Unpin>(writer: &mut W, dir: &Path) -> BoxResult<()> {
|
|
|
|
let mut writer = ZipFileWriter::new(writer);
|
|
|
|
let mut walkdir = WalkDir::new(dir);
|
|
|
|
while let Some(entry) = walkdir.next().await {
|
|
|
|
if let Ok(entry) = entry {
|
2022-05-29 07:43:40 +03:00
|
|
|
let meta = match fs::symlink_metadata(entry.path()).await {
|
|
|
|
Ok(meta) => meta,
|
|
|
|
Err(_) => continue,
|
|
|
|
};
|
2022-05-28 13:58:43 +03:00
|
|
|
if meta.is_file() {
|
|
|
|
let filepath = entry.path();
|
|
|
|
let filename = match filepath.strip_prefix(dir).ok().and_then(|v| v.to_str()) {
|
|
|
|
Some(v) => v,
|
|
|
|
None => continue,
|
|
|
|
};
|
|
|
|
let entry_options = EntryOptions::new(filename.to_owned(), Compression::Deflate);
|
|
|
|
let mut file = File::open(&filepath).await?;
|
|
|
|
let mut file_writer = writer.write_entry_stream(entry_options).await?;
|
|
|
|
io::copy(&mut file, &mut file_writer).await?;
|
|
|
|
file_writer.close().await?;
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
writer.close().await?;
|
|
|
|
Ok(())
|
|
|
|
}
|