uevent/lib.rs
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 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397
// Copyright (c) Microsoft Corporation.
// Licensed under the MIT License.
//! Implements a listener to wait for Linux kobject uevents.
//!
//! These are used to wait for device hotplug events, disk capacity changes, and
//! other asynchronous hardware state changes in Linux.
#![cfg(target_os = "linux")]
mod bind_kobject_uevent;
use anyhow::Context;
use fs_err::PathExt;
use futures::AsyncReadExt;
use futures::FutureExt;
use futures::StreamExt;
use futures_concurrency::future::Race;
use mesh::rpc::Rpc;
use mesh::rpc::RpcSend;
use pal_async::driver::SpawnDriver;
use pal_async::socket::PolledSocket;
use pal_async::task::Task;
use socket2::Socket;
use std::future::Future;
use std::io;
use std::path::Path;
use std::path::PathBuf;
use thiserror::Error;
/// A listener for Linux udev events.
pub struct UeventListener {
_task: Task<()>,
send: mesh::Sender<TaskRequest>,
}
/// An error from [`UeventListener::new`].
#[derive(Debug, Error)]
#[error("failed to create uevent socket")]
pub struct NewUeventListenerError(#[source] io::Error);
impl UeventListener {
/// Opens a new netlink socket and starts listening on it.
pub fn new(driver: &impl SpawnDriver) -> Result<Self, NewUeventListenerError> {
let socket =
bind_kobject_uevent::bind_kobject_uevent_socket().map_err(NewUeventListenerError)?;
let socket = PolledSocket::new(driver, socket).map_err(NewUeventListenerError)?;
let (send, recv) = mesh::mpsc_channel();
let thing = ListenerTask {
socket,
callbacks: Vec::new(),
recv,
next_id: 0,
};
let task = driver.spawn("uevent", async move { thing.run().await });
Ok(Self { _task: task, send })
}
/// Adds a callback function that receives every event.
pub async fn add_custom_callback(
&self,
callback: impl 'static + Send + FnMut(Notification<'_>),
) -> CallbackHandle {
self.send
.call(TaskRequest::NewFilter, Box::new(callback))
.await
.unwrap()
}
/// Adds a callback that runs when the block device with the given
/// major/minor numbers has been resized or a rescan event was triggered
/// where the caller is required to rescan for the condition
pub async fn add_block_resize_callback(
&self,
major: u32,
minor: u32,
mut notify: impl 'static + Send + FnMut(),
) -> CallbackHandle {
self.add_custom_callback(move |event| match event {
Notification::Event(kvs) => {
if (kvs.get("RESCAN") == Some("true"))
|| (kvs.get("RESIZE") == Some("1")
&& kvs.get("SUBSYSTEM") == Some("block")
&& kvs.get("ACTION") == Some("change")
&& kvs.get("MAJOR").is_some_and(|x| x.parse() == Ok(major))
&& kvs.get("MINOR").is_some_and(|x| x.parse() == Ok(minor)))
{
notify();
}
}
})
.await
}
/// Waits for a child of the provided devpath (typically something under
/// /sys) to exist.
///
/// If it does not immediately exist, this will poll the path for existence
/// each time a new uevent arrives.
///
/// `f` will be called with the file name of the child, and a boolean: true
/// if the child was found by uevent, false if it was found by sysfs. It
/// should return `Some(_)` if the child is the correct one.
///
/// This is inefficient if there are lots of waiters and lots of incoming
/// uevents, but this is not an expected use case.
pub async fn wait_for_matching_child<T, F, Fut>(&self, path: &Path, f: F) -> io::Result<T>
where
F: Fn(PathBuf, bool) -> Fut,
Fut: Future<Output = Option<T>>,
{
let scan_for_matching_child = async || {
for entry in path.fs_err_read_dir()? {
let entry = entry?;
if let Some(r) = f(entry.path(), false).await {
return Ok::<Option<T>, io::Error>(Some(r));
}
}
Ok(None)
};
// Fast path.
if path.exists() {
if let Some(child) = scan_for_matching_child().await? {
return Ok(child);
}
}
// Get the absolute devpath to make child lookups fast.
self.wait_for_devpath(path).await?;
let path = path.fs_err_canonicalize()?;
let path_clone = path.clone();
let parent_devpath = path
.strip_prefix("/sys")
.map_err(|_| io::Error::new(io::ErrorKind::InvalidInput, "invalid devpath"))?
.to_path_buf();
let (send, mut recv) = mesh::channel();
let _handle = self
.add_custom_callback({
move |notification| {
match notification {
Notification::Event(uevent) => {
// uevent can return a rescan event in some cases where it is not sure
// about the end state. In those cases, the end state needs to be checked
// again for any change.
if uevent.get("RESCAN") == Some("true") {
if let Ok(read_dir) = path_clone.fs_err_read_dir() {
for entry in read_dir {
if let Ok(sub_entry) = entry {
send.send((sub_entry.path(), false));
}
}
}
} else if uevent.get("ACTION") == Some("add") {
let Some(devpath) = uevent.get("DEVPATH") else {
return;
};
// Remove the leading /.
let devpath = Path::new(&devpath[1..]);
if devpath.parent() == Some(&parent_devpath) {
send.send((Path::new("/sys").join(devpath), true));
}
}
}
}
}
})
.await;
if let Some(child) = scan_for_matching_child().await? {
return Ok(child);
}
tracing::debug!(path = %path.display(), "waiting for child nodes");
while let Some((path, is_uevent)) = recv.next().await {
if let Some(r) = f(path, is_uevent).await {
return Ok(r);
}
}
Err(io::Error::new(
io::ErrorKind::InvalidInput,
"Did not find a matching path",
))
}
/// Waits for the provided devpath (typically something under /sys) to
/// exist.
///
/// If it does not immediately exist, this will poll the path for existence
/// each time a new uevent arrives.
///
/// This is inefficient if there are lots of waiters and lots of incoming
/// uevents, but this is not an expected use case.
pub async fn wait_for_devpath(&self, path: &Path) -> io::Result<()> {
// Fast path.
if path.exists() {
return Ok(());
}
// Register the listener.
let (send, recv) = mesh::oneshot();
let _handle = self
.add_custom_callback({
let path = path.to_owned();
let mut send = Some(send);
move |event| {
if send.is_none() {
return;
}
match event {
Notification::Event(uevent) => {
if (uevent.get("ACTION") == Some("add"))
|| (uevent.get("RESCAN") == Some("true"))
{
let r = path.fs_err_symlink_metadata();
if !matches!(&r, Err(err) if err.kind() == io::ErrorKind::NotFound)
{
send.take().unwrap().send(r);
}
}
}
}
}
})
.await;
// Check for the path again in case it arrived before the listener was
// registered.
let r = match path.fs_err_symlink_metadata() {
Ok(m) => Ok(m),
Err(err) if err.kind() == io::ErrorKind::NotFound => {
tracing::debug!(path = %path.display(), "waiting for devpath");
recv.await.unwrap()
}
Err(err) => Err(err),
};
r?;
Ok(())
}
}
/// A notification for a [`UeventListener`] callback to process.
pub enum Notification<'a> {
/// An event arrived.
Event(&'a Uevent<'a>),
}
/// A device event.
pub struct Uevent<'a> {
header: &'a str,
properties: Vec<(&'a str, &'a str)>,
}
impl Uevent<'_> {
/// Gets the header.
pub fn header(&self) -> &str {
self.header
}
/// Gets a property by key.
pub fn get(&self, key: &str) -> Option<&str> {
let i = self
.properties
.binary_search_by_key(&key, |(k, _)| k)
.ok()?;
Some(self.properties[i].1)
}
}
/// A callback handle from [`UeventListener`].
///
/// When dropped, it will unregister the callback. This is asynchronous, so the
/// callback may be called several more times after this.
#[must_use]
#[derive(Debug)]
pub struct CallbackHandle {
id: u64,
send: mesh::Sender<TaskRequest>,
}
impl Drop for CallbackHandle {
fn drop(&mut self) {
self.send.send(TaskRequest::RemoveFilter(self.id))
}
}
enum TaskRequest {
NewFilter(Rpc<Box<dyn Send + FnMut(Notification<'_>)>, CallbackHandle>),
RemoveFilter(u64),
}
struct ListenerTask {
socket: PolledSocket<Socket>,
callbacks: Vec<Filter>,
recv: mesh::Receiver<TaskRequest>,
next_id: u64,
}
struct Filter {
id: u64,
func: Box<dyn Send + FnMut(Notification<'_>)>,
}
impl ListenerTask {
async fn run(self) {
if let Err(err) = self.run_inner().await {
tracing::error!(
error = err.as_ref() as &dyn std::error::Error,
"uevent failure"
);
}
}
async fn run_inner(mut self) -> anyhow::Result<()> {
let mut buf = [0; 4096];
enum Event {
Request(Option<TaskRequest>),
Read(io::Result<usize>),
}
loop {
let event = (
self.socket.read(&mut buf).map(Event::Read),
self.recv.next().map(Event::Request),
)
.race()
.await;
match event {
Event::Request(Some(request)) => match request {
TaskRequest::NewFilter(rpc) => rpc.handle_sync(|filter_fn| {
let id = self.next_id;
self.next_id += 1;
self.callbacks.push(Filter {
func: filter_fn,
id,
});
CallbackHandle {
id,
send: self.recv.sender(),
}
}),
TaskRequest::RemoveFilter(id) => {
self.callbacks
.swap_remove(self.callbacks.iter().position(|f| f.id == id).unwrap());
}
},
Event::Request(None) => break Ok(()),
Event::Read(r) => {
match r {
Ok(n) => {
let buf = std::str::from_utf8(&buf[..n])
.context("failed to parse uevent as utf-8 string")?;
let uevent = parse_uevent(buf)?;
for callback in &mut self.callbacks {
(callback.func)(Notification::Event(&uevent));
}
}
Err(e) => {
// uevent socket is an unreliable source and in some cases (such as an
// uevent flood) can overflow. Two ways to handle that. Either increase
// the socket buffer size and hope that buffer doesn't overflow or wake up
// the callers to have them rescan for the condition. We went with the latter
// here as that has a higher degree of reliability.
if let Some(libc::ENOBUFS) = e.raw_os_error() {
tracing::info!("uevent socket read error: {:?}", e);
let properties: Vec<(&str, &str)> = vec![("RESCAN", "true")];
let uevent = Uevent {
header: "rescan",
properties,
};
for callback in &mut self.callbacks {
(callback.func)(Notification::Event(&uevent));
}
} else {
Err(e).context("uevent read failure")?;
}
}
};
}
}
}
}
}
fn parse_uevent(buf: &str) -> anyhow::Result<Uevent<'_>> {
let mut lines = buf.split('\0');
let header = lines.next().context("missing event header")?;
let properties = lines.filter_map(|line| line.split_once('=')).collect();
tracing::debug!(header, ?properties, "uevent");
let mut uevent = Uevent { header, properties };
uevent.properties.sort_by_key(|(k, _)| *k);
Ok(uevent)
}