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
//! The number of pending notifications in rofication-daemon
//!
//! A different color is used if there are critical notifications.
//!
//! # Configuration
//!
//! Key | Values | Default
//! ----|--------|--------
//! `interval` | Refresh rate in seconds. | `1`
//! `format` | A string to customise the output of this block. See below for placeholders. | `" $icon $num.eng(w:1) "`
//! `socket_path` | Socket path for the rofication daemon. Supports path expansions e.g. `~`. | `"/tmp/rofi_notification_daemon"`
//!
//! Placeholder | Value | Type | Unit
//! -------------|-------|------|-----
//! `icon` | A static icon | Icon | -
//! `num` | Number of pending notifications | Number | -
//!
//! # Example
//!
//! ```toml
//! [[block]]
//! block = "rofication"
//! interval = 1
//! socket_path = "/tmp/rofi_notification_daemon"
//! [[block.click]]
//! button = "left"
//! cmd = "rofication-gui"
//! ```
//!
//! # Icons Used
//! - `bell`
use super::prelude::*;
use tokio::net::UnixStream;
#[derive(Deserialize, Debug, SmartDefault)]
#[serde(deny_unknown_fields, default)]
pub struct Config {
#[default(1.into())]
pub interval: Seconds,
#[default("/tmp/rofi_notification_daemon".into())]
pub socket_path: ShellString,
pub format: FormatConfig,
}
pub async fn run(config: &Config, api: &CommonApi) -> Result<()> {
let format = config.format.with_default(" $icon $num.eng(w:1) ")?;
let path = config.socket_path.expand()?;
let mut timer = config.interval.timer();
loop {
let (num, crit) = rofication_status(&path).await?;
let mut widget = Widget::new().with_format(format.clone());
widget.set_values(map!(
"icon" => Value::icon("bell"),
"num" => Value::number(num)
));
widget.state = if crit > 0 {
State::Warning
} else if num > 0 {
State::Info
} else {
State::Idle
};
api.set_widget(widget)?;
tokio::select! {
_ = timer.tick() => (),
_ = api.wait_for_update_request() => (),
}
}
}
async fn rofication_status(socket_path: &str) -> Result<(usize, usize)> {
let mut stream = UnixStream::connect(socket_path)
.await
.error("Failed to connect to socket")?;
// Request count
stream
.write_all(b"num:\n")
.await
.error("Failed to write to socket")?;
let mut response = String::new();
stream
.read_to_string(&mut response)
.await
.error("Failed to read from socket")?;
// Response must be two integers: regular and critical, separated either by a comma or a \n
let (num, crit) = response
.split_once([',', '\n'])
.error("Incorrect response")?;
Ok((
num.parse().error("Incorrect response")?,
crit.parse().error("Incorrect response")?,
))
}