routing/
component_instance.rs

1// Copyright 2021 The Fuchsia Authors. All rights reserved.
2// Use of this source code is governed by a BSD-style license that can be
3// found in the LICENSE file.
4
5use crate::bedrock::sandbox_construction::ComponentSandbox;
6use crate::capability_source::{BuiltinCapabilities, NamespaceCapabilities};
7use crate::environment;
8use crate::error::ComponentInstanceError;
9use crate::policy::GlobalPolicyChecker;
10use crate::resolving::{ComponentAddress, ComponentResolutionContext};
11use async_trait::async_trait;
12use cm_rust::{CapabilityDecl, CollectionDecl, ExposeDecl, OfferDecl, OfferSource, UseDecl};
13use cm_types::{Name, Url};
14use derivative::Derivative;
15use moniker::{ChildName, ExtendedMoniker, Moniker};
16use sandbox::{WeakInstanceToken, WeakInstanceTokenAny};
17use std::clone::Clone;
18use std::sync::{Arc, Weak};
19
20/// A trait providing a representation of a component instance.
21#[async_trait]
22pub trait ComponentInstanceInterface: Sized + Send + Sync {
23    type TopInstance: TopInstanceInterface + Send + Sync;
24
25    /// Returns a new `WeakComponentInstanceInterface<Self>` pointing to `self`.
26    fn as_weak(self: &Arc<Self>) -> WeakComponentInstanceInterface<Self> {
27        WeakComponentInstanceInterface::new(self)
28    }
29
30    /// Returns this `ComponentInstanceInterface`'s child moniker, if it is
31    /// not the root instance.
32    fn child_moniker(&self) -> Option<&ChildName>;
33
34    /// Returns this `ComponentInstanceInterface`'s moniker.
35    fn moniker(&self) -> &Moniker;
36
37    /// Returns this `ComponentInstanceInterface`'s component URL.
38    fn url(&self) -> &Url;
39
40    /// Returns a representation of this `ComponentInstanceInterface`'s environment.
41    fn environment(&self) -> &environment::Environment<Self>;
42
43    /// Returns configuration overrides applied to this component by its parent.
44    fn config_parent_overrides(&self) -> Option<&Vec<cm_rust::ConfigOverride>>;
45
46    /// Returns the `GlobalPolicyChecker` for this component instance.
47    fn policy_checker(&self) -> &GlobalPolicyChecker;
48
49    /// Returns the component ID index for this component instance.
50    fn component_id_index(&self) -> &component_id_index::Index;
51
52    /// Gets the parent, if it still exists, or returns an `InstanceNotFound` error.
53    fn try_get_parent(&self) -> Result<ExtendedInstanceInterface<Self>, ComponentInstanceError>;
54
55    /// Locks and returns a lazily-resolved and populated
56    /// `ResolvedInstanceInterface`.  Returns an `InstanceNotFound` error if the
57    /// instance is destroyed. The instance will remain locked until the result
58    /// is dropped.
59    ///
60    /// NOTE: The `Box<dyn>` in the return type is necessary, because the type
61    /// of the result depends on the lifetime of the `self` reference. The
62    /// proposed "generic associated types" feature would let us define this
63    /// statically.
64    async fn lock_resolved_state<'a>(
65        self: &'a Arc<Self>,
66    ) -> Result<Box<dyn ResolvedInstanceInterface<Component = Self> + 'a>, ComponentInstanceError>;
67
68    /// Returns a clone of this component's sandbox. This may resolve the component if necessary.
69    async fn component_sandbox(
70        self: &Arc<Self>,
71    ) -> Result<ComponentSandbox, ComponentInstanceError>;
72
73    /// Attempts to walk the component tree (up and/or down) from the current component to find the
74    /// extended instance represented by the given extended moniker. Intermediate components will
75    /// be resolved as needed. Functionally this calls into `find_absolute` or `find_above_root`
76    /// depending on the extended moniker.
77    async fn find_extended_instance(
78        self: &Arc<Self>,
79        moniker: &ExtendedMoniker,
80    ) -> Result<ExtendedInstanceInterface<Self>, ComponentInstanceError> {
81        match moniker {
82            ExtendedMoniker::ComponentInstance(moniker) => {
83                Ok(ExtendedInstanceInterface::Component(self.find_absolute(moniker).await?))
84            }
85            ExtendedMoniker::ComponentManager => {
86                Ok(ExtendedInstanceInterface::AboveRoot(self.find_above_root()?))
87            }
88        }
89    }
90
91    /// Attempts to walk the component tree (up and/or down) from the current component to find the
92    /// component instance represented by the given moniker. Intermediate components will be
93    /// resolved as needed.
94    async fn find_absolute(
95        self: &Arc<Self>,
96        target_moniker: &Moniker,
97    ) -> Result<Arc<Self>, ComponentInstanceError> {
98        let mut current = self.clone();
99        while !target_moniker.has_prefix(current.moniker()) {
100            match current.try_get_parent()? {
101                ExtendedInstanceInterface::AboveRoot(_) => panic!(
102                    "the current component ({}) must be root, but it's not a prefix for {}",
103                    current.moniker(),
104                    &target_moniker
105                ),
106                ExtendedInstanceInterface::Component(parent) => current = parent,
107            }
108        }
109        while current.moniker() != target_moniker {
110            let remaining_path = target_moniker.strip_prefix(current.moniker()).expect(
111                "previous loop will only exit when current.moniker() is a prefix of target_moniker",
112            );
113            for moniker_part in remaining_path.path().iter() {
114                let child = current.lock_resolved_state().await?.get_child(moniker_part).ok_or(
115                    ComponentInstanceError::InstanceNotFound {
116                        moniker: current.moniker().child(moniker_part.clone()),
117                    },
118                )?;
119                current = child;
120            }
121        }
122        Ok(current)
123    }
124
125    /// Attempts to walk the component tree up to the above root instance. Intermediate components
126    /// will be resolved as needed.
127    fn find_above_root(self: &Arc<Self>) -> Result<Arc<Self::TopInstance>, ComponentInstanceError> {
128        let mut current = self.clone();
129        loop {
130            match current.try_get_parent()? {
131                ExtendedInstanceInterface::AboveRoot(top_instance) => return Ok(top_instance),
132                ExtendedInstanceInterface::Component(parent) => current = parent,
133            }
134        }
135    }
136}
137
138/// A trait providing a representation of a resolved component instance.
139pub trait ResolvedInstanceInterface: Send + Sync {
140    /// Type representing a (unlocked and potentially unresolved) component instance.
141    type Component;
142
143    /// Current view of this component's `uses` declarations.
144    fn uses(&self) -> Vec<UseDecl>;
145
146    /// Current view of this component's `exposes` declarations.
147    fn exposes(&self) -> Vec<ExposeDecl>;
148
149    /// Current view of this component's `offers` declarations.
150    fn offers(&self) -> Vec<OfferDecl>;
151
152    /// Current view of this component's `capabilities` declarations.
153    fn capabilities(&self) -> Vec<CapabilityDecl>;
154
155    /// Current view of this component's `collections` declarations.
156    fn collections(&self) -> Vec<CollectionDecl>;
157
158    /// Returns a live child of this instance.
159    fn get_child(&self, moniker: &ChildName) -> Option<Arc<Self::Component>>;
160
161    /// Returns a vector of the live children in `collection`.
162    fn children_in_collection(&self, collection: &Name) -> Vec<(ChildName, Arc<Self::Component>)>;
163
164    /// Returns the resolver-ready location of the component, which is either
165    /// an absolute component URL or a relative path URL with context.
166    fn address(&self) -> ComponentAddress;
167
168    /// Returns the context to be used to resolve a component from a path
169    /// relative to this component (for example, a component in a subpackage).
170    /// If `None`, the resolver cannot resolve relative path component URLs.
171    fn context_to_resolve_children(&self) -> Option<ComponentResolutionContext>;
172}
173
174/// An extension trait providing functionality for any model of a resolved
175/// component.
176pub trait ResolvedInstanceInterfaceExt: ResolvedInstanceInterface {
177    /// Returns true if the given offer source refers to a valid entity, e.g., a
178    /// child that exists, a declared collection, etc.
179    fn offer_source_exists(&self, source: &OfferSource) -> bool {
180        match source {
181            OfferSource::Framework
182            | OfferSource::Self_
183            | OfferSource::Parent
184            | OfferSource::Void => true,
185            OfferSource::Child(cm_rust::ChildRef { name, collection }) => {
186                let child_moniker = match ChildName::try_new(
187                    name.as_str(),
188                    collection.as_ref().map(|c| c.as_str()),
189                ) {
190                    Ok(m) => m,
191                    Err(_) => return false,
192                };
193                self.get_child(&child_moniker).is_some()
194            }
195            OfferSource::Collection(collection_name) => {
196                self.collections().into_iter().any(|collection| collection.name == *collection_name)
197            }
198            OfferSource::Capability(capability_name) => self
199                .capabilities()
200                .into_iter()
201                .any(|capability| capability.name() == capability_name),
202        }
203    }
204}
205
206impl<T: ResolvedInstanceInterface> ResolvedInstanceInterfaceExt for T {}
207
208// Elsewhere we need to implement `ResolvedInstanceInterface` for `&T` and
209// `MappedMutexGuard<_, _, T>`, where `T : ResolvedComponentInstance`. We can't
210// implement the latter outside of this crate because of the "orphan rule". So
211// here we implement it for all `Deref`s.
212impl<T> ResolvedInstanceInterface for T
213where
214    T: std::ops::Deref + Send + Sync,
215    T::Target: ResolvedInstanceInterface,
216{
217    type Component = <T::Target as ResolvedInstanceInterface>::Component;
218
219    fn uses(&self) -> Vec<UseDecl> {
220        T::Target::uses(&*self)
221    }
222
223    fn exposes(&self) -> Vec<ExposeDecl> {
224        T::Target::exposes(&*self)
225    }
226
227    fn offers(&self) -> Vec<cm_rust::OfferDecl> {
228        T::Target::offers(&*self)
229    }
230
231    fn capabilities(&self) -> Vec<cm_rust::CapabilityDecl> {
232        T::Target::capabilities(&*self)
233    }
234
235    fn collections(&self) -> Vec<cm_rust::CollectionDecl> {
236        T::Target::collections(&*self)
237    }
238
239    fn get_child(&self, moniker: &ChildName) -> Option<Arc<Self::Component>> {
240        T::Target::get_child(&*self, moniker)
241    }
242
243    fn children_in_collection(&self, collection: &Name) -> Vec<(ChildName, Arc<Self::Component>)> {
244        T::Target::children_in_collection(&*self, collection)
245    }
246
247    fn address(&self) -> ComponentAddress {
248        T::Target::address(&*self)
249    }
250
251    fn context_to_resolve_children(&self) -> Option<ComponentResolutionContext> {
252        T::Target::context_to_resolve_children(&*self)
253    }
254}
255
256/// A wrapper for a weak reference to a type implementing `ComponentInstanceInterface`. Provides the
257/// moniker of the component instance, which is useful for error reporting if the original
258/// component instance has been destroyed.
259#[derive(Derivative)]
260#[derivative(Clone(bound = ""), Default(bound = ""), Debug)]
261pub struct WeakComponentInstanceInterface<C: ComponentInstanceInterface> {
262    #[derivative(Debug = "ignore")]
263    inner: Weak<C>,
264    pub moniker: Moniker,
265}
266
267impl<C: ComponentInstanceInterface> WeakComponentInstanceInterface<C> {
268    pub fn new(component: &Arc<C>) -> Self {
269        Self { inner: Arc::downgrade(component), moniker: component.moniker().clone() }
270    }
271
272    /// Returns a new weak component instance that will always fail to upgrade.
273    pub fn invalid() -> Self {
274        Self { inner: Weak::new(), moniker: Moniker::new(vec![]) }
275    }
276
277    /// Attempts to upgrade this `WeakComponentInterface<C>` into an `Arc<C>`, if the
278    /// original component instance interface `C` has not been destroyed.
279    pub fn upgrade(&self) -> Result<Arc<C>, ComponentInstanceError> {
280        self.inner
281            .upgrade()
282            .ok_or_else(|| ComponentInstanceError::instance_not_found(self.moniker.clone()))
283    }
284}
285
286impl<C: ComponentInstanceInterface> From<&Arc<C>> for WeakComponentInstanceInterface<C> {
287    fn from(component: &Arc<C>) -> Self {
288        Self { inner: Arc::downgrade(component), moniker: component.moniker().clone() }
289    }
290}
291
292impl<C: ComponentInstanceInterface + 'static> TryFrom<WeakInstanceToken>
293    for WeakComponentInstanceInterface<C>
294{
295    type Error = ();
296
297    fn try_from(
298        weak_component_token: WeakInstanceToken,
299    ) -> Result<WeakComponentInstanceInterface<C>, Self::Error> {
300        let weak_extended: WeakExtendedInstanceInterface<C> = weak_component_token.try_into()?;
301        match weak_extended {
302            WeakExtendedInstanceInterface::Component(weak_component) => Ok(weak_component),
303            WeakExtendedInstanceInterface::AboveRoot(_) => Err(()),
304        }
305    }
306}
307
308impl<C: ComponentInstanceInterface + 'static> PartialEq for WeakComponentInstanceInterface<C> {
309    fn eq(&self, other: &Self) -> bool {
310        self.inner.ptr_eq(&other.inner) && self.moniker == other.moniker
311    }
312}
313
314/// Either a type implementing `ComponentInstanceInterface` or its `TopInstance`.
315#[derive(Debug, Clone)]
316pub enum ExtendedInstanceInterface<C: ComponentInstanceInterface> {
317    Component(Arc<C>),
318    AboveRoot(Arc<C::TopInstance>),
319}
320
321/// A type implementing `ComponentInstanceInterface` or its `TopInstance`, as a weak pointer.
322#[derive(Derivative)]
323#[derivative(Clone(bound = ""), Debug(bound = ""))]
324pub enum WeakExtendedInstanceInterface<C: ComponentInstanceInterface> {
325    Component(WeakComponentInstanceInterface<C>),
326    AboveRoot(Weak<C::TopInstance>),
327}
328
329impl<C: ComponentInstanceInterface + 'static> WeakInstanceTokenAny
330    for WeakExtendedInstanceInterface<C>
331{
332    fn as_any(&self) -> &dyn std::any::Any {
333        self
334    }
335}
336
337impl<C: ComponentInstanceInterface> WeakExtendedInstanceInterface<C> {
338    /// Attempts to upgrade this `WeakExtendedInstanceInterface<C>` into an
339    /// `ExtendedInstanceInterface<C>`, if the original extended instance has not been destroyed.
340    pub fn upgrade(&self) -> Result<ExtendedInstanceInterface<C>, ComponentInstanceError> {
341        match self {
342            WeakExtendedInstanceInterface::Component(p) => {
343                Ok(ExtendedInstanceInterface::Component(p.upgrade()?))
344            }
345            WeakExtendedInstanceInterface::AboveRoot(p) => {
346                Ok(ExtendedInstanceInterface::AboveRoot(
347                    p.upgrade().ok_or_else(ComponentInstanceError::cm_instance_unavailable)?,
348                ))
349            }
350        }
351    }
352
353    pub fn extended_moniker(&self) -> ExtendedMoniker {
354        match self {
355            Self::Component(p) => ExtendedMoniker::ComponentInstance(p.moniker.clone()),
356            Self::AboveRoot(_) => ExtendedMoniker::ComponentManager,
357        }
358    }
359}
360
361impl<C: ComponentInstanceInterface> From<&ExtendedInstanceInterface<C>>
362    for WeakExtendedInstanceInterface<C>
363{
364    fn from(extended: &ExtendedInstanceInterface<C>) -> Self {
365        match extended {
366            ExtendedInstanceInterface::Component(component) => {
367                WeakExtendedInstanceInterface::Component(WeakComponentInstanceInterface::new(
368                    component,
369                ))
370            }
371            ExtendedInstanceInterface::AboveRoot(top_instance) => {
372                WeakExtendedInstanceInterface::AboveRoot(Arc::downgrade(top_instance))
373            }
374        }
375    }
376}
377
378impl<C: ComponentInstanceInterface + 'static> TryFrom<WeakInstanceToken>
379    for WeakExtendedInstanceInterface<C>
380{
381    type Error = ();
382
383    fn try_from(
384        weak_component_token: WeakInstanceToken,
385    ) -> Result<WeakExtendedInstanceInterface<C>, Self::Error> {
386        weak_component_token
387            .inner
388            .as_any()
389            .downcast_ref::<WeakExtendedInstanceInterface<C>>()
390            .cloned()
391            .ok_or(())
392    }
393}
394
395/// A special instance identified with the top of the tree, i.e. component manager's instance.
396pub trait TopInstanceInterface: Sized + std::fmt::Debug {
397    fn namespace_capabilities(&self) -> &NamespaceCapabilities;
398
399    fn builtin_capabilities(&self) -> &BuiltinCapabilities;
400}
401
402#[cfg(test)]
403pub mod tests {
404    use super::*;
405    use crate::bedrock::sandbox_construction::ComponentSandbox;
406
407    #[derive(Debug)]
408    pub struct TestTopInstance {}
409
410    impl TopInstanceInterface for TestTopInstance {
411        fn namespace_capabilities(&self) -> &NamespaceCapabilities {
412            todo!()
413        }
414
415        fn builtin_capabilities(&self) -> &BuiltinCapabilities {
416            todo!()
417        }
418    }
419
420    pub struct TestComponent {}
421
422    #[async_trait]
423    impl ComponentInstanceInterface for TestComponent {
424        type TopInstance = TestTopInstance;
425
426        fn child_moniker(&self) -> Option<&ChildName> {
427            todo!()
428        }
429
430        fn moniker(&self) -> &Moniker {
431            todo!()
432        }
433
434        fn url(&self) -> &Url {
435            todo!()
436        }
437
438        fn environment(&self) -> &crate::environment::Environment<Self> {
439            todo!()
440        }
441
442        fn config_parent_overrides(&self) -> Option<&Vec<cm_rust::ConfigOverride>> {
443            todo!()
444        }
445
446        fn policy_checker(&self) -> &GlobalPolicyChecker {
447            todo!()
448        }
449
450        fn component_id_index(&self) -> &component_id_index::Index {
451            todo!()
452        }
453
454        fn try_get_parent(
455            &self,
456        ) -> Result<ExtendedInstanceInterface<Self>, ComponentInstanceError> {
457            todo!()
458        }
459
460        async fn lock_resolved_state<'a>(
461            self: &'a Arc<Self>,
462        ) -> Result<Box<dyn ResolvedInstanceInterface<Component = Self> + 'a>, ComponentInstanceError>
463        {
464            todo!()
465        }
466
467        async fn component_sandbox(
468            self: &Arc<Self>,
469        ) -> Result<ComponentSandbox, ComponentInstanceError> {
470            todo!()
471        }
472    }
473}