Skip to content

Commit

Permalink
Refactor and fix IRC formatting handling (#360)
Browse files Browse the repository at this point in the history
This PR implements IRC formatting parsing, as described in
https://modern.ircdocs.horse/formatting.html

Previously we were only parsing the color codes (starting with `\x03`), rest of
the formatting characters were ignored.

We now parse all formatting characters, but formatting characters other than
two-digit color codes, "reverse" (reverses current background and foreground
colors), and "reset" (resets formatting to default) are currently ignored.
Handling those is left for another PR.

Logger now filters out all control characters before writing to a file.

I also refactored mapping IRC colors to termbox colors. Previously, for some
colors, we used ANSI terminal colors in range 0-15, but those colors change
depending on the terminal color scheme (not sure if this is part of the ANSI
standard, or just something terminals do to implement color schemes). So we now
map IRC color codes to ANSI colors in range 16-255.
  • Loading branch information
osa1 committed Oct 6, 2021
1 parent 6f7ab46 commit 33df77e
Show file tree
Hide file tree
Showing 15 changed files with 631 additions and 163 deletions.
13 changes: 13 additions & 0 deletions ARCHITECTURE.md
Original file line number Diff line number Diff line change
Expand Up @@ -103,6 +103,19 @@ for user input events and a TUI handle to update the TUI. The types are:
| term_input | Input handling (reading events from `stdin`) |
| termbox_simple | Terminal manipulation (drawing) |
| libtiny_common | The "channel name" type |
| libtiny_wire | Parsing IRC message formatting characters (colors etc.) |

### libtiny_logger

Implements logging IRC events (incoming messages, user left/joined etc.) to
user-specified log directory.

#### Dependencies of `libtiny_logger`:

| Dependency | Used for |
| -------------- | ------------- |
| libtiny_common | The "channel name" type |
| libtiny_wire | Filtering out IRC message formatting characters (colors etc.) |

### libtiny_wire

Expand Down
6 changes: 6 additions & 0 deletions CHANGELOG.md
Original file line number Diff line number Diff line change
Expand Up @@ -11,6 +11,12 @@
- `/join` (without arguments) now rejoins the current channel. (#334)
- Key bindings can be configured in the config file. See the [wiki
page][key-bindings-wiki] for details. (#328, #336)
- Handling of IRC formatting characters (colors etc.) in TUI and logger
improved:
- TUI now handles "reset" control character, to reset the text style to the
default.
- Logger now filters out all control characters before writing to the file.
(#360)

[key-bindings-wiki]: https://github.com/osa1/tiny/wiki/Configuring-key-bindings

Expand Down
2 changes: 2 additions & 0 deletions Cargo.lock

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

6 changes: 6 additions & 0 deletions assets/README.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,6 @@
Update `crate_deps.png` with:

```
dot -Tpng crate_deps.dot > crate_deps.png
optipng crate_deps.png
```
2 changes: 2 additions & 0 deletions assets/crate_deps.dot
Original file line number Diff line number Diff line change
Expand Up @@ -24,8 +24,10 @@ digraph mygraph {
"libtiny_client" -> "libtiny_wire"

"libtiny_logger" -> "libtiny_common"
"libtiny_logger" -> "libtiny_wire"

"libtiny_tui" -> "libtiny_common"
"libtiny_tui" -> "libtiny_wire"
"libtiny_tui" -> "term_input"
"libtiny_tui" -> "termbox_simple"

Expand Down
Binary file modified assets/crate_deps.png
Loading
Sorry, something went wrong. Reload?
Sorry, we cannot display this file.
Sorry, this file is invalid so it cannot be displayed.
1 change: 1 addition & 0 deletions crates/libtiny_logger/Cargo.toml
Original file line number Diff line number Diff line change
Expand Up @@ -7,5 +7,6 @@ edition = "2018"

[dependencies]
libtiny_common = { path = "../libtiny_common" }
libtiny_wire = { path = "../libtiny_wire" }
log = "0.4"
time = "0.1"
2 changes: 2 additions & 0 deletions crates/libtiny_logger/src/lib.rs
Original file line number Diff line number Diff line change
Expand Up @@ -9,6 +9,7 @@ use std::rc::Rc;
use time::Tm;

use libtiny_common::{ChanName, ChanNameRef, MsgTarget};
use libtiny_wire::formatting::remove_irc_control_chars;

#[macro_use]
extern crate log;
Expand Down Expand Up @@ -306,6 +307,7 @@ impl LoggerInner {
_highlight: bool,
is_action: bool,
) {
let msg = remove_irc_control_chars(msg);
self.apply_to_target(target, |fd: &mut File, report_err: &dyn Fn(String)| {
let io_ret = if is_action {
writeln!(fd, "[{}] {} {}", strf(&ts), sender, msg)
Expand Down
1 change: 1 addition & 0 deletions crates/libtiny_tui/Cargo.toml
Original file line number Diff line number Diff line change
Expand Up @@ -14,6 +14,7 @@ desktop-notifications = ["notify-rust"]

[dependencies]
libtiny_common = { path = "../libtiny_common" }
libtiny_wire = { path = "../libtiny_wire" }
log = "0.4"
notify-rust = { version = "3", optional = true }
serde = { version = "1.0", features = ["derive"] }
Expand Down
4 changes: 2 additions & 2 deletions crates/libtiny_tui/src/config.rs
Original file line number Diff line number Diff line change
Expand Up @@ -34,10 +34,10 @@ fn default_max_nick_length() -> usize {

#[derive(Debug, Clone, Copy, PartialEq, Eq)]
pub struct Style {
/// Termbox fg.
/// Termbox fg
pub fg: u16,

/// Termbox bg.
/// Termbox bg
pub bg: u16,
}

Expand Down
113 changes: 56 additions & 57 deletions crates/libtiny_tui/src/msg_area/line.rs
Original file line number Diff line number Diff line change
@@ -1,10 +1,7 @@
use crate::line_split::LineType;
use crate::{
config::{Colors, Style},
line_split::LineDataCache,
utils::translate_irc_control_chars,
};
use std::mem;
use crate::config::{Colors, Style};
use crate::line_split::{LineDataCache, LineType};

use libtiny_wire::formatting::{parse_irc_formatting, Color, IrcFormatEvent};
use termbox_simple::{self, Termbox};

/// A single line added to the widget. May be rendered as multiple lines on the
Expand All @@ -13,6 +10,7 @@ use termbox_simple::{self, Termbox};
pub(crate) struct Line {
/// Line segments.
segments: Vec<StyledString>,

/// The segment we're currently extending.
current_seg: StyledString,

Expand All @@ -35,7 +33,7 @@ pub(crate) enum SegStyle {
/// of the color list, so make sure to use mod.
NickColor(usize),

/// A style from the current color scheme.
// Rest of the styles are from the color scheme
UserMsg,
ErrMsg,
Topic,
Expand Down Expand Up @@ -78,9 +76,6 @@ impl Default for StyledString {
}
}

// TODO get rid of this
const TERMBOX_COLOR_PREFIX: char = '\x00';

impl Line {
pub(crate) fn new() -> Line {
Line {
Expand All @@ -103,7 +98,7 @@ impl Line {
if self.current_seg.string.is_empty() {
self.current_seg.style = style;
} else if self.current_seg.style != style {
let seg = mem::replace(
let seg = std::mem::replace(
&mut self.current_seg,
StyledString {
string: String::new(),
Expand All @@ -115,31 +110,36 @@ impl Line {
}

fn add_text_inner(&mut self, str: &str) {
fn push_color(ret: &mut String, irc_fg: u8, irc_bg: Option<u8>) {
ret.push(TERMBOX_COLOR_PREFIX);
ret.push(0 as char); // style
ret.push(irc_color_to_termbox(irc_fg) as char);
ret.push(
irc_bg
.map(irc_color_to_termbox)
.unwrap_or(termbox_simple::TB_DEFAULT as u8) as char,
);
}
let str = translate_irc_control_chars(str, push_color);
self.current_seg.string.reserve(str.len());

let mut iter = str.chars();
while let Some(char) = iter.next() {
if char == TERMBOX_COLOR_PREFIX {
let st = iter.next().unwrap() as u8;
let fg = iter.next().unwrap() as u8;
let bg = iter.next().unwrap() as u8;
let fg = (u16::from(st) << 8) | u16::from(fg);
let bg = u16::from(bg);
let style = Style { fg, bg };
self.set_message_style(SegStyle::Fixed(style));
} else if char > '\x08' {
self.current_seg.string.push(char);
for format_event in parse_irc_formatting(str) {
match format_event {
IrcFormatEvent::Bold
| IrcFormatEvent::Italic
| IrcFormatEvent::Underline
| IrcFormatEvent::Strikethrough
| IrcFormatEvent::Monospace => {
// TODO
}
IrcFormatEvent::Text(text) => {
self.current_seg.string.push_str(text);
}
IrcFormatEvent::Color { fg, bg } => {
let style = SegStyle::Fixed(Style {
fg: u16::from(irc_color_to_termbox(fg)),
bg: bg
.map(|bg| u16::from(irc_color_to_termbox(bg)))
.unwrap_or(termbox_simple::TB_DEFAULT),
});

self.set_message_style(style);
}
IrcFormatEvent::ReverseColor => {
if let SegStyle::Fixed(Style { fg, bg }) = self.current_seg.style {
self.set_message_style(SegStyle::Fixed(Style { fg: bg, bg: fg }));
}
}
IrcFormatEvent::Reset => {
self.set_message_style(SegStyle::UserMsg);
}
}
}
}
Expand All @@ -150,7 +150,6 @@ impl Line {
}

pub(crate) fn add_char(&mut self, char: char, style: SegStyle) {
assert_ne!(char, TERMBOX_COLOR_PREFIX);
self.set_message_style(style);
self.current_seg.string.push(char);
}
Expand Down Expand Up @@ -230,28 +229,28 @@ impl Line {

////////////////////////////////////////////////////////////////////////////////

// IRC colors: http://en.wikichip.org/wiki/irc/colors
// Termbox colors: http://www.calmar.ws/vim/256-xterm-24bit-rgb-color-chart.html
// (alternatively just run `cargo run --example colors`)
fn irc_color_to_termbox(irc_color: u8) -> u8 {
fn irc_color_to_termbox(irc_color: Color) -> u8 {
match irc_color {
0 => 15, // white
1 => 0, // black
2 => 17, // navy
3 => 2, // green
4 => 9, // red
5 => 88, // maroon
6 => 5, // purple
7 => 130, // olive
8 => 11, // yellow
9 => 10, // light green
10 => 6, // teal
11 => 14, // cyan
12 => 12, // awful blue
13 => 13, // magenta
14 => 8, // gray
15 => 7, // light gray
_ => termbox_simple::TB_DEFAULT as u8,
Color::White => 255,
Color::Black => 16,
Color::Blue => 21,
Color::Green => 46,
Color::Red => 196,
Color::Brown => 88,
Color::Magenta => 93,
Color::Orange => 210,
Color::Yellow => 228,
Color::LightGreen => 154,
Color::Cyan => 75,
Color::LightCyan => 39,
Color::LightBlue => 38,
Color::Pink => 129,
Color::Grey => 243,
Color::LightGrey => 249,
Color::Default => termbox_simple::TB_DEFAULT as u8,
Color::Ansi(ansi_color) => ansi_color,
}
}

Expand Down
4 changes: 3 additions & 1 deletion crates/libtiny_tui/src/notifier.rs
Original file line number Diff line number Diff line change
@@ -1,4 +1,6 @@
use crate::{utils::remove_irc_control_chars, MsgTarget};
use crate::MsgTarget;

use libtiny_wire::formatting::remove_irc_control_chars;

#[cfg(feature = "desktop-notifications")]
use notify_rust::Notification;
Expand Down
103 changes: 0 additions & 103 deletions crates/libtiny_tui/src/utils.rs
Original file line number Diff line number Diff line change
Expand Up @@ -52,106 +52,3 @@ pub(crate) fn is_nick_char(c: char) -> bool {
|| c == '-' // not valid according to RFC 2812 but servers accept it and I've seen nicks with
// this char in the wild
}

////////////////////////////////////////////////////////////////////////////////

use std::{iter::Peekable, str::Chars};

/// Parse at least one, at most two digits. Does not consume the iterator when
/// result is `None`.
fn parse_color_code(chars: &mut Peekable<Chars>) -> Option<u8> {
fn to_dec(ch: char) -> Option<u8> {
ch.to_digit(10).map(|c| c as u8)
}

let c1_char = *chars.peek()?;
let c1_digit = match to_dec(c1_char) {
None => {
return None;
}
Some(c1_digit) => {
chars.next();
c1_digit
}
};

match chars.peek().cloned() {
None => Some(c1_digit),
Some(c2) => match to_dec(c2) {
None => Some(c1_digit),
Some(c2_digit) => {
chars.next();
Some(c1_digit * 10 + c2_digit)
}
},
}
}

////////////////////////////////////////////////////////////////////////////////

/// Translate IRC color codes using the callback, replace tabs with 8 spaces, and remove other
/// ASCII control characters from the input.
pub(crate) fn translate_irc_control_chars(
str: &str,
push_color: fn(ret: &mut String, fg: u8, bg: Option<u8>),
) -> String {
let mut ret = String::with_capacity(str.len());
let mut iter = str.chars().peekable();

while let Some(char) = iter.next() {
if char == '\x03' {
match parse_color_code(&mut iter) {
None => {
// just skip the control char
}
Some(fg) => {
if let Some(char) = iter.peek().cloned() {
if char == ',' {
iter.next(); // consume ','
match parse_color_code(&mut iter) {
None => {
// comma was not part of the color code,
// add it to the new string
push_color(&mut ret, fg, None);
ret.push(char);
}
Some(bg) => {
push_color(&mut ret, fg, Some(bg));
}
}
} else {
push_color(&mut ret, fg, None);
}
} else {
push_color(&mut ret, fg, None);
}
}
}
} else if char == '\t' {
ret.push_str(" ");
} else if !char.is_ascii_control() {
ret.push(char);
}
}

ret
}

/// Like `translate_irc_control_chars`, but skips color codes.
pub(crate) fn remove_irc_control_chars(str: &str) -> String {
fn push_color(_ret: &mut String, _fg: u8, _bg: Option<u8>) {}
translate_irc_control_chars(str, push_color)
}

#[test]
fn test_translate_irc_control_chars() {
assert_eq!(
remove_irc_control_chars(" Le Voyageur imprudent "),
" Le Voyageur imprudent "
);
assert_eq!(remove_irc_control_chars("\x0301,02foo"), "foo");
assert_eq!(remove_irc_control_chars("\x0301,2foo"), "foo");
assert_eq!(remove_irc_control_chars("\x031,2foo"), "foo");
assert_eq!(remove_irc_control_chars("\x031,foo"), ",foo");
assert_eq!(remove_irc_control_chars("\x03,foo"), ",foo");
}
Loading

0 comments on commit 33df77e

Please sign in to comment.