routing/bedrock/dict_ext.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
// Copyright 2024 The Fuchsia Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
use crate::error::RoutingError;
use async_trait::async_trait;
use cm_types::{IterablePath, RelativePath};
use fidl_fuchsia_component_sandbox as fsandbox;
use moniker::ExtendedMoniker;
use router_error::RouterError;
use sandbox::{
Capability, CapabilityBound, Connector, Data, Dict, DirEntry, Request, Routable, Router,
RouterResponse,
};
use std::fmt::Debug;
#[async_trait]
pub trait DictExt {
/// Returns the capability at the path, if it exists. Returns `None` if path is empty.
fn get_capability(&self, path: &impl IterablePath) -> Option<Capability>;
/// Looks up a top-level router in this [Dict] with return type `T`. If it's not found (or it's
/// not a router) returns a router that always returns `not_found_error`. If `path` has one
/// segment and a router was found, returns that router.
///
/// If `path` is a multi-segment path, the returned router performs a [Dict] lookup with the
/// remaining path relative to the top-level router (see [LazyGet::lazy_get]).
///
/// REQUIRES: `path` is not empty.
fn get_router_or_not_found<T>(
&self,
path: &impl IterablePath,
not_found_error: RoutingError,
) -> Router<T>
where
T: CapabilityBound,
Router<T>: TryFrom<Capability>;
/// Inserts the capability at the path. Intermediary dictionaries are created as needed.
fn insert_capability(
&self,
path: &impl IterablePath,
capability: Capability,
) -> Result<(), fsandbox::CapabilityStoreError>;
/// Removes the capability at the path, if it exists.
fn remove_capability(&self, path: &impl IterablePath);
/// Looks up the element at `path`. When encountering an intermediate router, use `request` to
/// request the underlying capability from it. In contrast, `get_capability` will return
/// `None`.
///
/// Note that the return value can contain any capability type, instead of a parameterized `T`.
/// This is because some callers work with a generic capability and don't care about the
/// specific type. Callers who do care can use `TryFrom` to cast to the expected
/// [RouterResponse] type.
async fn get_with_request<'a>(
&self,
moniker: &ExtendedMoniker,
path: &'a impl IterablePath,
request: Option<Request>,
debug: bool,
) -> Result<Option<GenericRouterResponse>, RouterError>;
}
/// The analogue of a [RouterResponse] that can hold any type of capability. This is the
/// return type of [DictExt::get_with_request].
#[derive(Debug)]
pub enum GenericRouterResponse {
/// Routing succeeded and returned this capability.
Capability(Capability),
/// Routing succeeded, but the capability was marked unavailable.
Unavailable,
/// Routing succeeded in debug mode, `Data` contains the debug data.
Debug(Data),
}
impl<T: CapabilityBound> TryFrom<GenericRouterResponse> for RouterResponse<T> {
// Returns the capability's debug typename.
type Error = &'static str;
fn try_from(r: GenericRouterResponse) -> Result<Self, Self::Error> {
let r = match r {
GenericRouterResponse::Capability(c) => {
let debug_name = c.debug_typename();
RouterResponse::<T>::Capability(c.try_into().map_err(|_| debug_name)?)
}
GenericRouterResponse::Unavailable => RouterResponse::<T>::Unavailable,
GenericRouterResponse::Debug(d) => RouterResponse::<T>::Debug(d),
};
Ok(r)
}
}
#[async_trait]
impl DictExt for Dict {
fn get_capability(&self, path: &impl IterablePath) -> Option<Capability> {
let mut segments = path.iter_segments();
let Some(mut current_name) = segments.next() else { return Some(self.clone().into()) };
let mut current_dict = self.clone();
loop {
match segments.next() {
Some(next_name) => {
let sub_dict = current_dict
.get(current_name)
.ok()
.flatten()
.and_then(|value| value.to_dictionary())?;
current_dict = sub_dict;
current_name = next_name;
}
None => return current_dict.get(current_name).ok().flatten(),
}
}
}
fn get_router_or_not_found<T>(
&self,
path: &impl IterablePath,
not_found_error: RoutingError,
) -> Router<T>
where
T: CapabilityBound,
Router<T>: TryFrom<Capability>,
{
let mut segments = path.iter_segments();
let root = segments.next().expect("path must be nonempty");
#[derive(Debug)]
struct ErrorRouter {
not_found_error: RouterError,
}
#[async_trait]
impl<T: CapabilityBound> Routable<T> for ErrorRouter {
async fn route(
&self,
_request: Option<Request>,
_debug: bool,
) -> Result<RouterResponse<T>, RouterError> {
Err(self.not_found_error.clone())
}
}
/// This uses the same algorithm as [LazyGet], but that is implemented for
/// [Router<Dict>] while this is implemented for [Router]. This duplication will go
/// away once [Router] is replaced with [Router].
#[derive(Debug)]
struct ScopedDictRouter<P: IterablePath + Debug + 'static> {
router: Router<Dict>,
path: P,
not_found_error: RoutingError,
}
#[async_trait]
impl<P: IterablePath + Debug + 'static, T: CapabilityBound> Routable<T> for ScopedDictRouter<P> {
async fn route(
&self,
request: Option<Request>,
debug: bool,
) -> Result<RouterResponse<T>, RouterError> {
// If `debug` is true, that should only apply to the capability at `path`.
// Here we're looking up the containing dictionary, so set `debug = false`, to
// obtain the actual Dict and not its debug info.
let init_request = request.as_ref().map(|r| r.try_clone()).transpose()?;
match self.router.route(init_request, false).await? {
RouterResponse::<Dict>::Capability(dict) => {
let moniker: ExtendedMoniker = self.not_found_error.clone().into();
let resp =
dict.get_with_request(&moniker, &self.path, request, debug).await?;
let resp =
resp.ok_or_else(|| RouterError::from(self.not_found_error.clone()))?;
let resp = resp.try_into().map_err(|debug_name: &'static str| {
RoutingError::BedrockWrongCapabilityType {
expected: T::debug_typename().into(),
actual: debug_name.into(),
moniker,
}
})?;
Ok(resp)
}
_ => Err(RoutingError::BedrockMemberAccessUnsupported {
moniker: self.not_found_error.clone().into(),
}
.into()),
}
}
}
if segments.next().is_none() {
// No nested lookup necessary.
let Some(router) =
self.get(root).ok().flatten().and_then(|cap| Router::<T>::try_from(cap).ok())
else {
return Router::<T>::new(ErrorRouter { not_found_error: not_found_error.into() });
};
return router;
}
let Some(cap) = self.get(root).ok().flatten() else {
return Router::<T>::new(ErrorRouter { not_found_error: not_found_error.into() });
};
let router = match cap {
Capability::Dictionary(d) => Router::<Dict>::new_ok(d),
Capability::DictionaryRouter(r) => r,
_ => {
return Router::<T>::new(ErrorRouter { not_found_error: not_found_error.into() });
}
};
let mut segments = path.iter_segments();
let _ = segments.next().unwrap();
let path = RelativePath::from(segments.map(|s| s.clone()).collect::<Vec<_>>());
Router::<T>::new(ScopedDictRouter { router, path, not_found_error: not_found_error.into() })
}
fn insert_capability(
&self,
path: &impl IterablePath,
capability: Capability,
) -> Result<(), fsandbox::CapabilityStoreError> {
let mut segments = path.iter_segments();
let mut current_name = segments.next().expect("path must be non-empty");
let mut current_dict = self.clone();
loop {
match segments.next() {
Some(next_name) => {
let sub_dict = {
match current_dict.get(current_name) {
Ok(Some(cap)) => cap
.to_dictionary()
.ok_or(fsandbox::CapabilityStoreError::ItemNotFound)?,
Ok(None) => {
let dict = Dict::new();
current_dict.insert(
current_name.clone(),
Capability::Dictionary(dict.clone()),
)?;
dict
}
Err(_) => return Err(fsandbox::CapabilityStoreError::ItemNotFound),
}
};
current_dict = sub_dict;
current_name = next_name;
}
None => {
return current_dict.insert(current_name.clone(), capability);
}
}
}
}
fn remove_capability(&self, path: &impl IterablePath) {
let mut segments = path.iter_segments();
let mut current_name = segments.next().expect("path must be non-empty");
let mut current_dict = self.clone();
loop {
match segments.next() {
Some(next_name) => {
let sub_dict = current_dict
.get(current_name)
.ok()
.flatten()
.and_then(|value| value.to_dictionary());
if sub_dict.is_none() {
// The capability doesn't exist, there's nothing to remove.
return;
}
current_dict = sub_dict.unwrap();
current_name = next_name;
}
None => {
current_dict.remove(current_name);
return;
}
}
}
}
async fn get_with_request<'a>(
&self,
moniker: &ExtendedMoniker,
path: &'a impl IterablePath,
request: Option<Request>,
debug: bool,
) -> Result<Option<GenericRouterResponse>, RouterError> {
let mut current_dict = self.clone();
let num_segments = path.iter_segments().count();
for (next_idx, next_name) in path.iter_segments().enumerate() {
// Get the capability.
let capability = current_dict
.get(next_name)
.map_err(|_| RoutingError::BedrockNotCloneable { moniker: moniker.clone() })?;
// The capability doesn't exist.
let Some(capability) = capability else {
return Ok(None);
};
// Resolve the capability, this is a noop if it's not a router.
let debug = if next_idx < num_segments - 1 {
// If `request.debug` is true, that should only apply to the capability at `path`.
// Since we're not looking up the final path segment, set `debug = false`, to
// obtain the actual Dict and not its debug info.
false
} else {
debug
};
let request = request.as_ref().map(|r| r.try_clone()).transpose()?;
if next_idx < num_segments - 1 {
// Not at the end of the path yet, so there's more nesting. We expect to
// have found a [Dict], or a [Dict] router -- traverse into this [Dict].
match capability {
Capability::Dictionary(d) => {
current_dict = d;
}
Capability::DictionaryRouter(r) => match r.route(request, false).await? {
RouterResponse::<Dict>::Capability(d) => {
current_dict = d;
}
RouterResponse::<Dict>::Unavailable => {
return Ok(Some(GenericRouterResponse::Unavailable));
}
RouterResponse::<Dict>::Debug(d) => {
// This shouldn't happen (we passed debug=false). Just pass it up
// the chain so the caller can decide how to deal with it.
return Ok(Some(GenericRouterResponse::Debug(d)));
}
},
_ => {
return Err(RoutingError::BedrockWrongCapabilityType {
expected: Dict::debug_typename().into(),
actual: capability.debug_typename().into(),
moniker: moniker.clone(),
}
.into());
}
}
} else {
// We've reached the end of our path. The last capability should have type
// `T` or `Router<T>`.
//
// There's a bit of repetition here because this function supports multiple router
// types.
let capability: Capability = match capability {
Capability::DictionaryRouter(r) => match r.route(request, debug).await? {
RouterResponse::<Dict>::Capability(c) => c.into(),
RouterResponse::<Dict>::Unavailable => {
return Ok(Some(GenericRouterResponse::Unavailable));
}
RouterResponse::<Dict>::Debug(d) => {
return Ok(Some(GenericRouterResponse::Debug(d)));
}
},
Capability::ConnectorRouter(r) => match r.route(request, debug).await? {
RouterResponse::<Connector>::Capability(c) => c.into(),
RouterResponse::<Connector>::Unavailable => {
return Ok(Some(GenericRouterResponse::Unavailable));
}
RouterResponse::<Connector>::Debug(d) => {
return Ok(Some(GenericRouterResponse::Debug(d)));
}
},
Capability::DataRouter(r) => match r.route(request, debug).await? {
RouterResponse::<Data>::Capability(c) => c.into(),
RouterResponse::<Data>::Unavailable => {
return Ok(Some(GenericRouterResponse::Unavailable));
}
RouterResponse::<Data>::Debug(d) => {
return Ok(Some(GenericRouterResponse::Debug(d)));
}
},
Capability::DirEntryRouter(r) => match r.route(request, debug).await? {
RouterResponse::<DirEntry>::Capability(c) => c.into(),
RouterResponse::<DirEntry>::Unavailable => {
return Ok(Some(GenericRouterResponse::Unavailable));
}
RouterResponse::<DirEntry>::Debug(d) => {
return Ok(Some(GenericRouterResponse::Debug(d)));
}
},
other => other,
};
return Ok(Some(GenericRouterResponse::Capability(capability)));
}
}
unreachable!("get_with_request: All cases are handled in the loop");
}
}