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
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
//! The ctrl module should be the general controller of the program.
//! Right now, most controlling is in the net module, and here
//! is only a light facade to the tui messages.
pub mod tui; // todo: pub is not recommended, I use it for doctest
mod webui;

use self::{tui::Tui, webui::WebUI};
use super::{
    common::{config, paths::SearchPath},
    data::ipc::IFCollectionOutputData,
    net::subs::peer_representation::{self, PeerRepresentation},
};
use async_std::task;
use crossbeam::{channel::Receiver as CReceiver, sync::WaitGroup};
use libp2p::core::PeerId;
use std::{
    collections::hash_map::DefaultHasher,
    hash::Hasher,
    io,
    sync::{
        mpsc::{channel, Receiver, Sender},
        Arc, Mutex,
    },
    thread,
};

/// alive Signal for path from collector or net search alive
#[derive(Clone, Serialize, Deserialize)]
pub enum CollectionPathAlive {
    BusyPath(usize),
    HostSearch,
}
/// Turn on/off something
#[derive(Clone, Serialize)]
pub enum Status {
    ON,
    OFF,
}
/// Yet unimportant net messages todo: make it better!
#[derive(Clone)]
pub enum NetInfoMsg {
    Debug(String),
    ShowStats { show: NetStatsMsg },
}
/// Peer string identificators
#[derive(Clone)]
pub struct UiClientPeer {
    //
    pub id: PeerId,
    pub addresses: Vec<String>,
}
/// Forwarding net messages
#[derive(Clone)]
pub enum ForwardNetMsg {
    Add(UiClientPeer),
    Delete(PeerId),
    Stats(NetInfoMsg),
}

/// Internal messages inside UI
pub enum InternalUiMsg {
    Update(ForwardNetMsg),
    StartAnimate(CollectionPathAlive, Status),
    StepAndAnimate(CollectionPathAlive),
    PeerSearchFinished(PeerId, IFCollectionOutputData),
    Terminate,
}

/// UI updating messages
#[derive(Clone)]
pub enum UiUpdateMsg {
    NetUpdate(ForwardNetMsg),
    CollectionUpdate(CollectionPathAlive, Status),
    PeerSearchFinished(PeerId, IFCollectionOutputData),
    StopUI,
}

/// NetStats message
#[derive(Copy, Clone)]
pub struct NetStatsMsg {
    pub line: usize,
    pub max: usize,
}

enum Finisher {
    TUI,
    WEBUI,
}

/// The controller holds user interfaces as webui, tui. It currently creates
/// and runs the user interfaces, distributes messages and sends out messages
/// to be used somewhere else.
pub struct Ctrl {
    peer_id: PeerId,
    paths: Arc<Mutex<SearchPath>>,
    with_net: bool,
}

