use anyhow::Result;
use anyhow::{anyhow, Context};
use mime::Mime;
use tracing::{event, Level};
pub fn is_svg(buffer: &[u8]) -> bool {
image::guess_format(buffer).is_err()
&& get_mimetype_for_buffer_with_file(buffer).map_or_else(
|error| {
event!(
Level::WARN,
?error,
"failed to determine mime type: {}",
error
);
false
},
|detected| detected == mime::IMAGE_SVG,
)
}
pub fn is_png(buffer: &[u8]) -> bool {
match image::guess_format(buffer) {
Ok(image::ImageFormat::Png) => true,
Ok(_) => false,
Err(error) => {
event!(
Level::WARN,
?error,
"failed to guess image format: {}",
error
);
false
}
}
}
fn get_mimetype_for_buffer_with_file(buffer: &[u8]) -> Result<Mime> {
use std::io::prelude::*;
use std::io::ErrorKind;
use std::process::*;
let mut process = Command::new("file")
.arg("--brief")
.arg("--mime-type")
.arg("-")
.stdin(Stdio::piped())
.stdout(Stdio::piped())
.stderr(Stdio::piped())
.spawn()
.with_context(|| "Failed to spawn mime --brief --mime-type")?;
process
.stdin
.as_mut()
.expect("Forgot to pipe stdin?")
.write_all(buffer)
.or_else(|error| match error.kind() {
ErrorKind::BrokenPipe => Ok(()),
_ => Err(error),
})?;
let output = process
.wait_with_output()
.with_context(|| "Failed to read output from mime --brief --mime-type")?;
if output.status.success() {
let stdout = std::str::from_utf8(&output.stdout)
.with_context(|| {
format!(
"mime --brief --mime-type returned non-utf8: {:?}",
output.stdout
)
})?
.trim();
let detected_type = stdout
.parse::<Mime>()
.with_context(|| format!("Failed to parse mime type from output: {stdout}"))?;
Ok(detected_type)
} else {
Err(anyhow!(
"file --brief --mime-type failed with status {}: {}",
output.status,
String::from_utf8_lossy(&output.stderr)
))
}
}
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn detect_mimetype_of_png_image() {
let data = include_bytes!("../sample/rust-logo-128x128.png");
assert!(is_png(data));
}
#[test]
fn detect_mimetype_of_svg_image() {
let data = include_bytes!("../sample/rust-logo.svg");
assert!(is_svg(data));
}
#[test]
fn detect_mimetype_of_magic_param_bytes_max_length() {
let data = std::iter::repeat(b'\0')
.take(1_048_576)
.collect::<Vec<u8>>();
assert!(!is_svg(&data));
}
#[test]
fn detect_mimetype_of_larger_than_magic_param_bytes_max_length() {
let data = std::iter::repeat(b'\0')
.take(1_048_576 * 2)
.collect::<Vec<u8>>();
assert!(!is_svg(&data));
}
}