monitoring kit
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
#![feature(portable_simd, string_deref_patterns)]
use anyhow::*;
use grapher::{truncwrite, Grapher};
use std::array;
use std::fs::read_to_string as read;
use std::io::Write;
use std::io::{stdout, Read};
use std::ops::Not;
use std::os::unix::ffi::OsStrExt;
use std::process::exit;
use std::thread::sleep;
use std::time::{Duration, Instant};
use termion::color::*;
use termion::cursor::Hide;
use termion::raw::IntoRawMode;
use termion::screen::IntoAlternateScreen;
use termion::{async_stdin, clear, cursor, style};
#[implicit_fn::implicit_fn]
fn main() -> Result<()> {
    let file = match std::env::args().nth(1) {
        None => {
            let fs = std::fs::read_dir("/sys/class/net")?
                .filter_map(Result::ok)
                .filter_map(_.file_name().into_string().ok())
                .collect::<Vec<_>>();
            eprintln!("no network specified. must be one of {fs:?};\nnet [INTERFACE] [u/d]");
            exit(1)
        }
        Some(x) => x,
    };
    let up = match std::env::args().nth(2) {
        None => {
            eprintln!("no args!\n;net [i] [up/down]");
            exit(1)
        }
        Some("dl" | "download" | "r" | "d" | "down") => false,
        Some("u" | "t" | "up" | "upload") => true,
        Some(x) => {
            println!("{x} is not an arg, requires up/down");
            exit(1)
        }
    };
    let file = std::fs::read_dir("/sys/class/net")?
        .filter_map(Result::ok)
        .find(_.file_name().to_string_lossy().starts_with(&file))
        .ok_or(anyhow!("no network"))?;

    let pciid = read(file.path().join("device").join("uevent"))?
        .lines()
        .find(|x| x.starts_with("PCI_ID"))
        .ok_or(anyhow!("eh"))?
        .split_once("=")
        .unwrap()
        .1
        .split_once(":")
        .unwrap()
        .1
        .to_lowercase();

    let name = read("/usr/share/hwdata/pci.ids")?
        .lines()
        .filter(|x| x.starts_with('\t'))
        .find(|x| x[1..].starts_with(&pciid))
        .map(|x| x[1 + pciid.len()..].trim().to_string())
        .unwrap_or("default".into());
    let bytes = || {
        [
            read(file.path().join("statistics").join("rx_bytes"))
                .unwrap()
                .trim()
                .parse::<u64>()
                .unwrap(),
            read(file.path().join("statistics").join("tx_bytes"))
                .unwrap()
                .trim()
                .parse::<u64>()
                .unwrap(),
        ][up as usize]
    };

    let mut last = bytes();

    let mut g = Grapher::new()?;
    let mut d = 0.1;

    let mut stdout = stdout().into_raw_mode()?.into_alternate_screen()?;
    let mut stdin = async_stdin();
    write!(stdout, "{}{}{}", Hide, clear::All, style::Reset).unwrap();
    let mut max = 1e6f64;

    let mut i = Instant::now();
    'out: loop {
        sleep(Duration::from_secs_f32(d));

        let pass = i.elapsed().as_secs_f64();
        let new = bytes();
        i = Instant::now();
        let δ = (new - last) as f64 / pass;
        g.push_point(δ);
        max = max.max(δ);
        last = new;

        let mut key = 0;
        while stdin.read(array::from_mut(&mut key)).unwrap() != 0 {
            match key {
                b'q' => break 'out,
                b'+' => d = (d + 0.1f32).min(1.0),
                b'-' if d >= 0.2 => d -= 0.1,
                b'-' if d >= 0.02 => d -= 0.01,
                b'-' => d = 0.00833,
                _ => (),
            }
        }

        g.draw(|_| None, _ / max)?;
        write!(g.buffer, "{}{}", White.fg_str(), cursor::Goto(1, 1))?;

        let fps = (1f32 / d).round();
        truncwrite!(
            g.buffer,
            " {fps}fps ──── {name} ──── ceil {:.2}mb/s ──── curr {:.2}/s ─ {}",
            max / 1e6,
            δ / 1e6,
            ["rx", "tx"][up as usize],
        )?;

        write!(stdout, "{}", Rgb(106, 186, 212).fg_string())?;

        stdout.write_all(&g.buffer)?;
        stdout.flush()?;
    }
    println!("\x1B[?7l");
    return Ok(());
}