impl Ctrl {
    /// Create a new controller if everything fits.
    ///
    /// # Arguments
    /// * 'peer_id' - The peer_id this client/server uses
    /// * 'paths' - The paths that will be searched
    /// * 'with_net' - If ctrl should consider net messages
    fn new(new_id: PeerId, paths: Arc<Mutex<SearchPath>>, with_net: bool) -> Self {
        Self {
            peer_id: new_id,
            paths: paths.clone(),
            with_net,
        }
    }
    /// Create a new controller if everything fits.
    ///
    /// # Arguments
    /// * 'new_id' - The peer_id this client/server uses
    /// * 'paths' - The paths that will be searched
    /// * 'receiver' - The paths that will be searched
    /// * 'with_net' - If ctrl should consider net messages
    /// * 'wait_main' - The main thread notifier
    /// * 'has_webui' - If webui has to be considered
    /// * 'has_tui' - If tui has to be considered
    /// * 'open_browser' - If browser should be automatically opened
    /// * 'web_port' - Browser, webui port to use
    pub fn run(
        new_id: PeerId,
        paths: Arc<Mutex<SearchPath>>,
        receiver: CReceiver<UiUpdateMsg>,
        with_net: bool,
        wait_main: WaitGroup,
        has_webui: bool,
        has_tui: bool,
        open_browser: bool,
        web_port: u16,
    ) -> Result<(), std::io::Error> {
        // sync both sub uis
        let wait_all_uis = WaitGroup::new();

        let (thread_finisher, finish_threads) = channel::<Finisher>();

        // create instance which will be passed into the different uis
        let instance = Ctrl::new(new_id, paths, with_net);

        let arc_self_tui = Arc::new(Mutex::new(instance));
        let arc_self_webui = arc_self_tui.clone();

        // all senders that UiUpdateMessages will be forwarded to
        let mut internal_senders: Vec<Sender<InternalUiMsg>> = vec![];

        // 1) tui thread
        let (sender_tui_to_register, receiver_to_tui_thread) = channel::<InternalUiMsg>();
        let sender_tui_only_to_finish = sender_tui_to_register.clone();
        let thread_tui = if has_tui {
            let resender = sender_tui_to_register.clone();
            let tui_waitgroup = wait_all_uis.clone();
            let thread_finisher_tui = thread_finisher.clone();

            internal_senders.push(sender_tui_to_register);
            Self::spawn_tui(
                arc_self_tui,
                resender,
                receiver_to_tui_thread,
                tui_waitgroup,
                thread_finisher_tui,
            )?
        } else {
            std::thread::spawn(|| Ok(()))
        };

        // 2) webui thread
        let (sender_wui, receiver_to_web_ui_thread) = channel::<InternalUiMsg>();
        let thread_webui = if has_webui {
            let sender_to_register = sender_wui.clone();
            let wui_waitgroup = wait_all_uis.clone();
            let thread_finisher_tui = thread_finisher.clone();

            internal_senders.push(sender_to_register);
            Self::spawn_webui(
                arc_self_webui,
                receiver_to_web_ui_thread,
                wui_waitgroup,
                thread_finisher_tui,
                open_browser,
                web_port,
            )?
        } else {
            // empty thread
            std::thread::spawn(|| Ok(()))
        };

        // 3) ui message forwarding loop thread
        let forwarding_message_loop = Self::spawn_message_loop(receiver, internal_senders);

        // A) wait for sub syncs in order ...
        info!("syncing with 2 other sub threads webui and tui");
        wait_all_uis.wait();
        info!("synced with 2 other sub threads webui and tui");
        // B) ... to unlock sync/block startup with main thread
        // we are ready: up and listening!!
        info!("waiting for main thread sync");
        wait_main.wait();
        info!("synced with main thread");

        // either of these can finish and we want to block!
        match finish_threads.recv() {
            Ok(finished) => match finished {
                Finisher::TUI => {
                    info!("TUI finished first, so send to terminate WEBUI!");
                    sender_wui.send(InternalUiMsg::Terminate).unwrap();
                    let to_pass_through = thread_tui.join().unwrap();
                    drop(forwarding_message_loop); // let drop message loop only after joining!!!
                    to_pass_through
                }
                Finisher::WEBUI => {
                    info!("WEBUI finished first, so send to terminate TUI!");
                    sender_tui_only_to_finish
                        .send(InternalUiMsg::Terminate)
                        .unwrap();
                    let to_pass_through = thread_webui.join().unwrap();
                    drop(forwarding_message_loop); // let drop forwarding message loop only after joining!!!!
                    to_pass_through
                }
            },
            Err(e) => {
                error!("something really bad happenend: {}!!", e);
                drop(thread_webui);
                drop(thread_tui);
                drop(forwarding_message_loop);
                // todo: make a new error
                Ok::<(), std::io::Error>(())
            }
        }
    }

