pict-rs/src/processor.rs

337 lines
7.2 KiB
Rust
Raw Normal View History

2021-09-14 01:22:42 +00:00
use crate::{
error::{Error, UploadError},
ffmpeg::ThumbnailFormat,
};
2021-09-12 15:42:44 +00:00
use std::path::{Path, PathBuf};
use tracing::{debug, error, instrument};
2021-09-14 01:22:42 +00:00
fn ptos(path: &Path) -> Result<String, Error> {
Ok(path.to_str().ok_or(UploadError::Path)?.to_owned())
}
pub(crate) trait Processor {
2020-06-07 19:12:19 +00:00
fn name() -> &'static str
where
Self: Sized;
fn is_processor(s: &str) -> bool
where
Self: Sized;
2020-06-24 16:58:46 +00:00
fn parse(k: &str, v: &str) -> Option<Box<dyn Processor + Send>>
2020-06-07 19:12:19 +00:00
where
Self: Sized;
fn path(&self, path: PathBuf) -> PathBuf;
fn command(&self, args: Vec<String>) -> Vec<String>;
}
pub(crate) struct Identity;
impl Processor for Identity {
2020-06-07 19:12:19 +00:00
fn name() -> &'static str
where
Self: Sized,
{
"identity"
}
fn is_processor(s: &str) -> bool
where
Self: Sized,
{
s == Self::name()
}
2020-06-24 16:58:46 +00:00
fn parse(_: &str, _: &str) -> Option<Box<dyn Processor + Send>>
2020-06-07 19:12:19 +00:00
where
Self: Sized,
{
Some(Box::new(Identity))
}
2020-06-07 18:03:36 +00:00
fn path(&self, path: PathBuf) -> PathBuf {
path
}
fn command(&self, args: Vec<String>) -> Vec<String> {
args
}
}
2020-06-16 23:13:22 +00:00
pub(crate) struct Thumbnail(usize);
impl Processor for Thumbnail {
2020-06-07 19:12:19 +00:00
fn name() -> &'static str
where
Self: Sized,
{
"thumbnail"
}
fn is_processor(s: &str) -> bool
where
Self: Sized,
{
2020-06-24 16:58:46 +00:00
s == Self::name()
2020-06-07 19:12:19 +00:00
}
2020-06-24 16:58:46 +00:00
fn parse(_: &str, v: &str) -> Option<Box<dyn Processor + Send>>
2020-06-07 19:12:19 +00:00
where
Self: Sized,
{
2020-06-24 16:58:46 +00:00
let size = v.parse().ok()?;
2020-06-07 19:12:19 +00:00
Some(Box::new(Thumbnail(size)))
}
fn path(&self, mut path: PathBuf) -> PathBuf {
2020-06-07 19:12:19 +00:00
path.push(Self::name());
path.push(self.0.to_string());
path
}
fn command(&self, mut args: Vec<String>) -> Vec<String> {
args.extend(["-sample".to_string(), format!("{}x{}>", self.0, self.0)]);
2020-06-17 02:05:06 +00:00
args
}
}
pub(crate) struct Resize(usize);
impl Processor for Resize {
fn name() -> &'static str
where
Self: Sized,
{
"resize"
}
fn is_processor(s: &str) -> bool
where
Self: Sized,
{
s == Self::name()
}
fn parse(_: &str, v: &str) -> Option<Box<dyn Processor + Send>>
where
Self: Sized,
{
let size = v.parse().ok()?;
Some(Box::new(Resize(size)))
}
fn path(&self, mut path: PathBuf) -> PathBuf {
path.push(Self::name());
path.push(self.0.to_string());
path
}
fn command(&self, mut args: Vec<String>) -> Vec<String> {
args.extend([
"-filter".to_string(),
2021-08-29 04:15:29 +00:00
"Lanczos2".to_string(),
"-resize".to_string(),
format!("{}x{}>", self.0, self.0),
]);
args
}
}
2020-12-17 00:20:06 +00:00
pub(crate) struct Crop(usize, usize);
impl Processor for Crop {
fn name() -> &'static str
where
Self: Sized,
{
"crop"
}
fn is_processor(s: &str) -> bool {
s == Self::name()
}
fn parse(_: &str, v: &str) -> Option<Box<dyn Processor + Send>> {
let mut iter = v.split('x');
let first = iter.next()?;
let second = iter.next()?;
let width = first.parse::<usize>().ok()?;
let height = second.parse::<usize>().ok()?;
if width == 0 || height == 0 {
return None;
}
if width > 20 || height > 20 {
return None;
}
Some(Box::new(Crop(width, height)))
}
fn path(&self, mut path: PathBuf) -> PathBuf {
path.push(Self::name());
path.push(format!("{}x{}", self.0, self.1));
path
}
fn command(&self, mut args: Vec<String>) -> Vec<String> {
args.extend([
"-gravity".to_string(),
"center".to_string(),
"-crop".to_string(),
format!("{}:{}+0+0", self.0, self.1),
]);
2020-12-17 00:20:06 +00:00
args
2020-12-17 00:20:06 +00:00
}
}
2020-06-16 23:13:22 +00:00
pub(crate) struct Blur(f64);
impl Processor for Blur {
2020-06-07 19:12:19 +00:00
fn name() -> &'static str
where
Self: Sized,
{
"blur"
}
fn is_processor(s: &str) -> bool {
2020-06-24 16:58:46 +00:00
s == Self::name()
2020-06-07 19:12:19 +00:00
}
2020-06-24 16:58:46 +00:00
fn parse(_: &str, v: &str) -> Option<Box<dyn Processor + Send>> {
let sigma = v.parse().ok()?;
2020-06-07 19:12:19 +00:00
Some(Box::new(Blur(sigma)))
}
fn path(&self, mut path: PathBuf) -> PathBuf {
2020-06-07 19:12:19 +00:00
path.push(Self::name());
path.push(self.0.to_string());
path
}
fn command(&self, mut args: Vec<String>) -> Vec<String> {
args.extend(["-gaussian-blur".to_string(), self.0.to_string()]);
2020-06-24 16:58:46 +00:00
args
}
}
2020-06-07 19:12:19 +00:00
macro_rules! parse {
2020-06-24 16:58:46 +00:00
($x:ident, $k:expr, $v:expr) => {{
if $x::is_processor($k) {
return $x::parse($k, $v);
2020-06-07 19:12:19 +00:00
}
}};
}
pub(crate) struct ProcessChain {
inner: Vec<Box<dyn Processor + Send>>,
}
impl std::fmt::Debug for ProcessChain {
fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
f.debug_struct("ProcessChain")
2020-06-14 15:07:31 +00:00
.field("steps", &self.inner.len())
.finish()
}
}
#[instrument]
2020-06-24 16:58:46 +00:00
pub(crate) fn build_chain(args: &[(String, String)]) -> ProcessChain {
let inner = args
.iter()
2020-06-24 16:58:46 +00:00
.filter_map(|(k, v)| {
let k = k.as_str();
let v = v.as_str();
parse!(Identity, k, v);
parse!(Thumbnail, k, v);
parse!(Resize, k, v);
2020-12-17 00:20:06 +00:00
parse!(Crop, k, v);
2020-06-24 16:58:46 +00:00
parse!(Blur, k, v);
2020-06-07 19:12:19 +00:00
2020-06-24 16:58:46 +00:00
debug!("Skipping {}: {}, invalid", k, v);
2020-06-07 19:12:19 +00:00
None
})
.collect();
ProcessChain { inner }
}
2021-10-19 04:37:11 +00:00
pub(crate) fn build_path(chain: &ProcessChain, filename: String) -> PathBuf {
let mut path = chain
.inner
.iter()
2021-10-19 04:37:11 +00:00
.fold(PathBuf::default(), |acc, processor| processor.path(acc));
path.push(filename);
path
}
pub(crate) fn build_args(chain: &ProcessChain) -> Vec<String> {
chain
.inner
.iter()
.fold(Vec::new(), |acc, processor| processor.command(acc))
}
2020-06-24 16:58:46 +00:00
fn is_motion(s: &str) -> bool {
s.ends_with(".gif") || s.ends_with(".mp4")
}
pub(crate) enum Exists {
Exists,
New,
}
impl Exists {
pub(crate) fn is_new(&self) -> bool {
matches!(self, Exists::New)
2020-06-24 16:58:46 +00:00
}
}
pub(crate) async fn prepare_image(
original_file: PathBuf,
2021-09-14 01:22:42 +00:00
) -> Result<Option<(PathBuf, Exists)>, Error> {
2020-06-24 16:58:46 +00:00
let original_path_str = ptos(&original_file)?;
let jpg_path = format!("{}.jpg", original_path_str);
let jpg_path = PathBuf::from(jpg_path);
2021-09-04 19:20:31 +00:00
if tokio::fs::metadata(&jpg_path).await.is_ok() {
2020-06-24 16:58:46 +00:00
return Ok(Some((jpg_path, Exists::Exists)));
}
if is_motion(&original_path_str) {
let orig_path = original_path_str.clone();
let tmpfile = crate::tmp_file();
crate::safe_create_parent(&tmpfile).await?;
2020-06-24 16:58:46 +00:00
let res = crate::ffmpeg::thumbnail(orig_path, &tmpfile, ThumbnailFormat::Jpeg).await;
2020-06-24 16:58:46 +00:00
if let Err(e) = res {
error!("transcode error: {:?}", e);
2021-09-04 19:20:31 +00:00
tokio::fs::remove_file(&tmpfile).await?;
2021-09-14 01:22:42 +00:00
return Err(e);
2020-06-24 16:58:46 +00:00
}
return match crate::safe_move_file(tmpfile, jpg_path.clone()).await {
2021-09-14 01:22:42 +00:00
Err(e) if matches!(e.kind(), UploadError::FileExists) => {
Ok(Some((jpg_path, Exists::Exists)))
}
2020-06-24 16:58:46 +00:00
Err(e) => Err(e),
_ => Ok(Some((jpg_path, Exists::New))),
};
}
Ok(None)
}