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
use crate::errors::Result;
use std::collections::HashMap;
use std::collections::HashSet;
use std::fs;
use std::iter::{Extend, FromIterator};
use std::path::{Path, PathBuf};
use std::process::{Child, Command, Stdio};
use std::sync::{atomic::AtomicBool, Arc};
use tracing::error;
use xdg::BaseDirectories;
pub type ChildID = u32;
#[derive(Default)]
pub struct Nanny {}
impl Nanny {
#[must_use]
pub fn autostart() -> Children {
BaseDirectories::new()
.map(|xdg_dir| {
xdg_dir
.list_config_files_once("autostart")
.iter()
.filter(|path| path.extension() == Some(std::ffi::OsStr::new("desktop")))
.filter_map(|file| boot_desktop_file(file).ok())
.collect::<Children>()
})
.unwrap_or_default()
}
fn get_config_dir() -> Result<PathBuf> {
BaseDirectories::with_prefix("leftwm")?
.create_config_directory("")
.map_err(Into::into)
}
fn run_script(path: &Path) -> Result<Option<Child>> {
if path.is_file() {
Command::new(&path)
.stdin(Stdio::null())
.stdout(Stdio::null())
.spawn()
.map(Some)
.map_err(Into::into)
} else {
Ok(None)
}
}
pub fn run_global_up_script() -> Result<Option<Child>> {
let mut path = Self::get_config_dir()?;
path.push("up");
Self::run_script(&path)
}
pub fn boot_current_theme() -> Result<Option<Child>> {
let mut path = Self::get_config_dir()?;
path.push("themes");
path.push("current");
path.push("up");
Self::run_script(&path)
}
}
#[derive(Debug, thiserror::Error)]
enum EntryBootError {
#[error("execute failed: {0}")]
Execute(#[from] std::io::Error),
#[error("invalid desktop (current {current:?})")]
NotForThisDesktop { current: String },
#[error("entry hidden")]
Hidden,
#[error("no exec")]
NoExec,
}
fn boot_desktop_file(path: &Path) -> std::result::Result<Child, EntryBootError> {
let entry = DesktopEntry::parse_file(path)?;
let env_curr_desktop = std::env::var("XDG_CURRENT_DESKTOP").unwrap_or_default();
if let Some(only_show_in) = entry.only_show_in {
if !only_show_in.contains(&env_curr_desktop) {
return Err(EntryBootError::NotForThisDesktop {
current: env_curr_desktop,
});
}
}
if let Some(not_show_in) = entry.not_show_in {
if not_show_in.contains(&env_curr_desktop) {
return Err(EntryBootError::NotForThisDesktop {
current: env_curr_desktop,
});
}
}
if entry.hidden {
return Err(EntryBootError::Hidden);
}
if entry.exec.is_none() {
return Err(EntryBootError::NoExec);
}
let wd = entry
.path
.unwrap_or_else(|| dirs_next::home_dir().unwrap_or_else(|| PathBuf::from(".")));
Command::new("sh")
.current_dir(wd)
.arg("-c")
.arg(entry.exec.unwrap())
.spawn()
.map_err(EntryBootError::Execute)
}
#[derive(Debug, Default)]
struct DesktopEntry {
exec: Option<String>,
path: Option<PathBuf>,
only_show_in: Option<HashSet<String>>,
not_show_in: Option<HashSet<String>>,
hidden: bool,
}
impl DesktopEntry {
fn parse_file(path: &Path) -> std::io::Result<Self> {
let content = fs::read_to_string(path)?;
Ok(Self::parse(content.as_str()))
}
fn parse(content: &str) -> Self {
let mut in_main_section = false;
let mut entry: Self = Default::default();
for mut line in content.lines() {
line = line.trim();
if line.is_empty() || line.starts_with('#') {
continue;
}
if line.starts_with('[') {
if line == "[Desktop Entry]" {
in_main_section = true;
continue;
}
in_main_section = false;
}
if !in_main_section {
continue;
}
if let Some((key, value)) = Self::split_line(line) {
match key {
"Exec" => entry.exec = Some(value.to_string()),
"Path" => entry.path = Some(PathBuf::from(value)),
"OnlyShowIn" => entry.only_show_in = Some(Self::split_to_set(value)),
"NotShowIn" => entry.not_show_in = Some(Self::split_to_set(value)),
"Hidden" => entry.hidden = Self::str_bool(value).unwrap_or_default(),
_ => {}
}
}
}
entry
}
fn split_line(line: &str) -> Option<(&str, &str)> {
line.find('=')?; line.split_once('=')
}
fn split_to_set(value: &str) -> HashSet<String> {
value
.split(';')
.filter_map(|s| {
let s = s.trim();
if s.is_empty() {
return None;
}
Some(s.to_string())
})
.collect::<HashSet<String>>()
}
fn str_bool(value: &str) -> Option<bool> {
value.to_lowercase().parse::<bool>().ok()
}
}
#[derive(Debug, Default)]
pub struct Children {
inner: HashMap<ChildID, Child>,
}
impl Children {
#[must_use]
pub fn new() -> Self {
Self::default()
}
#[must_use]
pub fn len(&self) -> usize {
self.inner.len()
}
#[must_use]
pub fn is_empty(&self) -> bool {
self.inner.is_empty()
}
pub fn insert(&mut self, child: Child) -> bool {
self.inner.insert(child.id(), child).is_none()
}
pub fn merge(&mut self, reaper: Self) {
self.inner.extend(reaper.inner.into_iter());
}
pub fn remove_finished_children(&mut self) {
self.inner
.retain(|_, child| child.try_wait().map_or(true, |ret| ret.is_none()));
}
}
impl FromIterator<Child> for Children {
fn from_iter<T: IntoIterator<Item = Child>>(iter: T) -> Self {
Self {
inner: iter
.into_iter()
.map(|child| (child.id(), child))
.collect::<HashMap<_, _>>(),
}
}
}
impl Extend<Child> for Children {
fn extend<T: IntoIterator<Item = Child>>(&mut self, iter: T) {
self.inner
.extend(iter.into_iter().map(|child| (child.id(), child)));
}
}
pub fn register_child_hook(flag: Arc<AtomicBool>) {
let _ = signal_hook::flag::register(signal_hook::consts::signal::SIGCHLD, flag)
.map_err(|err| tracing::error!("Cannot register SIGCHLD signal handler: {:?}", err));
}
pub fn exec_shell(command: &str, children: &mut Children) -> Option<ChildID> {
let child = Command::new("sh")
.arg("-c")
.arg(&command)
.stdin(Stdio::null())
.stdout(Stdio::null())
.spawn()
.ok()?;
let pid = child.id();
children.insert(child);
Some(pid)
}
#[cfg(test)]
mod tests {
use super::DesktopEntry;
#[test]
fn test_parse() {
let content = r###"
[Desktop Action Gallery]
Exec=fooview --gallery
Name=Browse Gallery
[Desktop Entry]
#comment
Name=Optimus Manager
Name[zh_CN]=Optimus \u{7ba1}\u{7406}\u{5668}
Comment=A program to handle GPU switching on Optimus laptops
Comment[ru]=\u{41f}\u{440}\u{43e}\u{433}\u{440}\u{430}\u{43c}\u{43c}\u{430} \u{434}\u{43b}\u{44f} \u{443}\u{43f}\u{440}\u{430}\u{432}\u{43b}\u{435}\u{43d}\u{438}\u{44f} \u{43f}\u{435}\u{440}\u{435}\u{43a}\u{43b}\u{44e}\u{447}\u{435}\u{43d}\u{438}\u{435}\u{43c} \u{433}\u{440}\u{430}\u{444}\u{438}\u{447}\u{435}\u{441}\u{43a}\u{438}\u{445} \u{43f}\u{440}\u{43e}\u{446}\u{435}\u{441}\u{441}\u{43e}\u{440}\u{43e}\u{432} \u{43d}\u{430} \u{43d}\u{43e}\u{443}\u{442}\u{431}\u{443}\u{43a}\u{430}\u{445} c Optimus
Comment[zh_CN]=\u{5904}\u{7406}\u{53cc}\u{663e}\u{5361}\u{7b14}\u{8bb0}\u{672c}\u{7535}\u{8111} GPU \u{5207}\u{6362}\u{7684}\u{7a0b}\u{5e8f}
Keywords=nvidia;optimus;settings;switch;GPU;
Keywords[ru]=nvidia;optimus;settings;switch;GPU;\u{43d}\u{430}\u{441}\u{442}\u{440}\u{43e}\u{439}\u{43a}\u{438};\u{432}\u{438}\u{434}\u{435}\u{43e}\u{43a}\u{430}\u{440}\u{442}\u{430};
Exec=optimus-manager-qt
Icon=optimus-manager-qt
Terminal=false
StartupNotify=false
Type=Application
Categories=System;Settings;Qt;
Actions=Gallery;Create;
Hidden=true
OnlyShowIn=XFCE;
[Desktop Action Create]
Exec=fooview --create-new
Name=Create a new Foo!
Icon=fooview-new
"###;
let entry = DesktopEntry::parse(content);
assert_eq!(
entry.exec,
Some("optimus-manager-qt".to_string()),
"exec failed"
);
assert!(entry.path.is_none(), "expect path none");
assert!(entry.hidden, "expect hidden true");
assert!(entry.only_show_in.is_some(), "expect only_show_in defined");
assert!(
entry.only_show_in.clone().unwrap().contains("XFCE"),
"expect only_show_in contains XFCE"
);
assert!(
!entry.only_show_in.clone().unwrap().contains(""),
"expect only show in not contains empty-str"
);
assert!(entry.not_show_in.is_none(), "expect not_show_in none");
}
}