Сохранить файл с оригинальным именем файла при использовании actix-web-Framework для загрузки файла на веб-сервер в Rust
Я создаю веб-сервер в Rust, используя actix-web Framework. В настоящее время я работаю над Fileupload и для этого я использую actix-multipart.
В официальной документации Actix есть пример для этого:
use std::cell::Cell;
use std::fs;
use std::io::Write;
use actix_multipart::{Field, Multipart, MultipartError};
use actix_web::{error, middleware, web, App, Error, HttpResponse, HttpServer};
use futures::future::{err, Either};
use futures::{Future, Stream};
pub fn save_file(field: Field) -> impl Future<Item = i64, Error = Error> {
let file_path_string = "upload.png";
let file = match fs::File::create(file_path_string) {
Ok(file) => file,
Err(e) => return Either::A(err(error::ErrorInternalServerError(e))),
};
Either::B(
field
.fold((file, 0i64), move |(mut file, mut acc), bytes| {
// fs operations are blocking, we have to execute writes
// on threadpool
web::block(move || {
file.write_all(bytes.as_ref()).map_err(|e| {
println!("file.write_all failed: {:?}", e);
MultipartError::Payload(error::PayloadError::Io(e))
})?;
acc += bytes.len() as i64;
Ok((file, acc))
})
.map_err(|e: error::BlockingError<MultipartError>| {
match e {
error::BlockingError::Error(e) => e,
error::BlockingError::Canceled => MultipartError::Incomplete,
}
})
})
.map(|(_, acc)| acc)
.map_err(|e| {
println!("save_file failed, {:?}", e);
error::ErrorInternalServerError(e)
}),
)
}
pub fn upload(
multipart: Multipart,
counter: web::Data<Cell<usize>>,
) -> impl Future<Item = HttpResponse, Error = Error> {
counter.set(counter.get() + 1);
println!("{:?}", counter.get());
multipart
.map_err(error::ErrorInternalServerError)
.map(|field| save_file(field).into_stream())
.flatten()
.collect()
.map(|sizes| HttpResponse::Ok().json(sizes))
.map_err(|e| {
println!("failed: {}", e);
e
})
}
fn index() -> HttpResponse {
let html = r#"<html>
<head><title>Upload Test</title></head>
<body>
<form target="/" method="post" enctype="multipart/form-data">
<input type="file" name="file"/>
<input type="submit" value="Submit"></button>
</form>
</body>
</html>"#;
HttpResponse::Ok().body(html)
}
fn main() -> std::io::Result<()> {
HttpServer::new(|| {
App::new()
.data(Cell::new(0usize))
.wrap(middleware::Logger::default())
.service(
web::resource("/")
.route(web::get().to(index))
.route(web::post().to_async(upload)),
)
})
.bind("127.0.0.1:8080")?
.run()
}
Это будет минимальная рабочая реализация для него и пока работает хорошо. Но, как вы можете видеть, filepathstring - это пользовательская строка, которая переименовывает файл на сервере в upload.png (let file_path_string = "upload.png"
)
Так есть ли простой способ получить исходное имя файла и использовать его в качестве имени файла для загруженного файла на сервере?
1 ответ
Решение
Метод content_disposition(), предложенный NK, потенциально является тем, что вам нужно. Так что вы могли бы заменить:
let file_path_string = "upload.png";
с чем-то вроде:
let file_path_string = match field.content_disposition().unwrap().get_filename() {
Some(filename) => filename.replace(' ', "_").to_string(),
None => return Either::A(err(error::ErrorInternalServerError("Couldn't read the filename.")))
}