summaryrefslogtreecommitdiffstats
path: root/src/maillist_view.rs
blob: 2ce9b83d8715d4957f079c073397d156df5b6f77 (plain)
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
use std::path::PathBuf;
use std::ops::Deref;

use anyhow::Result;
use anyhow::Context;
use cursive::Cursive;
use cursive::Printer;
use cursive::Rect;
use cursive::View;
use cursive::XY;
use cursive::direction::Direction;
use cursive::view::Nameable;
use cursive::view::Selector;
use cursive::event::Event;
use cursive::event::EventResult;
use cursive::views::NamedView;
use cursive_table_view::TableView;
use cursive_table_view::TableViewItem;
use chrono::naive::NaiveDateTime;
use notmuch::Message;
use notmuch::MessageOwner;
use getset::Getters;
use cursive::views::ResizedView;
use cursive::view::SizeConstraint;

use crate::main_view::MainView;
use crate::mail_view::MailView;

pub struct MaillistView {
    view: ResizedView<TableView<MailListingData, MailListingColumn>>,
}

impl Deref for MaillistView {
    type Target = TableView<MailListingData, MailListingColumn>;
    fn deref(&self) -> &Self::Target {
        self.view.get_inner()
    }
}

impl MaillistView {
    pub fn create_for(database_path: PathBuf, query: &str, name: String) -> Result<NamedView<Self>> {
        debug!("Getting '{}' from '{}'", query, database_path.display());

        fn get_header_field_save<'o, O: MessageOwner + 'o>(msg: &Message<'o, O>, field: &str) -> String {
            match msg.header(field) {
                Err(e) => {
                    error!("Failed getting '{}' of '{}': {}", field, msg.id(), e);
                    String::from("---")
                },

                Ok(None) => format!("No Value for {}", field),
                Ok(Some(f)) => f.to_string(),
            }
        }

        let items = notmuch::Database::open(&database_path, notmuch::DatabaseMode::ReadOnly)
            .context(format!("Opening database {}", database_path.display()))?
            .create_query(query)
            .context("Creating the search query")?
            .search_messages()
            .context(format!("Searching for messages with '{}'", query))?
            .map(|msg| {
                let mail_id  = msg.id().to_string();
                let filename = msg.filename();
                let tags     = msg.tags().collect();
                let date     = NaiveDateTime::from_timestamp_opt(msg.date(), 0)
                        .map(|ndt| ndt.to_string())
                        .ok_or_else(|| {
                            error!("Failed to parse timestamp: {}", msg.date());
                            anyhow!("Failed to parse timestamp: {}", msg.date())
                        })
                        .context(format!("Getting the date of message {}", msg.id()))?;

                let from    = get_header_field_save(&msg, "From");
                let to      = get_header_field_save(&msg, "To");
                let subject = get_header_field_save(&msg, "Subject");

                Ok(MailListingData {
                    mail_id,
                    filename,
                    tags,
                    date,
                    from,
                    to,
                    subject,
                })
            })
            .collect::<Result<Vec<_>>>()
            .context(format!("Creating MaillinglistView for '{}' on {}", query, database_path.display()))?;

        debug!("Found {} entries", items.len());
        let n = name.clone();
        let db_path = database_path.clone();
        let view = TableView::<MailListingData, MailListingColumn>::new()
                .column(MailListingColumn::Date, "Date", |c| c.width(20))
                .column(MailListingColumn::Tags, "Tags", |c| c.width(20))
                .column(MailListingColumn::From, "From", |c| c)
                .column(MailListingColumn::To, "To", |c| c)
                .column(MailListingColumn::Subject, "Subject", |c| c)
                .default_column(MailListingColumn::Date)
                .items(items)
                .selected_item(0)
                .on_submit(move |siv: &mut Cursive, row: usize, _: usize| {
                    let (mail_id, filename) = siv.call_on_name(&n, move |table: &mut MaillistView| {
                        table.view
                            .get_inner_mut()
                            .borrow_item(row)
                            .map(|data| {
                                debug!("Opening: {:?}", data);
                                (data.mail_id.clone(), data.filename.clone())
                            })
                    })
                    .unwrap()
                    .unwrap();

                    debug!("Showing mail {}", mail_id);

                    // Why do I have to do this? This is UGLY!
                    let n = n.clone();
                    let db_path = db_path.clone();

                    siv.call_on_name(crate::main_view::MAIN_VIEW_NAME, move |main_view: &mut MainView| {
                        let name = format!("{}-{}", n, mail_id);
                        debug!("Creating MailView '{}' for {} ({}) in {}", name, mail_id, filename.display(), db_path.display());
                        let mv = MailView::create_for(db_path, mail_id, filename, name.clone()).unwrap();

                        main_view.add_tab(name, mv);
                    });

                    // use the mail ID to get the whole thread and open it as a table item
                });

        Ok(MaillistView { view: ResizedView::new(SizeConstraint::Full, SizeConstraint::Full, view )}.with_name(name))
    }

