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
use std::fmt;
use std::io;
use std::option::Option;
use std::string::*;
use std::thread;
use crossbeam_channel::Sender;
use serde::{de, Deserializer};
use serde_derive::Deserialize;
#[derive(Debug, Copy, Clone, PartialEq, Eq)]
pub enum MouseButton {
Left,
Middle,
Right,
WheelUp,
WheelDown,
Forward,
Back,
Unknown,
}
#[derive(Deserialize, Debug, Clone)]
struct I3BarEventInternal {
pub name: Option<String>,
pub instance: Option<String>,
pub x: u64,
pub y: u64,
#[serde(deserialize_with = "deserialize_mousebutton")]
pub button: MouseButton,
}
#[derive(Debug, Clone)]
pub struct I3BarEvent {
pub id: Option<usize>,
pub instance: Option<usize>,
pub button: MouseButton,
}
impl I3BarEvent {
pub fn matches_id(&self, other: usize) -> bool {
match self.id {
Some(id) => id == other,
_ => false,
}
}
}
pub fn process_events(sender: Sender<I3BarEvent>) {
thread::Builder::new()
.name("input".into())
.spawn(move || loop {
let mut input = String::new();
io::stdin().read_line(&mut input).unwrap();
let slice = input.trim_start_matches(|c| c != '{');
let slice = slice.trim_end_matches(|c| c != '}');
if !slice.is_empty() {
let e: I3BarEventInternal = serde_json::from_str(slice).unwrap();
sender
.send(I3BarEvent {
id: e.name.map(|x| x.parse::<usize>().unwrap()),
instance: e.instance.map(|x| x.parse::<usize>().unwrap()),
button: e.button,
})
.unwrap();
}
})
.unwrap();
}
fn deserialize_mousebutton<'de, D>(deserializer: D) -> Result<MouseButton, D::Error>
where
D: Deserializer<'de>,
{
struct MouseButtonVisitor;
impl<'de> de::Visitor<'de> for MouseButtonVisitor {
type Value = MouseButton;
fn expecting(&self, formatter: &mut fmt::Formatter) -> fmt::Result {
formatter.write_str("u64")
}
fn visit_u64<E>(self, value: u64) -> Result<Self::Value, E>
where
E: de::Error,
{
Ok(match value {
1 => MouseButton::Left,
2 => MouseButton::Middle,
3 => MouseButton::Right,
4 => MouseButton::WheelUp,
5 => MouseButton::WheelDown,
9 => MouseButton::Forward,
8 => MouseButton::Back,
_ => MouseButton::Unknown,
})
}
}
deserializer.deserialize_any(MouseButtonVisitor)
}