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
use std::{
collections::HashSet,
sync::{Arc, Mutex as SyncMutex},
time::Duration,
};
use dbus_tokio::connection;
use dbus::{
channel::MatchingReceiver,
message::MatchRule,
nonblock,
nonblock::{
SyncConnection,
stdintf::org_freedesktop_dbus::{
ObjectManager,
RequestNameReply,
},
},
};
use dbus_crossroads::Crossroads;
use futures::future;
use tokio::sync::Mutex;
mod types;
mod sensor;
#[cfg(feature = "adc")]
mod adc;
#[cfg(feature = "fan")]
mod fan;
#[cfg(feature = "hwmon")]
mod hwmon;
#[cfg(feature = "peci")]
mod peci;
#[cfg(feature = "external")]
mod external;
mod i2c;
mod gpio;
mod powerstate;
mod sysfs;
mod threshold;
mod dbus_helpers;
#[cfg(feature = "hostpower")]
use powerstate::host_state;
use types::*;
use sensor::{
SensorConfig,
SensorConfigMap,
SensorIntfData,
SensorMap,
};
const DBUS_NAME: &str = "xyz.openbmc_project.OmniSensor";
const ENTITY_MANAGER_NAME: &str = "xyz.openbmc_project.EntityManager";
async fn get_config(bus: &SyncConnection) -> ErrResult<SensorConfigMap> {
let get_objects = |path| async move {
let p = nonblock::Proxy::new(ENTITY_MANAGER_NAME, path,
Duration::from_secs(30), bus);
p.get_managed_objects().await
};
let objs = match get_objects("/xyz/openbmc_project/inventory").await {
Ok(objs) => objs,
Err(e) => {
match get_objects("/").await {
Ok(objs) => objs,
Err(_) => return Err(e.into()),
}
},
};
let mut result = SensorConfigMap::new();
'objloop: for (path, submap) in objs.into_iter().map(|(p, s)| (InventoryPath(p.clone()), s)) {
for (k, props) in &submap {
let Some(cfg) = SensorConfig::from_dbus(props, k, &submap) else {
continue;
};
let cfg = match cfg {
Ok(cfg) => cfg,
Err(e) => {
eprintln!("{:?}, {}: {}", path, k, e);
continue;
},
};
result.insert(Arc::new(path), cfg);
continue 'objloop;
}
}
Ok(result)
}
async fn register_properties_changed_handler<H, R>(bus: &SyncConnection, cb: H)
-> ErrResult<nonblock::MsgMatch>
where H: FnOnce(dbus::message::Message, String,
dbus::arg::PropMap) -> R + Send + Copy + Sync + 'static,
R: futures::Future<Output = ()> + Send
{
use dbus::message::SignalArgs;
use nonblock::stdintf::org_freedesktop_dbus::PropertiesPropertiesChanged as PPC;
use futures::StreamExt;
let rule = MatchRule::new_signal(PPC::INTERFACE, PPC::NAME)
.with_namespaced_path("/xyz/openbmc_project/inventory");
let (signal, stream) = bus.add_match(rule).await?.stream();
let stream = stream.for_each(move |(msg, (intf, props)): (_, (String, dbus::arg::PropMap))| {
async move {
if !intf.starts_with("xyz.openbmc_project.Configuration.") {
return;
}
tokio::spawn(async move { cb(msg, intf, props).await });
}
});
tokio::spawn(async { stream.await });
Ok(signal)
}
pub struct DaemonState {
config: Mutex<SensorConfigMap>,
sensors: Mutex<SensorMap>,
i2cdevs: Mutex<i2c::I2CDeviceMap>,
bus: Arc<SyncConnection>,
crossroads: SyncMutex<dbus_crossroads::Crossroads>,
sensor_intfs: SensorIntfData,
}
async fn handle_propchange(daemonstate: &DaemonState, msg: dbus::message::Message) {
#[allow(non_upper_case_globals)]
static changed_paths: Mutex<Option<HashSet<InventoryPath>>> = Mutex::const_new(None);
let Some(path) = msg.path().map(|p| p.into_static()) else {
return;
};
let path = InventoryPath(path);
{
let mut paths = changed_paths.lock().await;
if let Some(ref mut set) = &mut *paths {
set.insert(path);
return;
}
*paths = Some([path].into_iter().collect());
}
tokio::time::sleep(Duration::from_secs(2)).await;
let mut paths = changed_paths.lock().await;
let filter: FilterSet<_> = if paths.is_some() {
paths.take().into()
} else {
eprintln!("BUG: changed_paths vanished out from under us!");
return;
};
let newcfg = match get_config(&daemonstate.bus).await {
Ok(c) => c,
Err(e) => {
eprintln!("Failed to retrieve sensor configs, ignoring PropertiesChanged: {}",
e);
return;
},
};
{
*daemonstate.config.lock().await = newcfg;
}
sensor::instantiate_all(daemonstate, &filter).await;
}
#[tokio::main]
async fn main() -> ErrResult<()> {
let (bus_resource, bus) = connection::new_system_sync()?;
let _handle = tokio::spawn(async {
let err = bus_resource.await;
panic!("Lost connection to D-Bus: {}", err);
});
let mut cr = Crossroads::new();
cr.set_async_support(Some((bus.clone(), Box::new(|x| { tokio::spawn(x); }))));
cr.set_object_manager_support(Some(bus.clone()));
let sensor_intfs = sensor::SensorIntfData::build(&mut cr);
#[cfg(feature = "hostpower")]
host_state::init_host_state(&bus).await;
let cfg = get_config(&bus).await?; cr.insert("/xyz", &[], ());
cr.insert("/xyz/openbmc_project", &[], ());
let objmgr = cr.object_manager();
cr.insert("/xyz/openbmc_project/sensors", &[objmgr], ());
let daemonstate = DaemonState {
config: Mutex::new(cfg),
sensors: Mutex::new(SensorMap::new()),
i2cdevs: Mutex::new(i2c::I2CDeviceMap::new()),
bus,
crossroads: SyncMutex::new(cr),
sensor_intfs,
};
let daemonstate: &_ = Box::leak(Box::new(daemonstate));
sensor::instantiate_all(daemonstate, &FilterSet::All).await;
#[cfg(feature = "hostpower")]
let _powersignals = {
let powerhandler = move |_kind, newstate| async move {
if newstate {
sensor::instantiate_all(daemonstate, &FilterSet::All).await;
} else {
let mut sensors = daemonstate.sensors.lock().await;
sensor::deactivate(&mut sensors).await;
}
};
host_state::register_power_signal_handler(&daemonstate.bus, powerhandler).await?
};
let prophandler = move |msg: dbus::message::Message, _, _| async move {
handle_propchange(daemonstate, msg).await;
};
let _propsignals = register_properties_changed_handler(&daemonstate.bus, prophandler).await?;
daemonstate.bus.start_receive(MatchRule::new_method_call(), Box::new(move |msg, conn| {
let mut cr = daemonstate.crossroads.lock().unwrap();
cr.handle_message(msg, conn).expect("wtf?");
true
}));
let reply = daemonstate.bus.request_name(DBUS_NAME, false, false, true).await?;
match reply {
RequestNameReply::PrimaryOwner => (), _ => {
let msg = format!("Failed to acquire dbus name {}: {:?}", DBUS_NAME, reply);
return Err(err_other(msg));
},
}
println!("Hello, world!");
future::pending::<()>().await;
unreachable!();
}