Releases: fdehau/tui-rs
v0.19.0
v0.18.0
v0.17.0
Features
- Add option to
widgets::Listto repeat the hightlight symbol for each line of multi-line items (#533). - Add option to control the alignment of
Axislabels in theChartwidget (#568).
Breaking changes
- The minimum supported rust version is now
1.56.1.
New default backend and consolidated backend options (#553)
crosstermis now the default backend.
If you are already using thecrosstermbackend, you can simplify your dependency specification inCargo.toml:
- tui = { version = "0.16", default-features = false, features = ["crossterm"] }
+ tui = "0.17"If you are using the termion backend, your Cargo is now a bit more verbose:
- tui = "0.16"
+ tui = { version = "0.17", default-features = false, features = ["termion"] }crossterm has also been bumped to version 0.22.
Because of their apparent low usage, curses and rustbox backends have been removed.
If you are using one of them, you can import their last implementation in your own project:
Canvas labels (#543)
- Labels of the
Canvaswidget are nowtext::Spans.
The signature ofwidgets::canvas::Context::printhas thus been updated:
- ctx.print(x, y, "Some text", Color::Yellow);
+ ctx.print(x, y, Span::styled("Some text", Style::default().fg(Color::Yellow)))v.0.16.0
Features
- Update
crosstermto0.20. - Add
From<Cow<str>>implementation fortext::Text(#471). - Add option to right or center align the title of a
widgets::Block(#462).
Fixes
- Apply label style in
widgets::Gaugeand avoid panics because of overflows with long labels (#494). - Avoid panics because of overflows with long axis labels in
widgets::Chart(#512). - Fix computation of column widths in
widgets::Table(#514). - Fix panics because of invalid offset when input changes between two frames in
widgets::Listand
widgets::Chart(#516).
v0.15.0
v0.14.0
Breaking changes
New API for the Table widget
The Table widget got a lot of improvements that should make it easier to work with:
- It should not longer panic when rendered on small areas.
Rows are now a collection ofCells, themselves wrapping aText. This means you can style
the entireTable, an entireRow, an entireCelland rely on the styling capabilities of
Textto get full control over the look of yourTable.Rows can have multiple lines.- The header is now optional and is just another
Rowalways visible at the top. Rows can have a bottom margin.- The header alignment is no longer off when an item is selected.
Taking the example of the code in examples/demo/ui.rs, this is what you may have to change:
let failure_style = Style::default()
.fg(Color::Red)
.add_modifier(Modifier::RAPID_BLINK | Modifier::CROSSED_OUT);
- let header = ["Server", "Location", "Status"];
let rows = app.servers.iter().map(|s| {
let style = if s.status == "Up" {
up_style
} else {
failure_style
};
- Row::StyledData(vec![s.name, s.location, s.status].into_iter(), style)
+ Row::new(vec![s.name, s.location, s.status]).style(style)
});
- let table = Table::new(header.iter(), rows)
+ let table = Table::new(rows)
+ .header(
+ Row::new(vec!["Server", "Location", "Status"])
+ .style(Style::default().fg(Color::Yellow))
+ .bottom_margin(1),
+ )
.block(Block::default().title("Servers").borders(Borders::ALL))
- .header_style(Style::default().fg(Color::Yellow))
.widths(&[
Constraint::Length(15),
Constraint::Length(15),Here, we had to:
- Change the way we construct
Rowwhich is no
longer anenumbut astruct. It accepts anything that can be converted to an iterator of things
that can be converted to aCell - The header is no longer a required parameter so we use
Table::headerto set it.
Table::header_stylehas been removed since the style can be directly set using
Row::style. In addition, we want
to preserve the old margin between the header and the rest of the rows so we add a bottom margin to
the header using
Row::bottom_margin.
You may want to look at the documentation of the different types to get a better understanding:
Fixes
- Fix handling of Non Breaking Space (NBSP) in wrapped text in
Paragraphwidget.
Features
- Add
Style::resetto create aStyleresetting all styling properties when applied. - Add an option to render the
Gaugewidget with unicode blocks. - Manage common project tasks with
cargo-makerather thanmakefor easier on-boarding.
v0.13.0
v0.12.0
v0.11.0
v0.10.0
Breaking changes
Easier cursor management
A new method has been added to Frame called set_cursor. It lets you specify where the cursor
should be placed after the draw call. Furthermore like any other widgets, if you do not set a cursor
position during a draw call, the cursor is automatically hidden.
For example:
fn draw_input(f: &mut Frame, app: &App) {
if app.editing {
let input_width = app.input.width() as u16;
// The cursor will be placed just after the last character of the input
f.set_cursor((input_width + 1, 0));
} else {
// We are no longer editing, the cursor does not have to be shown, set_cursor is not called and
// thus automatically hidden.
}
}In order to make this possible, the draw closure takes in input &mut Frame instead of mut Frame.
Advanced text styling
It has been reported several times that the text styling capabilities were somewhat limited in many
places of the crate. To solve the issue, this release includes a new set of text primitives that are
now used by a majority of widgets to provide flexible text styling.
Text is replaced by the following types:
Span: a string with a unique style.Spans: a string with multiple styles.Text: a multi-lines string with multiple styles.
However, you do not always need this complexity so the crate provides From implementations to
let you use simple strings as a default and switch to the previous primitives when you need
additional styling capabilities.
For example, the title of a Block can be set in the following ways:
// A title with no styling
Block::default().title("My title");
// A yellow title
Block::default().title(Span::styled("My title", Style::default().fg(Color::Yellow)));
// A title where "My" is bold and "title" is a simple string
Block::default().title(vec![
Span::styled("My", Style::default().add_modifier(Modifier::BOLD)),
Span::from("title")
]);Buffer::set_spansandBuffer::set_spanwere added.Paragraph::newexpects an input that can be converted to aText.Block::title_styleis deprecated.Block::titleexpects aSpans.Tabsexpects a list ofSpans.Gaugecustom label is now aSpan.Axistitle and labels areSpans(as a consequenceChartno longer has generic bounds).
Incremental styling
Previously Style was used to represent an exhaustive set of style rules to be applied to an UI
element. It implied that whenever you wanted to change even only one property you had to provide the
complete style. For example, if you had a Block where you wanted to have a green background and
a title in bold, you had to do the following:
let style = Style::default().bg(Color::Green);
Block::default()
.style(style)
.title("My title")
// Here we reused the style otherwise the background color would have been reset
.title_style(style.modifier(Modifier::BOLD));In this new release, you may now write this as:
Block::default()
.style(Style::default().bg(Color::Green))
// The style is not overidden anymore, we simply add new style rule for the title.
.title(Span::styled("My title", Style::default().add_modifier(Modifier::BOLD)))In addition, the crate now provides a method patch to combine two styles into a new set of style
rules:
let style = Style::default().modifer(Modifier::BOLD);
let style = style.patch(Style::default().add_modifier(Modifier::ITALIC));
// style.modifer == Modifier::BOLD | Modifier::ITALIC, the modifier has been enriched not overiddenStyle::modifierhas been removed in favor ofStyle::add_modifierandStyle::remove_modifier.Buffer::set_stylehas been added.Buffer::set_backgroundis deprecated.BarChart::styleno longer set the style of the bars. UseBarChart::bar_stylein replacement.Gauge::styleno longer set the style of the gauge. UseGauge::gauge_stylein replacement.
List with item on multiple lines
The List widget has been refactored once again to support items with variable heights and complex
styling.
List::newexpects an input that can be converted to aVec<ListItem>whereListItemis a
wrapper around the item content to provide additional styling capabilities.ListItemcontains a
Text.List::itemshas been removed.
// Before
let items = vec![
"Item1",
"Item2",
"Item3"
];
List::default().items(items.iters());
// After
let items = vec![
ListItem::new("Item1"),
ListItem::new("Item2"),
ListItem::new("Item3"),
];
List::new(items);See the examples for more advanced usages.
More wrapping options
Paragraph::wrap expects Wrap instead of bool to let users decided whether they want to trim
whitespaces when the text is wrapped.
// before
Paragraph::new(text).wrap(true)
// after
Paragraph::new(text).wrap(Wrap { trim: true }) // to have the same behavior
Paragraph::new(text).wrap(Wrap { trim: false }) // to use the new behaviorHorizontal scrolling in paragraph
You can now scroll horizontally in Paragraph. The argument of Paragraph::scroll has thus be
changed from u16 to (u16, u16).
Features
Serialization of style
You can now serialize and de-serialize Style using the optional serde feature.