Prevent small race when both track and artist change
[xsetrootd.git] / src / main.rs
1 use dbus::arg;
2 use dbus::blocking::stdintf::org_freedesktop_dbus::PropertiesPropertiesChanged;
3 use dbus::blocking::Connection;
4 use dbus::message::Message;
5 use std::collections::HashMap;
6 use std::process::Command;
7 use std::sync::{Arc, Mutex};
8 use std::thread;
9 use std::time::Duration;
10
11 // Custom signal type impl
12 // Mostly copied from library examples
13 #[derive(Debug)]
14 pub struct ComJacobCasperMailUnreadCount {
15 pub count: u32,
16 }
17
18 impl arg::AppendAll for ComJacobCasperMailUnreadCount {
19 fn append(&self, iter: &mut arg::IterAppend) {
20 arg::RefArg::append(&self.count, iter);
21 }
22 }
23
24 impl arg::ReadAll for ComJacobCasperMailUnreadCount {
25 fn read(iter: &mut arg::Iter) -> Result<Self, arg::TypeMismatchError> {
26 Ok(ComJacobCasperMailUnreadCount {
27 count: iter.read()?,
28 })
29 }
30 }
31
32 impl dbus::message::SignalArgs for ComJacobCasperMailUnreadCount {
33 const NAME: &'static str = "UnreadCount";
34 const INTERFACE: &'static str = "com.jacobcasper.Mail";
35 }
36
37 fn get_local_time_string() -> std::string::String {
38 use chrono::prelude::*;
39 let local_time = chrono::prelude::Local::now();
40 return format!(
41 "{}-{}-{:02} {}:{:02}",
42 local_time.year(),
43 local_time.month(),
44 local_time.day(),
45 local_time.hour(),
46 local_time.minute(),
47 );
48 }
49
50 fn update_map(arc_map: Arc<Mutex<HashMap<String, String>>>, key: &str, val: &str) {
51 let clone_arc = arc_map.clone();
52 let mut map = clone_arc.lock().unwrap();
53 map.insert(String::from(key), String::from(val));
54 }
55
56 fn update_xsetroot(arc_map: Arc<Mutex<HashMap<String, String>>>) {
57 let clone_arc = arc_map.clone();
58 let map = clone_arc.lock().unwrap();
59 let _ = Command::new("xsetroot")
60 .arg("-name")
61 .arg(format!(
62 "[{playback_status} {title} - {artist}] | ✉ {unread_count} | {date_time}",
63 playback_status = map.get("playback_status").unwrap_or(&String::from("🔈")),
64 title = map.get("title").unwrap_or(&String::from("")),
65 artist = map.get("artist").unwrap_or(&String::from("")),
66 unread_count = map.get("unread_count").unwrap_or(&String::from("?")),
67 date_time = map.get("date_time").unwrap_or(&get_local_time_string()),
68 ))
69 .spawn();
70 }
71
72 fn main() -> Result<(), Box<dyn std::error::Error>> {
73 let arc_locked_xset_map = Arc::new(Mutex::new(HashMap::new()));
74 let conn = Connection::new_session()?;
75
76 let mail_proxy = conn.with_proxy(
77 "com.jacobcasper.Mail",
78 "/com/jacobcasper/Mail/Unread",
79 Duration::from_millis(5000),
80 );
81
82 let mail_match_map = arc_locked_xset_map.clone();
83 let _ = mail_proxy.match_signal(
84 move |m: ComJacobCasperMailUnreadCount, _: &Connection, _: &Message| {
85 update_map(
86 mail_match_map.clone(),
87 "unread_count",
88 m.count.to_string().as_str(),
89 );
90 update_xsetroot(mail_match_map.clone());
91 true
92 },
93 );
94
95 let spotify_proxy = conn.with_proxy(
96 "org.mpris.MediaPlayer2.spotify",
97 "/org/mpris/MediaPlayer2",
98 Duration::from_millis(5000),
99 );
100
101 let spotify_match_map = arc_locked_xset_map.clone();
102 let _ = spotify_proxy.match_signal(
103 move |pc: PropertiesPropertiesChanged, _: &Connection, _: &Message| {
104 match pc.changed_properties.get("Metadata") {
105 Some(variant) => {
106 variant.0.as_iter().and_then(|mut iter| {
107 // Iterating over a RefArg goes key, value, key, value... Insane honestly.
108 while let Some(key) = iter.next() {
109 let key_str = key.as_str()?;
110 let value = iter.next();
111
112 match key_str {
113 "xesam:artist" => {
114 // Variant holding a variant that should just be a Vec<&str> I
115 // believe. This is _the recommended_ way to do this by the author.
116 let inner_value =
117 value?.as_iter()?.next()?.as_iter()?.next()?;
118 let artist = inner_value.as_str()?;
119 update_map(spotify_match_map.clone(), "artist", artist);
120 }
121 "xesam:title" => {
122 let title = value?.as_iter()?.next()?.as_str()?;
123 update_map(spotify_match_map.clone(), "title", title);
124 }
125 _ => (),
126 }
127 }
128 update_xsetroot(spotify_match_map.clone());
129 Some(())
130 });
131 }
132 None => (),
133 }
134 match &pc.changed_properties.get("PlaybackStatus") {
135 Some(variant) => {
136 let playback_status = &variant.0;
137 update_map(
138 spotify_match_map.clone(),
139 "playback_status",
140 match &*playback_status.as_str().unwrap_or("") {
141 "Playing" => "🔊",
142 _ => "🔈",
143 },
144 );
145 update_xsetroot(spotify_match_map.clone());
146 }
147 None => (),
148 }
149 true
150 },
151 );
152
153 let date_time_map = arc_locked_xset_map.clone();
154 let _ = thread::spawn(move || -> Result<(), std::time::SystemTimeError> {
155 let mut last_run_at = std::time::SystemTime::now();
156 loop {
157 let sys_time = std::time::SystemTime::now();
158 let elapsed_time = sys_time.duration_since(last_run_at)?;
159 if elapsed_time.as_secs() > 60 {
160 last_run_at = sys_time;
161 update_map(
162 date_time_map.clone(),
163 "date_time",
164 get_local_time_string().as_str(),
165 );
166 update_xsetroot(date_time_map.clone());
167 }
168 thread::sleep(Duration::from_millis(5000));
169 }
170 });
171
172 loop {
173 conn.process(Duration::from_millis(1000))?;
174 }
175 }