ratatui_image/thread/mod.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83
//! Widget that separates resize+encode from rendering.
//! This allows for rendering to be non-blocking, offloading resize+encode into another thread.
//! See examples/async.rs for how to setup the threads and channels.
//! At least one worker thread for resize+encode is required, the example shows how to combine
//! the needs-resize-polling with other terminal events into one event loop.
use std::sync::mpsc::Sender;
use ratatui::{
prelude::{Buffer, Rect},
widgets::StatefulWidget,
};
use crate::{protocol::StatefulProtocol, Resize};
/// A widget that uses a custom ThreadProtocol as state to offload resizing and encoding to a
/// background thread.
pub struct ThreadImage {
resize: Resize,
}
impl ThreadImage {
pub fn resize(mut self, resize: Resize) -> ThreadImage {
self.resize = resize;
self
}
}
impl Default for ThreadImage {
fn default() -> Self {
ThreadImage {
resize: Resize::Fit(None),
}
}
}
impl StatefulWidget for ThreadImage {
type State = ThreadProtocol;
fn render(self, area: Rect, buf: &mut Buffer, state: &mut Self::State) {
state.inner = match state.inner.take() {
// We have the `protocol` and should either resize or render.
Some(mut protocol) => {
// If it needs resizing (grow or shrink) then send it away instead of rendering.
// Send the requested area instead of the calculated area
// to ensure consistent calculations between the render thread and the UI thread.
if let Some(area) = protocol.needs_resize(&self.resize, area) {
state.tx.send((protocol, self.resize, area)).unwrap();
None
} else {
protocol.render(area, buf);
Some(protocol)
}
}
// We are waiting to get back the protocol.
None => None,
};
}
}
/// The state of a ThreadImage.
///
/// Has `inner` [ResizeProtocol] that is sent off to the `tx` mspc channel to do the
/// `resize_encode()` work.
pub struct ThreadProtocol {
inner: Option<StatefulProtocol>,
tx: Sender<(StatefulProtocol, Resize, Rect)>,
}
impl ThreadProtocol {
pub fn new(
tx: Sender<(StatefulProtocol, Resize, Rect)>,
inner: StatefulProtocol,
) -> ThreadProtocol {
ThreadProtocol {
inner: Some(inner),
tx,
}
}
pub fn set_protocol(&mut self, proto: StatefulProtocol) {
self.inner = Some(proto);
}
}