    pub fn borrow_item(&mut self, idx: usize) -> Option<&MailListingData> {
        self.view.get_inner_mut().borrow_item(idx)
    }
}

impl View for MaillistView {
    fn draw(&self, printer: &Printer) {
        self.view.draw(printer)
    }

    fn layout(&mut self, xy: XY<usize>) {
        self.view.layout(xy)
    }

    fn needs_relayout(&self) -> bool {
        self.view.needs_relayout()
    }

    fn required_size(&mut self, constraint: XY<usize>) -> XY<usize> {
        self.view.required_size(constraint)
    }

    fn on_event(&mut self, e: Event) -> EventResult {
        self.view.on_event(e)
    }

    fn call_on_any<'a>(&mut self, s: &Selector, tpl: &'a mut (dyn FnMut(&mut (dyn View + 'static)) + 'a)) {
        self.view.call_on_any(s, tpl);
    }

    fn focus_view(&mut self, s: &Selector) -> Result<(), ()> {
        self.view.focus_view(s)
    }

    fn take_focus(&mut self, source: Direction) -> bool {
        self.view.take_focus(source)
    }

    fn important_area(&self, view_size: XY<usize>) -> Rect {
        self.view.important_area(view_size)
    }

    fn type_name(&self) -> &'static str {
        self.view.type_name()
    }

}

#[derive(Copy, Clone, PartialEq, Eq, Hash)]
pub enum MailListingColumn {
    Date,
    Tags,
    From,
    To,
    Subject,
}

#[derive(Clone, Debug, Getters)]
pub struct MailListingData {
    #[getset(get = "pub")]
    mail_id: String,

    #[getset(get = "pub")]
    filename: PathBuf,

    #[getset(get = "pub")]
    tags: Vec<String>,

    #[getset(get = "pub")]
    date: String,

    #[getset(get = "pub")]
    from: String,

    #[getset(get = "pub")]
    to: String,

    #[getset(get = "pub")]
    subject: String,
}

impl TableViewItem<MailListingColumn> for MailListingData {

    fn to_column(&self, column: MailListingColumn) -> String {
        match column {
            MailListingColumn::Date    => self.date.clone(),
            MailListingColumn::Tags    => self.tags.join(", "),
            MailListingColumn::From    => self.from.clone(),
            MailListingColumn::To      => self.to.clone(),
            MailListingColumn::Subject => self.subject.clone(),
        }
    }

    fn cmp(&self, other: &Self, column: MailListingColumn) -> std::cmp::Ordering
        where Self: Sized
    {
        match column {
            MailListingColumn::Date    => self.date.cmp(&other.date),
            MailListingColumn::Tags    => self.tags.cmp(&other.tags),
            MailListingColumn::From    => self.from.cmp(&other.from),
            MailListingColumn::To      => self.to.cmp(&other.to),
            MailListingColumn::Subject => self.subject.cmp(