rat_salsa/lib.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 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443
#![doc = include_str!("../readme.md")]
use crate::framework::control_queue::ControlQueue;
use crate::thread_pool::{Cancel, ThreadPool};
use crate::timer::{TimerDef, TimerHandle, Timers};
#[cfg(feature = "async")]
use crate::tokio_tasks::TokioTasks;
use crossbeam::channel::{SendError, Sender};
use rat_widget::event::{ConsumedEvent, HandleEvent, Outcome, Regular};
use rat_widget::focus::Focus;
use ratatui::buffer::Buffer;
use ratatui::layout::Rect;
use std::cmp::Ordering;
use std::fmt::Debug;
#[cfg(feature = "async")]
use std::future::Future;
use std::mem;
use std::rc::Rc;
#[cfg(feature = "async")]
use tokio::task::AbortHandle;
mod framework;
mod poll_events;
pub mod rendered;
mod run_config;
pub mod terminal;
pub mod thread_pool;
pub mod timer;
#[cfg(feature = "async")]
mod tokio_tasks;
/// Event sources.
pub mod poll {
mod crossterm;
mod rendered;
mod thread_pool;
mod timer;
#[cfg(feature = "async")]
mod tokio_tasks;
pub use crossterm::PollCrossterm;
pub use rendered::PollRendered;
pub use thread_pool::PollTasks;
pub use timer::PollTimers;
#[cfg(feature = "async")]
pub use tokio_tasks::PollTokio;
}
pub use framework::run_tui;
pub use poll_events::PollEvents;
pub use run_config::RunConfig;
/// Result enum for event handling.
///
/// The result of an event is processed immediately after the
/// function returns, before polling new events. This way an action
/// can trigger another action which triggers the repaint without
/// other events intervening.
///
/// If you ever need to return more than one result from event-handling,
/// you can hand it to AppContext/RenderContext::queue(). Events
/// in the queue are processed in order, and the return value of
/// the event-handler comes last. If an error is returned, everything
/// send to the queue will be executed nonetheless.
///
/// __See__
///
/// - [flow!](rat_widget::event::flow)
/// - [try_flow!](rat_widget::event::try_flow)
/// - [ConsumedEvent]
#[derive(Debug, Clone, Copy)]
#[must_use]
#[non_exhaustive]
pub enum Control<Event> {
/// Continue with event-handling.
/// In the event-loop this waits for the next event.
Continue,
/// Break event-handling without repaint.
/// In the event-loop this waits for the next event.
Unchanged,
/// Break event-handling and repaints/renders the application.
/// In the event-loop this calls `render`.
Changed,
/// Eventhandling can cause secondary application specific events.
/// One common way is to return this `Control::Message(my_event)`
/// to reenter the event-loop with your own secondary event.
///
/// This acts quite like a message-queue to communicate between
/// disconnected parts of your application. And indeed there is
/// a hidden message-queue as part of the event-loop.
///
/// The other way is to call [AppContext::queue] to initiate such
/// events.
Event(Event),
/// Quit the application.
Quit,
}
impl<Event> Eq for Control<Event> {}
impl<Event> PartialEq for Control<Event> {
fn eq(&self, other: &Self) -> bool {
mem::discriminant(self) == mem::discriminant(other)
}
}
impl<Event> Ord for Control<Event> {
fn cmp(&self, other: &Self) -> Ordering {
match self {
Control::Continue => match other {
Control::Continue => Ordering::Equal,
Control::Unchanged => Ordering::Less,
Control::Changed => Ordering::Less,
Control::Event(_) => Ordering::Less,
Control::Quit => Ordering::Less,
},
Control::Unchanged => match other {
Control::Continue => Ordering::Greater,
Control::Unchanged => Ordering::Equal,
Control::Changed => Ordering::Less,
Control::Event(_) => Ordering::Less,
Control::Quit => Ordering::Less,
},
Control::Changed => match other {
Control::Continue => Ordering::Greater,
Control::Unchanged => Ordering::Greater,
Control::Changed => Ordering::Equal,
Control::Event(_) => Ordering::Less,
Control::Quit => Ordering::Less,
},
Control::Event(_) => match other {
Control::Continue => Ordering::Greater,
Control::Unchanged => Ordering::Greater,
Control::Changed => Ordering::Greater,
Control::Event(_) => Ordering::Equal,
Control::Quit => Ordering::Less,
},
Control::Quit => match other {
Control::Continue => Ordering::Greater,
Control::Unchanged => Ordering::Greater,
Control::Changed => Ordering::Greater,
Control::Event(_) => Ordering::Greater,
Control::Quit => Ordering::Equal,
},
}
}
}
impl<Event> PartialOrd for Control<Event> {
fn partial_cmp(&self, other: &Self) -> Option<Ordering> {
Some(self.cmp(other))
}
}
impl<Event> ConsumedEvent for Control<Event> {
fn is_consumed(&self) -> bool {
!matches!(self, Control::Continue)
}
}
impl<Event, T: Into<Outcome>> From<T> for Control<Event> {
fn from(value: T) -> Self {
let r = value.into();
match r {
Outcome::Continue => Control::Continue,
Outcome::Unchanged => Control::Unchanged,
Outcome::Changed => Control::Changed,
}
}
}
///
/// AppWidget mimics StatefulWidget and adds a [RenderContext]
///
pub trait AppWidget<Global, Event, Error>
where
Event: 'static + Send,
Error: 'static + Send,
{
/// Type of the State.
type State: AppState<Global, Event, Error> + ?Sized;
/// Renders an application widget.
fn render(
&self,
area: Rect,
buf: &mut Buffer,
state: &mut Self::State,
ctx: &mut RenderContext<'_, Global>,
) -> Result<(), Error>;
}
///
/// AppState executes events and has some init and error-handling.
///
/// There is no separate shutdown, handle this case with an application
/// specific event.
///
#[allow(unused_variables)]
pub trait AppState<Global, Event, Error>
where
Event: 'static + Send,
Error: 'static + Send,
{
/// Initialize the application. Runs before the first repaint.
fn init(
&mut self, //
ctx: &mut AppContext<'_, Global, Event, Error>,
) -> Result<(), Error> {
Ok(())
}
/// Shutdown the application. Runs after the event-loop has ended.
///
/// __Panic__
///
/// Doesn't run if a panic occurred.
///
///__Errors__
/// Any errors will be returned to main().
fn shutdown(&mut self, ctx: &mut AppContext<'_, Global, Event, Error>) -> Result<(), Error> {
Ok(())
}
/// Handle an event.
fn event(
&mut self,
event: &Event,
ctx: &mut AppContext<'_, Global, Event, Error>,
) -> Result<Control<Event>, Error> {
Ok(Control::Continue)
}
/// Do error handling.
fn error(
&self,
event: Error,
ctx: &mut AppContext<'_, Global, Event, Error>,
) -> Result<Control<Event>, Error> {
Ok(Control::Continue)
}
}
///
/// Application context for event handling.
///
#[derive(Debug)]
pub struct AppContext<'a, Global, Event, Error>
where
Event: 'static + Send,
Error: 'static + Send,
{
/// Global state for the application.
pub g: &'a mut Global,
/// Can be set to hold a Focus, if needed.
pub focus: Option<Focus>,
/// Last frame count rendered.
pub count: usize,
/// Application timers.
pub(crate) timers: Option<Rc<Timers>>,
/// Background tasks.
pub(crate) tasks: Option<Rc<ThreadPool<Event, Error>>>,
/// Background tasks.
#[cfg(feature = "async")]
pub(crate) tokio: Option<Rc<TokioTasks<Event, Error>>>,
/// Queue foreground tasks.
pub(crate) queue: &'a ControlQueue<Event, Error>,
}
///
/// Application context for rendering.
///
#[derive(Debug)]
pub struct RenderContext<'a, Global> {
/// Some global state for the application.
pub g: &'a mut Global,
/// Frame counter.
pub count: usize,
/// Output cursor position. Set after rendering is complete.
pub cursor: Option<(u16, u16)>,
}
impl<Global, Event, Error> AppContext<'_, Global, Event, Error>
where
Event: 'static + Send,
Error: 'static + Send,
{
/// Add a timer.
///
/// __Panic__
///
/// Panics if no timer support is configured.
#[inline]
pub fn add_timer(&self, t: TimerDef) -> TimerHandle {
self.timers
.as_ref()
.expect("No timers configured. In main() add RunConfig::default()?.poll(PollTimers)")
.add(t)
}
/// Remove a timer.
///
/// __Panic__
///
/// Panics if no timer support is configured.
#[inline]
pub fn remove_timer(&self, tag: TimerHandle) {
self.timers
.as_ref()
.expect("No timers configured. In main() add RunConfig::default()?.poll(PollTimers)")
.remove(tag);
}
/// Replace a timer.
/// Remove the old timer and create a new one.
/// If the old timer no longer exists it just creates the new one.
///
/// __Panic__
///
/// Panics if no timer support is configured.
#[inline]
pub fn replace_timer(&self, h: Option<TimerHandle>, t: TimerDef) -> TimerHandle {
if let Some(h) = h {
self.remove_timer(h);
}
self.add_timer(t)
}
/// Add a background worker task.
///
/// ```rust ignore
/// let cancel = ctx.spawn(|cancel, send| {
/// // ... do stuff
/// Ok(Control::Continue)
/// });
/// ```
///
/// __Panic__
///
/// Panics if no worker-thread support is configured.
#[inline]
pub fn spawn(
&self,
task: impl FnOnce(Cancel, &Sender<Result<Control<Event>, Error>>) -> Result<Control<Event>, Error>
+ Send
+ 'static,
) -> Result<Cancel, SendError<()>>
where
Event: 'static + Send,
Error: 'static + Send,
{
self.tasks
.as_ref()
.expect(
"No thread-pool configured. In main() add RunConfig::default()?.poll(PollTasks)",
)
.spawn(Box::new(task))
}
/// Spawn a future in the executor.
#[inline]
#[cfg(feature = "async")]
pub fn spawn_async<F>(&self, future: F) -> AbortHandle
where
F: Future<Output = Result<Control<Event>, Error>> + Send + 'static,
{
self.tokio.as_ref().expect("No tokio runtime is configured. In main() add RunConfig::default()?.poll(PollTokio::new(rt))")
.spawn(Box::new(future))
}
/// Spawn a future in the executor.
/// You get an extra channel to send back more than one result.
#[inline]
#[cfg(feature = "async")]
pub fn spawn_async_ext<C, F>(&self, cr_future: C) -> AbortHandle
where
C: FnOnce(tokio::sync::mpsc::Sender<Result<Control<Event>, Error>>) -> F,
F: Future<Output = Result<Control<Event>, Error>> + Send + 'static,
{
let rt = self.tokio.as_ref().expect("No tokio runtime is configured. In main() add RunConfig::default()?.poll(PollTokio::new(rt))");
let future = cr_future(rt.sender());
rt.spawn(Box::new(future))
}
/// Queue additional results.
#[inline]
pub fn queue(&self, ctrl: impl Into<Control<Event>>) {
self.queue.push(Ok(ctrl.into()));
}
/// Queue an error.
#[inline]
pub fn queue_err(&self, err: Error) {
self.queue.push(Err(err));
}
/// Access the focus-field.
///
/// __Panic__
///
/// Panics if no focus has been set.
#[inline]
pub fn focus(&self) -> &Focus {
self.focus.as_ref().expect("focus")
}
/// Access the focus-field.
///
/// __Panic__
///
/// Panics if no focus has been set.
#[inline]
pub fn focus_mut(&mut self) -> &mut Focus {
self.focus.as_mut().expect("focus")
}
/// Handle the focus-event and automatically queue the result.
///
/// __Panic__
///
/// Panics if no focus has been set.
#[inline]
pub fn focus_event<E>(&mut self, event: &E)
where
Focus: HandleEvent<E, Regular, Outcome>,
{
let focus = self.focus.as_mut().expect("focus");
let r = focus.handle(event, Regular);
if r.is_consumed() {
self.queue(r);
}
}
}
impl<Global> RenderContext<'_, Global> {
/// Set the cursor, if the given value is Some.
pub fn set_screen_cursor(&mut self, cursor: Option<(u16, u16)>) {
if let Some(c) = cursor {
self.cursor = Some(c);
}
}
}