    fn spawn_webui(
        this: Arc<Mutex<Self>>,
        receiver: Receiver<InternalUiMsg>,
        wait_ui_sync: WaitGroup,
        thread_finisher: Sender<Finisher>,
        open_browser: bool,
        web_port: u16,
    ) -> Result<thread::JoinHandle<Result<(), std::io::Error>>, std::io::Error> {
        let with_net;
        let paths;
        // lock block
        let mut hasher = DefaultHasher::new();
        {
            let unlocker = this.lock().unwrap();
            paths = unlocker.paths.clone();
            with_net = unlocker.with_net;
            let peer_bytes = unlocker.peer_id.to_bytes();
            hasher.write(peer_bytes.as_ref());
        }
        let peer_representation = hasher.finish();

        thread::Builder::new().name("webui".into()).spawn(move || {
            info!("start webui");
            Self::run_webui(
                receiver,
                with_net,
                peer_representation,
                paths,
                wait_ui_sync,
                open_browser,
                web_port,
            )
            .or_else(|forward| {
                error!("error from webui-server: {}", forward);
                Err(forward)
            })?;
            info!("stopped webui");

            // send finish
            thread_finisher.send(Finisher::WEBUI).unwrap_or_else(|_| {
                info!("probably receiver got tui finisher first!");
            });

            Ok::<(), std::io::Error>(())
        })
    }

    fn spawn_tui(
        this: Arc<Mutex<Self>>,
        resender: Sender<InternalUiMsg>,
        receiver: Receiver<InternalUiMsg>,
        sync_startup: WaitGroup,
        thread_finisher: Sender<Finisher>,
    ) -> Result<thread::JoinHandle<Result<(), std::io::Error>>, std::io::Error> {
        let title;
        let paths;
        let with_net;
        // lock block
        {
            let unlocker = this.lock().unwrap();
            title = peer_representation::peer_to_hash_string(&unlocker.peer_id);
            paths = unlocker.paths.clone();
            with_net = unlocker.with_net.clone();
        }

        std::thread::Builder::new()
            .name("tui".into())
            .spawn(move || {
                trace!("tui waits for sync");
                // synchronizing
                sync_startup.wait();
                trace!("tui starts");
                // do finally the necessary
                // this blocks this async future
                let fix_path = paths.lock().unwrap().read();
                Self::run_tui(title, fix_path, with_net, receiver, resender).map_err(
                    |error_text| std::io::Error::new(std::io::ErrorKind::Other, error_text),
                )?;
                info!("stopped tui");

                // send finisher since it should also stop webui
                thread_finisher.send(Finisher::TUI).unwrap_or_else(|_| {
                    info!("probably receiver got webui finisher first!");
                });

                Ok::<(), std::io::Error>(())
            })
    }

    fn spawn_message_loop(
        receiver: CReceiver<UiUpdateMsg>,
        multiplex_send: Vec<Sender<InternalUiMsg>>,
    ) -> Result<thread::JoinHandle<()>, std::io::Error> {
        thread::Builder::new()
            .name("ui msg".into())
            .spawn(move || loop {
                if !Self::run_message_forwarding(&receiver, &multiplex_send) {
                    break;
                }
            })
    }

    /// Run the UIs - there is less controlling rather than showing
    fn run_tui(
        title: String,
        paths: Vec<String>,
        with_net: bool,
        tui_receiver: Receiver<InternalUiMsg>,
        resender: Sender<InternalUiMsg>,
    ) -> Result<(), String> {
        info!("tui about to run");

        // set up communication for tui messages
        info!("spawning tui async thread");
        let mut tui = Tui::new(title, &paths, with_net)?;

        task::block_on(async move {
            // message and refresh tui loop
            loop {
                // due to pressing 'q' tui will stop and hence also the loop
                if !tui.refresh().await {
                    break;
                }
                tui.run_cursive(&resender, &tui_receiver).await;
            }
        });
        Ok(())
    }

    /// Run the controller
    fn run_webui(
        webui_receiver: Receiver<InternalUiMsg>,
        net_support: bool,
        peer_representation: PeerRepresentation,
        paths: Arc<Mutex<SearchPath>>,
        wait_ui_sync: WaitGroup,
        open_browser: bool,
        web_port: u16,
    ) -> io::Result<()> {
        if open_browser {
            // fixme: fix this to not be included in library in some point
            if !try_open_browser(web_port) {
                error!("Could not open browser!");
                println!(
                    "Could not open browser, try opening manually: http://{}:{} to start!",
                    config::net::WEB_ADDR,
                    web_port
                );
            }
        }

        task::block_on(async move {
            info!("spawning webui async thread");
            let webui = WebUI::new(peer_representation, net_support, paths);
            webui.run(webui_receiver, wait_ui_sync, web_port).await
        })
    }

