netspeed.rs 2.2 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788
  1. use comm;
  2. use comm::Channel;
  3. use config::Config;
  4. use std::fs::File;
  5. use std::io::prelude::*;
  6. use std::io;
  7. use std::thread;
  8. struct StatFiles {
  9. rx: File,
  10. tx: File
  11. }
  12. struct Stats {
  13. rx: u32,
  14. tx: u32
  15. }
  16. pub fn netspeed(tx: &Channel, config: &Config) {
  17. let devices = parse_config(config);
  18. let mut files : Vec<StatFiles> = devices.iter()
  19. .flat_map(|dev| open_stats(&dev).ok())
  20. .collect();
  21. let mut prev_stats : Option<Stats> = None;
  22. loop {
  23. let stats = files
  24. .iter_mut()
  25. .flat_map(|file| read_stats(file).ok())
  26. .fold(Stats { rx: 0, tx: 0 }, |acc, elem| Stats {
  27. rx: acc.rx + elem.rx,
  28. tx: acc.tx + elem.tx
  29. });
  30. let output = match prev_stats {
  31. Some(pstats) => {
  32. let rx = format_bytes(stats.rx - pstats.rx);
  33. let tx = format_bytes(stats.tx - pstats.tx);
  34. format!("{}↓ {}↑", rx, tx)
  35. },
  36. None => "?".to_string()
  37. };
  38. prev_stats = Some(stats);
  39. comm::send(tx, "netspeed", &output);
  40. thread::sleep_ms(1000);
  41. }
  42. }
  43. fn parse_config(cfg: &Config) -> Vec<&str> {
  44. let val = cfg.lookup("netspeed.devices").unwrap();
  45. let arr = val.as_slice().unwrap();
  46. let arr: Vec<&str> = arr.iter().flat_map(|elem| elem.as_str()).collect();
  47. arr
  48. }
  49. fn format_bytes(bytes: u32) -> String {
  50. let kib = bytes >> 10;
  51. if kib > 1024 {
  52. format!("{:.*} M", 1, (kib as f32) / 1024.0)
  53. }
  54. else {
  55. format!("{} K", kib)
  56. }
  57. }
  58. fn open_stats(device: &str) -> Result<StatFiles, io::Error> {
  59. let path = format!("/sys/class/net/{}/statistics", device);
  60. let rx_file = try!(File::open(format!("{}/rx_bytes", path)));
  61. let tx_file = try!(File::open(format!("{}/tx_bytes", path)));
  62. Ok(StatFiles {
  63. rx: rx_file,
  64. tx: tx_file
  65. })
  66. }
  67. fn read_stats(files: &mut StatFiles) -> Result<Stats, io::Error> {
  68. Ok(Stats {
  69. rx: read_bytes(&mut files.rx),
  70. tx: read_bytes(&mut files.tx)
  71. })
  72. }
  73. fn read_bytes(f: &mut File) -> u32 {
  74. let mut s = String::new();
  75. assert!(f.read_to_string(&mut s).is_ok());
  76. let i : u32 = s.trim().parse().unwrap();
  77. assert!(f.seek(io::SeekFrom::Start(0)).is_ok());
  78. i
  79. }