aboutsummaryrefslogtreecommitdiffstats
path: root/src/tui/app.rs
blob: 82342c0ae11077fb771ddcb9b8b039e69a996aa8 (plain) (blame)
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
/// A single chat message in the log
#[derive(Clone)]
pub struct ChatLine {
    pub nick: String,
    pub text: String,
    /// true = server/system message (JOIN, PART, topic, etc.)
    pub is_system: bool,
    /// true = NOTICE
    pub is_notice: bool,
}

/// All mutable state the TUI needs to render and respond to input
pub struct AppState {
    /// Our nick
    pub nick: String,
    /// The active channel name
    pub channel: String,
    /// Chat log for the active channel
    pub messages: Vec<ChatLine>,
    /// Member list for the active channel
    pub members: Vec<String>,
    /// Current contents of the input box
    pub input: String,
    /// Cursor position within `input` (byte index)
    pub cursor: usize,
    /// Status line text (connection state, errors, etc.)
    pub status: String,
    /// Whether we've fully registered
    pub connected: bool,
}

impl AppState {
    pub fn new() -> Self {
        Self {
            nick: String::new(),
            channel: String::new(),
            messages: Vec::new(),
            members: Vec::new(),
            input: String::new(),
            cursor: 0,
            status: "Set nick with /nick to connect.".into(),
            connected: false,
        }
    }

    /// Push a chat message
    pub fn push_message(&mut self, nick: &str, text: &str) {
        self.messages.push(ChatLine {
            nick: nick.to_string(),
            text: text.to_string(),
            is_system: false,
            is_notice: false,
        });
    }

    /// Push a system/event line (joins, parts, topic changes)
    pub fn push_system(&mut self, text: &str) {
        self.messages.push(ChatLine {
            nick: String::new(),
            text: text.to_string(),
            is_system: true,
            is_notice: false,
        });
    }

    /// Insert a character at the cursor
    pub fn input_insert(&mut self, ch: char) {
        self.input.insert(self.cursor, ch);
        self.cursor += ch.len_utf8();
    }

    /// Delete the character before the cursor
    pub fn input_backspace(&mut self) {
        if self.cursor == 0 {
            return;
        }
        // Find the start of the previous character
        let prev = self.input[..self.cursor]
            .char_indices()
            .last()
            .map(|(i, _)| i)
            .unwrap_or(0);
        self.input.remove(prev);
        self.cursor = prev;
    }

    /// Move cursor left one character
    pub fn cursor_left(&mut self) {
        self.cursor = self.input[..self.cursor]
            .char_indices()
            .last()
            .map(|(i, _)| i)
            .unwrap_or(0);
    }

    /// Move cursor right one character
    pub fn cursor_right(&mut self) {
        if self.cursor < self.input.len() {
            let ch = self.input[self.cursor..].chars().next().unwrap();
            self.cursor += ch.len_utf8();
        }
    }

    /// Take the current input, clear the box, return the text
    pub fn take_input(&mut self) -> String {
        self.cursor = 0;
        std::mem::take(&mut self.input)
    }

    /// Sort and deduplicate the member list
    pub fn sort_members(&mut self) {
        self.members.sort_by(|a, b| {
            // Strip sigils for sorting (@, +, %)
            let a = a.trim_start_matches(&['@', '+', '%', '~', '&'][..]);
            let b = b.trim_start_matches(&['@', '+', '%', '~', '&'][..]);
            a.to_lowercase().cmp(&b.to_lowercase())
        });
        self.members.dedup();
    }
}