sheetsui/src/ui/mod.rs

620 lines
20 KiB
Rust
Raw Normal View History

2024-10-29 19:47:50 -04:00
//! Ui rendering logic
2024-11-16 10:51:38 -05:00
use std::{path::PathBuf, process::ExitCode};
2024-10-29 19:47:50 -04:00
2024-11-16 10:51:38 -05:00
use crate::book::Book;
2024-10-29 19:47:50 -04:00
2024-11-16 10:51:38 -05:00
use anyhow::Result;
2024-11-22 14:57:08 -05:00
use crossterm::event::{self, Event, KeyCode, KeyEvent, KeyEventKind, KeyModifiers};
2024-10-29 19:47:50 -04:00
use ratatui::{
self,
buffer::Buffer,
layout::{Constraint, Flex, Layout, Rect},
style::{Color, Modifier, Style, Stylize},
text::{Line, Text},
widgets::{Block, Cell, Paragraph, Row, Table, TableState, Widget},
Frame,
2024-10-29 19:47:50 -04:00
};
2024-11-22 14:57:08 -05:00
use tui_popup::Popup;
use tui_prompts::{State, Status, TextPrompt, TextState};
2024-11-03 14:08:46 -05:00
use tui_textarea::{CursorMove, TextArea};
mod cmd;
#[cfg(test)]
mod test;
use cmd::Cmd;
2024-11-22 14:57:08 -05:00
#[derive(Default, Debug, PartialEq, Clone)]
2024-10-30 14:34:45 -04:00
pub enum Modality {
#[default]
Navigate,
CellEdit,
Command,
2024-11-03 14:08:46 -05:00
// TODO(zaphar): Command Mode?
2024-11-22 14:57:08 -05:00
Dialog,
2024-10-30 14:34:45 -04:00
}
2024-11-22 14:57:08 -05:00
#[derive(Debug)]
pub struct AppState<'ws> {
2024-11-22 14:57:08 -05:00
pub modality_stack: Vec<Modality>,
pub table_state: TableState,
pub command_state: TextState<'ws>,
2024-10-30 14:34:45 -04:00
}
2024-11-22 14:57:08 -05:00
impl<'ws> Default for AppState<'ws> {
fn default() -> Self {
AppState {
modality_stack: vec![Modality::default()],
table_state: Default::default(),
command_state: Default::default()
}
}
}
impl<'ws> AppState<'ws> {
pub fn modality(&'ws self) -> &'ws Modality {
self.modality_stack.last().unwrap()
}
pub fn pop_modality(&mut self) {
if self.modality_stack.len() > 1 {
self.modality_stack.pop();
}
}
}
2024-11-16 10:51:38 -05:00
// TODO(jwall): This should probably move to a different module.
/// The Address in a Table.
#[derive(Debug, PartialEq, PartialOrd, Ord, Eq, Clone)]
pub struct Address {
pub row: usize,
pub col: usize,
}
impl Address {
pub fn new(row: usize, col: usize) -> Self {
Self { row, col }
}
}
impl Default for Address {
fn default() -> Self {
Address::new(1, 1)
}
}
2024-10-30 14:34:45 -04:00
// Interaction Modalities
// * Navigate
// * Edit
2024-11-02 21:42:17 -04:00
pub struct Workspace<'ws> {
2024-11-03 14:08:46 -05:00
name: PathBuf,
2024-11-16 10:51:38 -05:00
book: Book,
state: AppState<'ws>,
2024-11-02 21:42:17 -04:00
text_area: TextArea<'ws>,
dirty: bool,
show_help: bool,
2024-11-22 14:57:08 -05:00
popup: String
2024-10-29 19:47:50 -04:00
}
2024-11-02 21:42:17 -04:00
impl<'ws> Workspace<'ws> {
2024-11-16 10:51:38 -05:00
pub fn new(book: Book, name: PathBuf) -> Self {
2024-11-02 21:42:17 -04:00
let mut ws = Self {
2024-11-16 10:51:38 -05:00
book,
2024-11-03 14:08:46 -05:00
name,
2024-10-30 14:34:45 -04:00
state: AppState::default(),
2024-11-02 21:42:17 -04:00
text_area: reset_text_area("".to_owned()),
dirty: false,
show_help: false,
2024-11-22 14:57:08 -05:00
popup: String::new(),
2024-11-02 21:42:17 -04:00
};
ws.handle_movement_change();
ws
2024-10-29 19:47:50 -04:00
}
2024-11-16 10:51:38 -05:00
pub fn load(path: &PathBuf, locale: &str, tz: &str) -> Result<Self> {
let book = load_book(path, locale, tz)?;
2024-11-16 10:51:38 -05:00
Ok(Workspace::new(book, path.clone()))
2024-10-30 14:34:45 -04:00
}
pub fn load_into<P: Into<PathBuf>>(&mut self, path: P) -> Result<()> {
let path: PathBuf = path.into();
// FIXME(zaphar): This should be managed better.
let book = load_book(&path, "en", "America/New_York")?;
self.book = book;
self.name = path;
Ok(())
}
2024-10-30 14:34:45 -04:00
pub fn move_down(&mut self) -> Result<()> {
2024-11-16 10:51:38 -05:00
let mut loc = self.book.location.clone();
2024-11-18 18:00:16 -05:00
let (row_count, _) = self.book.get_size()?;
if loc.row < row_count {
2024-10-30 14:34:45 -04:00
loc.row += 1;
2024-11-16 10:51:38 -05:00
self.book.move_to(loc)?;
2024-10-30 14:34:45 -04:00
}
Ok(())
}
2024-11-02 21:42:17 -04:00
2024-10-30 14:34:45 -04:00
pub fn move_up(&mut self) -> Result<()> {
2024-11-16 10:51:38 -05:00
let mut loc = self.book.location.clone();
2024-11-18 18:00:16 -05:00
if loc.row > 1 {
2024-10-30 14:34:45 -04:00
loc.row -= 1;
2024-11-16 10:51:38 -05:00
self.book.move_to(loc)?;
2024-10-30 14:34:45 -04:00
}
Ok(())
}
2024-11-02 21:42:17 -04:00
2024-10-30 14:34:45 -04:00
pub fn move_left(&mut self) -> Result<()> {
2024-11-16 10:51:38 -05:00
let mut loc = self.book.location.clone();
2024-11-18 18:00:16 -05:00
if loc.col > 1 {
2024-10-30 14:34:45 -04:00
loc.col -= 1;
2024-11-16 10:51:38 -05:00
self.book.move_to(loc)?;
2024-10-30 14:34:45 -04:00
}
Ok(())
}
2024-11-02 21:42:17 -04:00
2024-10-30 14:34:45 -04:00
pub fn move_right(&mut self) -> Result<()> {
2024-11-16 10:51:38 -05:00
let mut loc = self.book.location.clone();
2024-11-18 18:00:16 -05:00
let (_, col_count) = self.book.get_size()?;
if loc.col < col_count {
2024-11-02 21:42:17 -04:00
loc.col += 1;
2024-11-16 10:51:38 -05:00
self.book.move_to(loc)?;
2024-10-30 14:34:45 -04:00
}
Ok(())
2024-10-29 19:47:50 -04:00
}
2024-10-30 14:34:45 -04:00
2024-11-03 14:08:46 -05:00
pub fn handle_input(&mut self) -> Result<Option<ExitCode>> {
2024-10-30 14:34:45 -04:00
if let Event::Key(key) = event::read()? {
2024-11-22 14:57:08 -05:00
let result = match self.state.modality() {
2024-11-03 14:08:46 -05:00
Modality::Navigate => self.handle_navigation_input(key)?,
Modality::CellEdit => self.handle_edit_input(key)?,
Modality::Command => self.handle_command_input(key)?,
2024-11-22 14:57:08 -05:00
Modality::Dialog => self.handle_dialog_input(key)?,
2024-11-03 14:08:46 -05:00
};
return Ok(result);
2024-10-30 14:34:45 -04:00
}
Ok(None)
}
2024-11-05 15:35:51 -05:00
fn render_help_text(&self) -> impl Widget {
let info_block = Block::bordered().title("Help");
2024-11-22 14:57:08 -05:00
Paragraph::new(match self.state.modality() {
Modality::Navigate => Text::from(vec![
"Navigate Mode:".into(),
"* e: Enter edit mode for current cell".into(),
"* h,j,k,l: vim style navigation".into(),
2024-11-05 16:34:30 -05:00
"* CTRl-r: Add a row".into(),
"* CTRl-c: Add a column".into(),
"* q exit".into(),
"* Ctrl-S Save sheet".into(),
]),
Modality::CellEdit => Text::from(vec![
"Edit Mode:".into(),
"* ESC: Exit edit mode".into(),
"Otherwise edit as normal".into(),
]),
Modality::Command => Text::from(vec![
"Command Mode:".into(),
"* ESC: Exit command mode".into(),
]),
2024-11-22 14:57:08 -05:00
Modality::Dialog => Text::from(vec![
"Dialog Mode:".into(),
"* ESC: Exit dialog".into(),
]),
2024-11-16 10:51:38 -05:00
})
.block(info_block)
2024-11-05 15:35:51 -05:00
}
fn handle_command_input(&mut self, key: event::KeyEvent) -> Result<Option<ExitCode>> {
if key.kind == KeyEventKind::Press {
match key.code {
KeyCode::Esc | KeyCode::Enter => self.exit_command_mode()?,
_ => {
// NOOP
}
}
}
self.state.command_state.handle_key_event(key);
Ok(None)
}
2024-11-22 14:57:08 -05:00
fn handle_dialog_input(&mut self, key: event::KeyEvent) -> Result<Option<ExitCode>> {
if key.kind == KeyEventKind::Press {
match key.code {
KeyCode::Esc | KeyCode::Enter | KeyCode::Char('q') => self.exit_dialog_mode()?,
_ => {
// NOOP
}
}
}
Ok(None)
}
2024-11-03 14:08:46 -05:00
fn handle_edit_input(&mut self, key: event::KeyEvent) -> Result<Option<ExitCode>> {
2024-10-30 14:34:45 -04:00
if key.kind == KeyEventKind::Press {
match key.code {
KeyCode::Char('h') if key.modifiers == KeyModifiers::CONTROL => {
self.show_help = !self.show_help;
}
KeyCode::Esc | KeyCode::Enter => self.exit_edit_mode()?,
_ => {
// NOOP
}
2024-10-30 14:34:45 -04:00
}
}
2024-11-03 14:08:46 -05:00
// TODO(zaphar): Some specialized editing keybinds
// * Select All
// * Copy
// * Paste
2024-11-02 21:42:17 -04:00
if self.text_area.input(key) {
self.dirty = true;
}
2024-10-30 14:34:45 -04:00
Ok(None)
}
fn handle_command(&mut self, cmd_text: String) -> Result<bool> {
if cmd_text.is_empty() {
return Ok(true);
2024-11-18 18:22:36 -05:00
}
match cmd::parse(&cmd_text) {
Ok(Some(Cmd::Edit(path))) => {
self.load_into(path)?;
Ok(true)
}
Ok(Some(Cmd::Help(_maybe_topic))) => {
2024-11-22 14:57:08 -05:00
self.enter_dialog_mode("TODO help topic".to_owned());
Ok(true)
}
Ok(Some(Cmd::Write(maybe_path))) => {
if let Some(path) = maybe_path {
self.save_to(path)?;
} else {
self.save_file()?;
}
Ok(true)
}
Ok(Some(Cmd::InsertColumns(count))) => {
self.book.insert_columns(self.book.location.col, count)?;
self.book.evaluate();
Ok(true)
},
Ok(Some(Cmd::InsertRow(count))) => {
self.book.insert_rows(self.book.location.row, count)?;
self.book.evaluate();
Ok(true)
},
Ok(Some(Cmd::Quit)) => {
// TODO(zaphar): We probably need to do better than this
std::process::exit(0);
},
2024-11-22 14:57:08 -05:00
Ok(None) => {
self.enter_dialog_mode(format!("Unrecognized commmand {}", cmd_text));
Ok(false)
},
Err(msg) => {
self.enter_dialog_mode(msg.to_owned());
Ok(false)
}
}
2024-11-18 18:22:36 -05:00
}
2024-11-03 14:08:46 -05:00
fn handle_navigation_input(&mut self, key: event::KeyEvent) -> Result<Option<ExitCode>> {
2024-10-30 14:34:45 -04:00
if key.kind == KeyEventKind::Press {
match key.code {
2024-11-20 21:30:09 -05:00
KeyCode::Char('e') | KeyCode::Char('i') => {
self.enter_edit_mode();
}
KeyCode::Char(':') => {
self.enter_command_mode();
2024-11-02 21:42:17 -04:00
}
KeyCode::Char('h') if key.modifiers == KeyModifiers::CONTROL => {
self.show_help = !self.show_help;
}
2024-11-03 14:08:46 -05:00
KeyCode::Char('s') if key.modifiers == KeyModifiers::CONTROL => {
self.save_file()?;
}
2024-11-05 16:34:30 -05:00
KeyCode::Char('r') if key.modifiers == KeyModifiers::CONTROL => {
2024-11-16 20:25:35 -05:00
let (row_count, _) = self.book.get_size()?;
self.book.update_entry(
&Address {
row: row_count + 1,
col: 1,
},
"",
)?;
2024-11-16 20:25:35 -05:00
let (row, _) = self.book.get_size()?;
2024-11-16 10:51:38 -05:00
let mut loc = self.book.location.clone();
2024-11-16 20:25:35 -05:00
if loc.row < row as usize {
loc.row = row as usize;
2024-11-16 10:51:38 -05:00
self.book.move_to(loc)?;
}
self.handle_movement_change();
2024-11-05 16:34:30 -05:00
}
2024-11-18 18:00:16 -05:00
KeyCode::Char('t') if key.modifiers == KeyModifiers::CONTROL => {
2024-11-16 20:25:35 -05:00
let (_, col_count) = self.book.get_size()?;
self.book.update_entry(
&Address {
row: 1,
col: col_count + 1,
},
"",
)?;
2024-11-05 16:34:30 -05:00
}
2024-10-30 14:34:45 -04:00
KeyCode::Char('q') => {
return Ok(Some(ExitCode::SUCCESS));
2024-11-02 21:42:17 -04:00
}
2024-10-30 14:34:45 -04:00
KeyCode::Char('j') => {
self.move_down()?;
2024-11-02 21:42:17 -04:00
self.handle_movement_change();
}
2024-10-30 14:34:45 -04:00
KeyCode::Char('k') => {
self.move_up()?;
2024-11-02 21:42:17 -04:00
self.handle_movement_change();
}
2024-10-30 14:34:45 -04:00
KeyCode::Char('h') => {
self.move_left()?;
2024-11-02 21:42:17 -04:00
self.handle_movement_change();
}
2024-10-30 14:34:45 -04:00
KeyCode::Char('l') => {
self.move_right()?;
2024-11-02 21:42:17 -04:00
self.handle_movement_change();
}
2024-10-30 14:34:45 -04:00
_ => {
// noop
}
}
}
2024-11-03 14:08:46 -05:00
// TODO(jeremy): Handle some useful navigation operations.
// * Copy Cell reference
// * Copy Cell Range reference
// * Extend Cell {down,up}
// * Goto location. (Command modality?)
2024-10-30 14:34:45 -04:00
return Ok(None);
}
fn enter_navigation_mode(&mut self) {
2024-11-22 14:57:08 -05:00
self.state.modality_stack.push(Modality::Navigate);
}
fn enter_command_mode(&mut self) {
2024-11-22 14:57:08 -05:00
self.state.modality_stack.push(Modality::Command);
self.state.command_state.truncate();
*self.state.command_state.status_mut() = Status::Pending;
self.state.command_state.focus();
}
2024-11-22 14:57:08 -05:00
fn enter_dialog_mode(&mut self, msg: String) {
self.popup = msg;
self.state.modality_stack.push(Modality::Dialog);
}
fn enter_edit_mode(&mut self) {
2024-11-22 14:57:08 -05:00
self.state.modality_stack.push(Modality::CellEdit);
self.text_area
.set_cursor_line_style(Style::default().add_modifier(Modifier::UNDERLINED));
self.text_area
.set_cursor_style(Style::default().add_modifier(Modifier::SLOW_BLINK));
self.text_area.move_cursor(CursorMove::Bottom);
self.text_area.move_cursor(CursorMove::End);
}
fn exit_command_mode(&mut self) -> Result<()> {
let cmd = self.state.command_state.value().to_owned();
self.state.command_state.blur();
*self.state.command_state.status_mut() = Status::Done;
2024-11-22 14:57:08 -05:00
self.state.pop_modality();
self.handle_command(cmd)?;
Ok(())
}
2024-11-22 14:57:08 -05:00
fn exit_dialog_mode(&mut self) -> Result<()> {
self.state.pop_modality();
Ok(())
}
fn exit_edit_mode(&mut self) -> Result<()> {
self.text_area.set_cursor_line_style(Style::default());
self.text_area.set_cursor_style(Style::default());
let contents = self.text_area.lines().join("\n");
if self.dirty {
self.book.edit_current_cell(contents)?;
self.book.evaluate();
self.dirty = false;
}
self.enter_navigation_mode();
Ok(())
}
2024-11-02 21:42:17 -04:00
fn handle_movement_change(&mut self) {
2024-11-16 10:51:38 -05:00
let contents = self
.book
.get_current_cell_contents()
.expect("Unexpected failure getting current cell contents");
2024-11-02 21:42:17 -04:00
self.text_area = reset_text_area(contents);
}
2024-11-03 14:08:46 -05:00
fn save_file(&self) -> Result<()> {
self.book
.save_to_xlsx(&self.name.to_string_lossy().to_string())?;
2024-11-03 14:08:46 -05:00
Ok(())
}
fn save_to<S: Into<String>>(&self, path: S) -> Result<()> {
self.book.save_to_xlsx(path.into().as_str())?;
Ok(())
}
fn get_render_parts(
&mut self,
area: Rect,
) -> Vec<(Rect, Box<dyn Fn(Rect, &mut Buffer, &mut Self)>)> {
use ratatui::widgets::StatefulWidget;
let mut cs = vec![Constraint::Fill(4), Constraint::Fill(30)];
let Address { row, col } = self.book.location;
let mut rs: Vec<Box<dyn Fn(Rect, &mut Buffer, &mut Self)>> = vec![
Box::new(|rect: Rect, buf: &mut Buffer, ws: &mut Self| ws.text_area.render(rect, buf)),
Box::new(move |rect: Rect, buf: &mut Buffer, ws: &mut Self| {
// Table widget display
let table_block = Block::bordered();
let table_inner: Table = TryFrom::try_from(&ws.book).expect("");
let table = table_inner.block(table_block);
// https://docs.rs/ratatui/latest/ratatui/widgets/struct.TableState.html
// TODO(zaphar): Apparently scrolling by columns doesn't work?
ws.state.table_state.select_cell(Some((row, col)));
ws.state.table_state.select_column(Some(col));
StatefulWidget::render(table, rect, buf, &mut ws.state.table_state);
}),
];
if self.show_help {
cs.push(Constraint::Fill(9));
rs.push(Box::new(|rect: Rect, buf: &mut Buffer, ws: &mut Self| {
let info_para = ws.render_help_text();
info_para.render(rect, buf);
}));
}
2024-11-22 14:57:08 -05:00
if self.state.modality() == &Modality::Command {
cs.push(Constraint::Max(1));
rs.push(Box::new(|rect: Rect, buf: &mut Buffer, ws: &mut Self| {
StatefulWidget::render(
TextPrompt::from("Command"),
rect,
buf,
&mut ws.state.command_state,
)
}));
}
let rects: Vec<Rect> = Vec::from(
Layout::vertical(cs)
.vertical_margin(2)
.horizontal_margin(2)
.flex(Flex::Legacy)
.split(area.clone())
.as_ref(),
);
rects
.into_iter()
.zip(rs.into_iter())
.map(|(rect, f)| (rect, f))
.collect()
}
2024-11-02 21:42:17 -04:00
}
fn load_book(path: &PathBuf, locale: &str, tz: &str) -> Result<Book, anyhow::Error> {
let book = if path.exists() {
Book::new_from_xlsx_with_locale(&path.to_string_lossy().to_string(), locale, tz)?
} else {
Book::default()
};
Ok(book)
}
2024-11-02 21:42:17 -04:00
fn reset_text_area<'a>(content: String) -> TextArea<'a> {
let mut text_area = TextArea::from(content.lines());
text_area.set_cursor_line_style(Style::default());
text_area.set_cursor_style(Style::default());
text_area.set_block(Block::bordered());
2024-11-02 21:42:17 -04:00
text_area
2024-10-29 19:47:50 -04:00
}
impl<'widget, 'ws: 'widget> Widget for &'widget mut Workspace<'ws> {
fn render(self, area: Rect, buf: &mut ratatui::prelude::Buffer)
2024-10-29 19:47:50 -04:00
where
Self: Sized,
{
2024-11-02 21:42:17 -04:00
let outer_block = Block::bordered()
2024-11-16 10:51:38 -05:00
.title(Line::from(
self.name
.file_name()
.map(|p| p.to_string_lossy().to_string())
.unwrap_or_else(|| String::from("Unknown")),
))
2024-11-22 14:57:08 -05:00
.title_bottom(match self.state.modality() {
2024-10-30 14:34:45 -04:00
Modality::Navigate => "navigate",
Modality::CellEdit => "edit",
Modality::Command => "command",
2024-11-22 14:57:08 -05:00
Modality::Dialog => "",
2024-10-30 14:34:45 -04:00
})
2024-11-02 21:42:17 -04:00
.title_bottom(
Line::from(format!(
"{},{}",
2024-11-16 10:51:38 -05:00
self.book.location.row, self.book.location.col
2024-11-02 21:42:17 -04:00
))
.right_aligned(),
);
for (rect, f) in self.get_render_parts(area.clone()) {
f(rect, buf, self);
}
2024-11-02 21:42:17 -04:00
outer_block.render(area, buf);
2024-11-22 14:57:08 -05:00
if self.state.modality() == &Modality::Dialog {
let popup = Popup::new(Text::from(self.popup.clone()));
popup.render(area, buf);
}
2024-10-29 19:47:50 -04:00
}
}
const COLNAMES: [&'static str; 26] = [
2024-11-16 10:51:38 -05:00
"A", "B", "C", "D", "E", "F", "G", "H", "I", "J", "K", "L", "M", "N", "O", "P", "Q", "R", "S",
"T", "U", "V", "W", "X", "Y", "Z",
2024-10-29 19:47:50 -04:00
];
2024-11-16 10:51:38 -05:00
impl<'t, 'book: 't> TryFrom<&'book Book> for Table<'t> {
fn try_from(value: &'book Book) -> std::result::Result<Self, Self::Error> {
// TODO(zaphar): This is apparently expensive. Maybe we can cache it somehow?
// We should do the correct thing here if this fails
2024-11-16 20:25:35 -05:00
let (row_count, col_count) = value.get_size()?;
2024-11-16 10:51:38 -05:00
let rows: Vec<Row> = (1..=row_count)
.into_iter()
.map(|ri| {
2024-11-16 20:25:35 -05:00
let mut cells = vec![Cell::new(Text::from(ri.to_string()))];
cells.extend((1..=col_count).into_iter().map(|ci| {
// TODO(zaphar): Is this safe?
let content = value.get_cell_addr_rendered(ri, ci).unwrap();
let cell = Cell::new(Text::raw(content));
match (value.location.row == ri, value.location.col == ci) {
(true, true) => cell.fg(Color::White).underlined(),
_ => cell
.bg(if ri % 2 == 0 {
Color::Rgb(57, 61, 71)
} else {
Color::Rgb(165, 169, 160)
})
.fg(if ri % 2 == 0 {
Color::White
} else {
Color::Rgb(31, 32, 34)
}),
}
.bold()
}));
2024-10-29 19:47:50 -04:00
Row::new(cells)
})
.collect();
let mut constraints: Vec<Constraint> = Vec::new();
constraints.push(Constraint::Max(5));
2024-11-16 10:51:38 -05:00
for _ in 0..col_count {
2024-10-29 19:47:50 -04:00
constraints.push(Constraint::Min(5));
}
2024-11-16 10:51:38 -05:00
let mut header = Vec::with_capacity(col_count as usize);
header.push(Cell::new(""));
header.extend((0..(col_count as usize)).map(|i| {
let count = (i / 26) + 1;
Cell::new(COLNAMES[i % 26].repeat(count))
}));
Ok(Table::new(rows, constraints)
2024-10-29 19:47:50 -04:00
.block(Block::bordered())
.header(Row::new(header).underlined())
.column_spacing(1)
2024-11-16 10:51:38 -05:00
.flex(Flex::SpaceAround))
2024-10-29 19:47:50 -04:00
}
2024-11-16 10:51:38 -05:00
type Error = anyhow::Error;
2024-10-29 19:47:50 -04:00
}
pub fn draw(frame: &mut Frame, ws: &mut Workspace) {
2024-10-29 19:47:50 -04:00
frame.render_widget(ws, frame.area());
}