    /// This basically wraps incoming UiUpdateMsg to InternalUiMsg
    /// which kind of defines an extra layer for convenience, and to
    /// be extended and so on.
    fn run_message_forwarding(
        receiver: &CReceiver<UiUpdateMsg>,
        multiplex_send: &Vec<Sender<InternalUiMsg>>,
    ) -> bool {
        if let Ok(forward_sys_message) = receiver.recv() {
            match forward_sys_message {
                UiUpdateMsg::NetUpdate(forward_net_message) => {
                    match forward_net_message {
                        ForwardNetMsg::Stats(_net_message) => {
                            // todo: implement stats here
                        }
                        ForwardNetMsg::Add(peer_to_add) => {
                            for forward_sender in multiplex_send {
                                forward_sender
                                    .send(InternalUiMsg::Update( ForwardNetMsg::Add( peer_to_add.clone())))
                                    .unwrap_or_else(|_| {
                                        warn!("forwarding message cancelled probably due to quitting!");
                                    });
                            }
                        }
                        ForwardNetMsg::Delete(peer_id_to_remove) => {
                            for forward_sender in multiplex_send {
                                forward_sender
                                    .send(InternalUiMsg::Update( ForwardNetMsg::Delete( peer_id_to_remove.clone())))
                                    .unwrap_or_else(|_| {
                                        warn!("forwarding message cancelled probably due to quitting!");
                                    });
                            }
                        }
                    }
                    true
                }
                UiUpdateMsg::CollectionUpdate(signal, on_off) => {
                    trace!(
                        "forwarding collection message to turn '{}'",
                        match on_off {
                            Status::ON => "on",
                            Status::OFF => "off",
                        }
                    );
                    for forward_sender in multiplex_send {
                        forward_sender
                            .send(InternalUiMsg::StartAnimate(signal.clone(), on_off.clone()))
                            .unwrap_or_else(|_| {
                                warn!("forwarding message cancelled probably due to quitting!");
                            });
                    }
                    true
                }
                UiUpdateMsg::PeerSearchFinished(peer_representation, data) => {
                    for forward_sender in multiplex_send {
                        forward_sender
                            .send(InternalUiMsg::PeerSearchFinished(
                                peer_representation.clone(),
                                data.clone(),
                            ))
                            .unwrap_or_else(|_| {
                                warn!("forwarding message cancelled probably due to quitting!");
                            });
                    }
                    true
                }
                UiUpdateMsg::StopUI => {
                    // if error something or Ok(false) results in the same
                    trace!("stop all message forwarding to ui");
                    false
                }
            }
        } else {
            // couldn't find a message yet (trying) but that is fine
            true
        }
    }
}

// see https://doc.rust-lang.org/reference/conditional-compilation.html
// same configuration as "open" from "webbrowser" crate allows
#[cfg(any(
    target_os = "android",
    target_os = "windows",
    target_os = "macos",
    target_os = "linux",
    target_os = "freebsd",
    targest_os = "netbsd",
    target_os = "openbsd",
    target_os = "haiku",
    target_arch = "wasm32"
))]
fn try_open_browser(web_port: u16) -> bool {
    webbrowser::open(
        // todo: what if https
        &["http://", config::net::WEB_ADDR, ":", &web_port.to_string()].concat(),
    )
    .is_ok()
}

#[cfg(not(any(
    target_os = "android",
    target_os = "windows",
    target_os = "macos",
    target_os = "linux",
    target_os = "freebsd",
    target_os = "netbsd",
    target_os = "openbsd",
    target_os = "haiku",
    target_arch = "wasm32"
)))]
pub fn try_open_browser(web_port: u16) -> bool {
    false
}