quoter/src/handlers/proxy.rs

115 lines
5.4 KiB
Rust
Raw Normal View History

2024-10-21 21:36:42 +00:00
use actix_web::{error::ErrorInternalServerError, web, HttpRequest, HttpResponse, Result};
use crate::app_state::AppState;
2024-10-22 16:34:08 +00:00
use crate::thumbnail::{find_closest_width, generate_thumbnails, parse_image_request};
use crate::s3_utils::{check_file_exists, load_file_from_s3, upload_to_s3};
2024-10-21 21:36:42 +00:00
use crate::handlers::serve_file::serve_file;
/// Обработчик для скачивания файла и генерации миниатюры, если она недоступна.
pub async fn proxy_handler(
2024-10-22 10:18:57 +00:00
_req: HttpRequest,
2024-10-22 06:38:30 +00:00
requested_res: web::Path<String>,
2024-10-21 21:36:42 +00:00
state: web::Data<AppState>,
) -> Result<HttpResponse, actix_web::Error> {
2024-10-22 16:34:08 +00:00
let normalized_path = match requested_res.ends_with("/webp") {
true => requested_res.replace("/webp", ""),
false => requested_res.to_string(),
2024-10-21 21:36:42 +00:00
};
2024-10-22 16:34:08 +00:00
// парсим GET запрос
if let Some((base_filename, requested_width, extension)) = parse_image_request(&normalized_path) {
let filekey = format!("{}.{}", base_filename, extension);
let content_type = match extension.as_str() {
"jpg" | "jpeg" => "image/jpeg",
"png" => "image/png",
"webp" => "image/webp",
"gif" => "image/gif",
"mp3" => "audio/mpeg",
"wav" => "audio/x-wav",
"ogg" => "audio/ogg",
"aac" => "audio/aac",
"m4a" => "audio/m4a",
"flac" => "audio/flac",
_ => return Err(ErrorInternalServerError("unsupported file format"))
};
2024-10-21 21:36:42 +00:00
2024-10-22 16:34:08 +00:00
return match state.get_path(&filekey).await {
Ok(Some(stored_path)) => {
2024-10-21 21:36:42 +00:00
2024-10-22 16:34:08 +00:00
// we have stored file path in storj
if check_file_exists(&state.storj_client, &state.bucket, &stored_path).await? {
if content_type.starts_with("image") {
return match requested_width == 0 {
true => serve_file(&stored_path, &state).await,
false => {
// find closest thumb width
let closest: u32 = find_closest_width(requested_width as u32);
let thumb_filename = &format!("{}_{}.{}", base_filename, closest, extension);
return match check_file_exists(&state.storj_client, &state.bucket, thumb_filename).await {
Ok(true) => serve_file(thumb_filename, &state).await,
Ok(false) => {
if let Ok(filedata) = load_file_from_s3(
&state.storj_client, &state.bucket, &stored_path).await {
thumbdata_save(&filedata, &state, &base_filename, content_type).await;
serve_file(thumb_filename, &state).await
} else {
Err(ErrorInternalServerError("cannot generate thumbnail"))
}
}
Err(_) => Err(ErrorInternalServerError("failed to load thumbnail"))
}
}
}
}
// not image passing thumb generation
}
2024-10-21 21:36:42 +00:00
2024-10-22 16:34:08 +00:00
// we need to download what stored_path keeping in aws
return match load_file_from_s3(
&state.aws_client,
&state.bucket,
&stored_path).await {
Ok(filedata) => {
let _ = upload_to_s3(&state.storj_client, &state.bucket, &filekey, filedata.clone(), content_type).await;
thumbdata_save(&filedata, &state, &base_filename, content_type).await;
Ok(HttpResponse::Ok()
.content_type(content_type)
.body(filedata)
)
},
Err(err) => Err(ErrorInternalServerError(err)),
}
},
Ok(None) => Err(ErrorInternalServerError("requested file path was not found")),
Err(e) => Err(ErrorInternalServerError(e))
}
}
2024-10-21 21:36:42 +00:00
2024-10-22 16:34:08 +00:00
Err(ErrorInternalServerError("invalid file key"))
}
async fn thumbdata_save(original_data: &[u8], state: &AppState, original_filename: &str, content_type: &str) {
if content_type.starts_with("image") {
let ext = original_filename.split('.').last().unwrap();
let img = image::load_from_memory(&original_data).unwrap();
if let Ok(thumbnails_bytes) = generate_thumbnails(&img).await {
for (thumb_width, thumbnail) in thumbnails_bytes {
let thumb_filename = &format!("{}_{}.{}", original_filename, thumb_width, ext);
let thumbnail_bytes = thumbnail.clone();
2024-10-21 21:36:42 +00:00
// Загружаем миниатюру в S3
2024-10-22 16:34:08 +00:00
let _ = upload_to_s3(
2024-10-22 06:38:30 +00:00
&state.storj_client,
2024-10-22 16:34:08 +00:00
&state.bucket,
thumb_filename,
thumbnail_bytes,
content_type,
2024-10-21 21:36:42 +00:00
)
2024-10-22 16:34:08 +00:00
.await;
2024-10-21 21:36:42 +00:00
}
}
}
2024-10-22 16:34:08 +00:00
}