pi-frame-server/src/api.rs

131 lines
3.6 KiB
Rust
Raw Normal View History

use crate::imageproc::{DitherMethod, EInkImage, };
use axum::extract::Multipart;
use axum::http::StatusCode;
use axum::response::IntoResponse;
use axum::{extract::State, response::Response, routing::post, Router};
use image::{DynamicImage, ImageReader};
use std::io::Cursor;
2024-07-28 04:01:57 +00:00
use std::time::Duration;
2024-07-28 04:06:23 +00:00
use tracing::{debug, error, info, instrument};
2024-07-18 12:34:28 +00:00
use crate::display::EInkPanel;
2024-07-28 04:01:57 +00:00
use std::sync::Arc;
use tokio::sync::mpsc::{self, Receiver, Sender};
use tokio::task::JoinHandle;
2024-07-18 12:34:28 +00:00
pub enum ImageFormFields {
DitherType,
ImageFile,
}
2024-07-24 14:43:09 +00:00
#[derive(Clone)]
pub struct Context {
2024-07-28 04:01:57 +00:00
display_channel: Sender<DisplaySetCommand>,
display_task: Arc<JoinHandle<()>>,
}
2024-07-28 04:01:57 +00:00
impl Context {
#[must_use]
2024-07-28 04:01:57 +00:00
pub fn new(disp: Box<dyn EInkPanel + Send>) -> Self {
let (tx, rx) = mpsc::channel(2);
let task = tokio::spawn(display_task(rx, disp));
Self {
2024-07-28 04:01:57 +00:00
display_channel: tx,
display_task: Arc::new(task),
}
}
}
// Make our own error that wraps `anyhow::Error`.
struct AppError(anyhow::Error);
// Tell axum how to convert `AppError` into a response.
impl IntoResponse for AppError {
fn into_response(self) -> Response {
(
StatusCode::INTERNAL_SERVER_ERROR,
format!("Something went wrong: {}", self.0),
)
.into_response()
}
2024-07-24 14:43:09 +00:00
}
// This enables using `?` on functions that return `Result<_, anyhow::Error>` to turn them into
// `Result<_, AppError>`. That way you don't need to do that manually.
impl<E> From<E> for AppError
where
E: Into<anyhow::Error>,
{
fn from(err: E) -> Self {
Self(err.into())
}
}
2024-07-29 17:51:51 +00:00
#[derive(Debug)]
pub struct DisplaySetCommand {
img: Box<EInkImage>,
}
#[instrument(skip_all)]
pub async fn display_task(
mut rx: Receiver<DisplaySetCommand>,
mut display: Box<dyn EInkPanel + Send>,
) {
while let Some(cmd) = rx.recv().await {
info!("Got a display set command");
if let Err(e) = display.display(&cmd.img) {
error!("Error displaying command {e}");
}
info!("Done setting display");
}
}
2024-07-18 12:34:28 +00:00
/// API routes for axum
/// Start with the basics: Send an image, crop it, dither, and upload.
/// we defer the upload to a separate task.
pub fn router() -> Router<Context> {
2024-07-29 17:51:51 +00:00
Router::new()
.route("/setimage", post(set_image))
.route("/process_image", post(process_image))
}
#[derive(Debug)]
2024-07-29 17:51:51 +00:00
pub struct ImageRequest {
image: Box<DynamicImage>,
2024-07-24 14:43:09 +00:00
}
2024-07-28 04:01:57 +00:00
#[instrument(skip(ctx))]
#[axum::debug_handler]
async fn set_image(
State(ctx): State<Context>,
mut parts: Multipart,
) -> Result<impl IntoResponse, AppError> {
while let Some(field) = parts.next_field().await? {
let name = field.name().expect("fields always have names").to_string();
let data = field.bytes().await?;
2024-07-28 04:01:57 +00:00
debug!("Length of `{}` is {} bytes", name, data.len());
if &name == "image" {
let reader = ImageReader::new(Cursor::new(data))
.with_guessed_format()
.expect("Cursor io never fails");
2024-07-28 04:01:57 +00:00
debug!("Guessed format: {:?}", reader.format());
2024-07-29 17:51:51 +00:00
let mut buf = EInkImage::default();
{
let image = reader.decode()?;
let mut dither = DitherMethod::Atkinson.get_ditherer();
dither.dither(&image.into(), &mut buf);
}
2024-07-28 04:06:23 +00:00
let cmd = DisplaySetCommand { img: Box::new(buf) };
ctx.display_channel
.send_timeout(cmd, Duration::from_secs(10)).await?;
}
}
Ok(())
2024-07-24 14:43:09 +00:00
}
2024-07-29 17:51:51 +00:00
async fn process_image(mut parts: Multipart) -> Result<impl IntoResponse, AppError> {
Ok(StatusCode::OK)
}