1use crate::error::Error;
6use crate::local_component_runner::LocalComponentRunnerBuilder;
7use anyhow::{format_err, Context as _};
8use cm_rust::{FidlIntoNative, NativeIntoFidl};
9use component_events::events::Started;
10use component_events::matcher::EventMatcher;
11use fidl::endpoints::{
12 self, create_proxy, ClientEnd, DiscoverableProtocolMarker, Proxy, ServerEnd, ServiceMarker,
13};
14use fuchsia_component::client as fclient;
15use futures::future::BoxFuture;
16use futures::{FutureExt, TryFutureExt, TryStreamExt};
17use log::*;
18use rand::Rng;
19use std::collections::HashMap;
20use std::fmt::{self, Display, Formatter};
21use {
22 fidl_fuchsia_component as fcomponent, fidl_fuchsia_component_decl as fdecl,
23 fidl_fuchsia_component_test as ftest, fidl_fuchsia_io as fio, fidl_fuchsia_mem as fmem,
24 fidl_fuchsia_sys2 as fsys, fuchsia_async as fasync,
25};
26
27pub mod new {
28 pub use super::*;
29}
30
31pub const DEFAULT_COLLECTION_NAME: &'static str = "realm_builder";
33
34const REALM_BUILDER_SERVER_CHILD_NAME: &'static str = "realm_builder_server";
35
36pub mod error;
37mod local_component_runner;
38
39pub use local_component_runner::LocalComponentHandles;
40
41#[derive(Debug, Clone, PartialEq, Eq, Hash)]
43pub struct Ref {
44 value: RefInner,
45
46 scope: Option<Vec<String>>,
49}
50
51#[derive(Debug, Clone, PartialEq, Eq, Hash)]
52enum RefInner {
53 Capability(String),
54 Child(String),
55 Collection(String),
56 Debug,
57 Framework,
58 Parent,
59 Self_,
60 Void,
61}
62
63impl Ref {
64 pub fn capability(name: impl Into<String>) -> Ref {
65 Ref { value: RefInner::Capability(name.into()), scope: None }
66 }
67
68 pub fn dictionary(path: impl Into<String>) -> Ref {
71 let path: String = path.into();
72 let parts: Vec<_> = path.split('/').collect();
73 if parts.len() != 2 || parts[0] != "self" {
74 panic!(
75 "Input to dictionary() must have the form \"self/<dictionary_name>\", \
76 was: {path}"
77 );
78 }
79 Self::capability(parts[1])
80 }
81
82 pub fn child(name: impl Into<String>) -> Ref {
83 Ref { value: RefInner::Child(name.into()), scope: None }
84 }
85
86 pub fn collection(name: impl Into<String>) -> Ref {
87 Ref { value: RefInner::Collection(name.into()), scope: None }
88 }
89
90 pub fn debug() -> Ref {
91 Ref { value: RefInner::Debug, scope: None }
92 }
93
94 pub fn framework() -> Ref {
95 Ref { value: RefInner::Framework, scope: None }
96 }
97
98 pub fn parent() -> Ref {
99 Ref { value: RefInner::Parent, scope: None }
100 }
101
102 pub fn self_() -> Ref {
103 Ref { value: RefInner::Self_, scope: None }
104 }
105
106 pub fn void() -> Ref {
107 Ref { value: RefInner::Void, scope: None }
108 }
109
110 #[allow(clippy::result_large_err)] fn check_scope(&self, realm_scope: &Vec<String>) -> Result<(), Error> {
112 if let Some(ref_scope) = self.scope.as_ref() {
113 if ref_scope != realm_scope {
114 return Err(Error::RefUsedInWrongRealm(self.clone(), realm_scope.join("/")));
115 }
116 }
117 Ok(())
118 }
119}
120
121impl Into<fdecl::Ref> for Ref {
122 fn into(self) -> fdecl::Ref {
123 match self.value {
124 RefInner::Capability(name) => fdecl::Ref::Capability(fdecl::CapabilityRef { name }),
125 RefInner::Child(name) => fdecl::Ref::Child(fdecl::ChildRef { name, collection: None }),
126 RefInner::Collection(name) => fdecl::Ref::Collection(fdecl::CollectionRef { name }),
127 RefInner::Debug => fdecl::Ref::Debug(fdecl::DebugRef {}),
128 RefInner::Framework => fdecl::Ref::Framework(fdecl::FrameworkRef {}),
129 RefInner::Parent => fdecl::Ref::Parent(fdecl::ParentRef {}),
130 RefInner::Self_ => fdecl::Ref::Self_(fdecl::SelfRef {}),
131 RefInner::Void => fdecl::Ref::VoidType(fdecl::VoidRef {}),
132 }
133 }
134}
135
136impl From<&SubRealmBuilder> for Ref {
139 fn from(input: &SubRealmBuilder) -> Ref {
140 let mut scope = input.realm_path.clone();
143 let child_name = scope.pop().expect("this should be impossible");
144 Ref { value: RefInner::Child(child_name), scope: Some(scope) }
145 }
146}
147
148impl From<&ChildRef> for Ref {
149 fn from(input: &ChildRef) -> Ref {
150 Ref { value: RefInner::Child(input.name.clone()), scope: input.scope.clone() }
151 }
152}
153
154impl From<&CollectionRef> for Ref {
155 fn from(input: &CollectionRef) -> Ref {
156 Ref { value: RefInner::Collection(input.name.clone()), scope: input.scope.clone() }
157 }
158}
159
160impl Display for Ref {
161 fn fmt(&self, f: &mut Formatter<'_>) -> fmt::Result {
162 match &self.value {
163 RefInner::Capability(name) => {
164 write!(f, "capability {}", name)?;
165 }
166 RefInner::Child(name) => {
167 write!(f, "child {}", name)?;
168 }
169 RefInner::Collection(name) => {
170 write!(f, "collection {}", name)?;
171 }
172 RefInner::Debug => {
173 write!(f, "debug")?;
174 }
175 RefInner::Framework => {
176 write!(f, "framework")?;
177 }
178 RefInner::Parent => {
179 write!(f, "parent")?;
180 }
181 RefInner::Self_ => {
182 write!(f, "self")?;
183 }
184 RefInner::Void => {
185 write!(f, "void")?;
186 }
187 }
188 if let Some(ref_scope) = self.scope.as_ref() {
189 write!(f, " in realm {:?}", ref_scope.join("/"))?;
190 }
191 Ok(())
192 }
193}
194
195#[derive(Debug, Clone, PartialEq)]
199pub struct ChildRef {
200 name: String,
201 scope: Option<Vec<String>>,
202}
203
204impl ChildRef {
205 fn new(name: String, scope: Vec<String>) -> Self {
206 ChildRef { name, scope: Some(scope) }
207 }
208
209 #[allow(clippy::result_large_err)] fn check_scope(&self, realm_scope: &Vec<String>) -> Result<(), Error> {
211 if let Some(ref_scope) = self.scope.as_ref() {
212 if ref_scope != realm_scope {
213 return Err(Error::RefUsedInWrongRealm(self.into(), realm_scope.join("/")));
214 }
215 }
216 Ok(())
217 }
218}
219
220impl From<String> for ChildRef {
221 fn from(input: String) -> ChildRef {
222 ChildRef { name: input, scope: None }
223 }
224}
225
226impl From<&str> for ChildRef {
227 fn from(input: &str) -> ChildRef {
228 ChildRef { name: input.to_string(), scope: None }
229 }
230}
231
232impl From<&SubRealmBuilder> for ChildRef {
233 fn from(input: &SubRealmBuilder) -> ChildRef {
234 let mut scope = input.realm_path.clone();
237 let child_name = scope.pop().expect("this should be impossible");
238 ChildRef { name: child_name, scope: Some(scope) }
239 }
240}
241
242impl From<&ChildRef> for ChildRef {
243 fn from(input: &ChildRef) -> ChildRef {
244 input.clone()
245 }
246}
247
248#[derive(Debug, Clone, PartialEq)]
252pub struct CollectionRef {
253 name: String,
254 scope: Option<Vec<String>>,
255}
256
257impl CollectionRef {
258 fn new(name: String, scope: Vec<String>) -> Self {
259 CollectionRef { name, scope: Some(scope) }
260 }
261}
262
263impl From<String> for CollectionRef {
264 fn from(input: String) -> CollectionRef {
265 CollectionRef { name: input, scope: None }
266 }
267}
268
269impl From<&str> for CollectionRef {
270 fn from(input: &str) -> CollectionRef {
271 CollectionRef { name: input.to_string(), scope: None }
272 }
273}
274
275impl From<&SubRealmBuilder> for CollectionRef {
276 fn from(input: &SubRealmBuilder) -> CollectionRef {
277 let mut scope = input.realm_path.clone();
280 let collection_name = scope.pop().expect("this should be impossible");
281 CollectionRef { name: collection_name, scope: Some(scope) }
282 }
283}
284
285impl From<&CollectionRef> for CollectionRef {
286 fn from(input: &CollectionRef) -> CollectionRef {
287 input.clone()
288 }
289}
290
291pub struct Capability;
293
294impl Capability {
295 pub fn protocol<P: DiscoverableProtocolMarker>() -> ProtocolCapability {
297 Self::protocol_by_name(P::PROTOCOL_NAME)
298 }
299
300 pub fn protocol_by_name(name: impl Into<String>) -> ProtocolCapability {
302 ProtocolCapability {
303 name: name.into(),
304 as_: None,
305 type_: fdecl::DependencyType::Strong,
306 path: None,
307 availability: None,
308 }
309 }
310
311 pub fn configuration(name: impl Into<String>) -> ConfigurationCapability {
313 ConfigurationCapability { name: name.into(), as_: None, availability: None }
314 }
315
316 pub fn directory(name: impl Into<String>) -> DirectoryCapability {
318 DirectoryCapability {
319 name: name.into(),
320 as_: None,
321 type_: fdecl::DependencyType::Strong,
322 rights: None,
323 subdir: None,
324 path: None,
325 availability: None,
326 }
327 }
328
329 pub fn storage(name: impl Into<String>) -> StorageCapability {
331 StorageCapability { name: name.into(), as_: None, path: None, availability: None }
332 }
333
334 pub fn service<S: ServiceMarker>() -> ServiceCapability {
336 Self::service_by_name(S::SERVICE_NAME)
337 }
338
339 pub fn service_by_name(name: impl Into<String>) -> ServiceCapability {
341 ServiceCapability { name: name.into(), as_: None, path: None, availability: None }
342 }
343
344 pub fn event_stream(name: impl Into<String>) -> EventStream {
346 EventStream { name: name.into(), rename: None, path: None, scope: None }
347 }
348
349 pub fn dictionary(name: impl Into<String>) -> DictionaryCapability {
351 DictionaryCapability { name: name.into(), as_: None, availability: None }
352 }
353
354 pub fn resolver(name: impl Into<String>) -> ResolverCapability {
356 ResolverCapability { name: name.into(), as_: None, path: None }
357 }
358
359 pub fn runner(name: impl Into<String>) -> RunnerCapability {
361 RunnerCapability { name: name.into(), as_: None, path: None }
362 }
363}
364
365#[derive(Debug, Clone, PartialEq)]
368pub struct ProtocolCapability {
369 name: String,
370 as_: Option<String>,
371 type_: fdecl::DependencyType,
372 path: Option<String>,
373 availability: Option<fdecl::Availability>,
374}
375
376impl ProtocolCapability {
377 pub fn as_(mut self, as_: impl Into<String>) -> Self {
379 self.as_ = Some(as_.into());
380 self
381 }
382
383 pub fn weak(mut self) -> Self {
386 self.type_ = fdecl::DependencyType::Weak;
387 self
388 }
389
390 pub fn path(mut self, path: impl Into<String>) -> Self {
394 self.path = Some(path.into());
395 self
396 }
397
398 pub fn optional(mut self) -> Self {
401 self.availability = Some(fdecl::Availability::Optional);
402 self
403 }
404
405 pub fn availability_same_as_target(mut self) -> Self {
408 self.availability = Some(fdecl::Availability::SameAsTarget);
409 self
410 }
411}
412
413impl Into<ftest::Capability> for ProtocolCapability {
414 fn into(self) -> ftest::Capability {
415 ftest::Capability::Protocol(ftest::Protocol {
416 name: Some(self.name),
417 as_: self.as_,
418 type_: Some(self.type_),
419 path: self.path,
420 availability: self.availability,
421 ..Default::default()
422 })
423 }
424}
425
426#[derive(Debug, Clone, PartialEq)]
429pub struct ConfigurationCapability {
430 name: String,
431 as_: Option<String>,
432 availability: Option<fdecl::Availability>,
433}
434
435impl ConfigurationCapability {
436 pub fn as_(mut self, name: impl Into<String>) -> Self {
438 self.as_ = Some(name.into());
439 self
440 }
441
442 pub fn optional(mut self) -> Self {
445 self.availability = Some(fdecl::Availability::Optional);
446 self
447 }
448
449 pub fn availability_same_as_target(mut self) -> Self {
452 self.availability = Some(fdecl::Availability::SameAsTarget);
453 self
454 }
455}
456
457impl Into<ftest::Capability> for ConfigurationCapability {
458 fn into(self) -> ftest::Capability {
459 ftest::Capability::Config(ftest::Config {
460 name: Some(self.name),
461 as_: self.as_,
462 availability: self.availability,
463 ..Default::default()
464 })
465 }
466}
467
468#[derive(Debug, Clone, PartialEq)]
471pub struct DirectoryCapability {
472 name: String,
473 as_: Option<String>,
474 type_: fdecl::DependencyType,
475 rights: Option<fio::Operations>,
476 subdir: Option<String>,
477 path: Option<String>,
478 availability: Option<fdecl::Availability>,
479}
480
481impl DirectoryCapability {
482 pub fn as_(mut self, as_: impl Into<String>) -> Self {
484 self.as_ = Some(as_.into());
485 self
486 }
487
488 pub fn weak(mut self) -> Self {
491 self.type_ = fdecl::DependencyType::Weak;
492 self
493 }
494
495 pub fn rights(mut self, rights: fio::Operations) -> Self {
497 self.rights = Some(rights);
498 self
499 }
500
501 pub fn subdir(mut self, subdir: impl Into<String>) -> Self {
503 self.subdir = Some(subdir.into());
504 self
505 }
506
507 pub fn path(mut self, path: impl Into<String>) -> Self {
510 self.path = Some(path.into());
511 self
512 }
513
514 pub fn optional(mut self) -> Self {
517 self.availability = Some(fdecl::Availability::Optional);
518 self
519 }
520
521 pub fn availability_same_as_target(mut self) -> Self {
524 self.availability = Some(fdecl::Availability::SameAsTarget);
525 self
526 }
527}
528
529impl Into<ftest::Capability> for DirectoryCapability {
530 fn into(self) -> ftest::Capability {
531 ftest::Capability::Directory(ftest::Directory {
532 name: Some(self.name),
533 as_: self.as_,
534 type_: Some(self.type_),
535 rights: self.rights,
536 subdir: self.subdir,
537 path: self.path,
538 availability: self.availability,
539 ..Default::default()
540 })
541 }
542}
543
544#[derive(Debug, Clone, PartialEq)]
547pub struct StorageCapability {
548 name: String,
549 as_: Option<String>,
550 path: Option<String>,
551 availability: Option<fdecl::Availability>,
552}
553
554impl StorageCapability {
555 pub fn as_(mut self, as_: impl Into<String>) -> Self {
557 self.as_ = Some(as_.into());
558 self
559 }
560
561 pub fn path(mut self, path: impl Into<String>) -> Self {
564 self.path = Some(path.into());
565 self
566 }
567
568 pub fn optional(mut self) -> Self {
571 self.availability = Some(fdecl::Availability::Optional);
572 self
573 }
574
575 pub fn availability_same_as_target(mut self) -> Self {
578 self.availability = Some(fdecl::Availability::SameAsTarget);
579 self
580 }
581}
582
583impl Into<ftest::Capability> for StorageCapability {
584 fn into(self) -> ftest::Capability {
585 ftest::Capability::Storage(ftest::Storage {
586 name: Some(self.name),
587 as_: self.as_,
588 path: self.path,
589 availability: self.availability,
590 ..Default::default()
591 })
592 }
593}
594
595#[derive(Debug, Clone, PartialEq)]
598pub struct ServiceCapability {
599 name: String,
600 as_: Option<String>,
601 path: Option<String>,
602 availability: Option<fdecl::Availability>,
603}
604
605impl ServiceCapability {
606 pub fn as_(mut self, as_: impl Into<String>) -> Self {
608 self.as_ = Some(as_.into());
609 self
610 }
611
612 pub fn path(mut self, path: impl Into<String>) -> Self {
616 self.path = Some(path.into());
617 self
618 }
619
620 pub fn optional(mut self) -> Self {
623 self.availability = Some(fdecl::Availability::Optional);
624 self
625 }
626
627 pub fn availability_same_as_target(mut self) -> Self {
630 self.availability = Some(fdecl::Availability::SameAsTarget);
631 self
632 }
633}
634
635impl Into<ftest::Capability> for ServiceCapability {
636 fn into(self) -> ftest::Capability {
637 ftest::Capability::Service(ftest::Service {
638 name: Some(self.name),
639 as_: self.as_,
640 path: self.path,
641 availability: self.availability,
642 ..Default::default()
643 })
644 }
645}
646
647impl Into<ftest::Capability> for EventStream {
648 fn into(self) -> ftest::Capability {
649 ftest::Capability::EventStream(ftest::EventStream {
650 name: Some(self.name),
651 as_: self.rename,
652 scope: self.scope.map(|scopes| scopes.into_iter().map(|scope| scope.into()).collect()),
653 path: self.path,
654 ..Default::default()
655 })
656 }
657}
658
659#[derive(Debug, Clone, PartialEq)]
662pub struct DictionaryCapability {
663 name: String,
664 as_: Option<String>,
665 availability: Option<fdecl::Availability>,
666}
667
668impl DictionaryCapability {
669 pub fn as_(mut self, as_: impl Into<String>) -> Self {
671 self.as_ = Some(as_.into());
672 self
673 }
674
675 pub fn optional(mut self) -> Self {
678 self.availability = Some(fdecl::Availability::Optional);
679 self
680 }
681
682 pub fn availability_same_as_target(mut self) -> Self {
685 self.availability = Some(fdecl::Availability::SameAsTarget);
686 self
687 }
688}
689
690#[cfg(fuchsia_api_level_at_least = "25")]
691impl Into<ftest::Capability> for DictionaryCapability {
692 fn into(self) -> ftest::Capability {
693 ftest::Capability::Dictionary(ftest::Dictionary {
694 name: Some(self.name),
695 as_: self.as_,
696 availability: self.availability,
697 ..Default::default()
698 })
699 }
700}
701
702#[derive(Debug, Clone, PartialEq)]
705pub struct ResolverCapability {
706 name: String,
707 as_: Option<String>,
708 path: Option<String>,
709}
710
711impl ResolverCapability {
712 pub fn as_(mut self, as_: impl Into<String>) -> Self {
714 self.as_ = Some(as_.into());
715 self
716 }
717
718 pub fn path(mut self, path: impl Into<String>) -> Self {
722 self.path = Some(path.into());
723 self
724 }
725}
726
727#[cfg(fuchsia_api_level_at_least = "24")]
728impl Into<ftest::Capability> for ResolverCapability {
729 fn into(self) -> ftest::Capability {
730 ftest::Capability::Resolver(ftest::Resolver {
731 name: Some(self.name),
732 as_: self.as_,
733 path: self.path,
734 ..Default::default()
735 })
736 }
737}
738
739#[derive(Debug, Clone, PartialEq)]
742pub struct RunnerCapability {
743 name: String,
744 as_: Option<String>,
745 path: Option<String>,
746}
747
748impl RunnerCapability {
749 pub fn as_(mut self, as_: impl Into<String>) -> Self {
751 self.as_ = Some(as_.into());
752 self
753 }
754
755 pub fn path(mut self, path: impl Into<String>) -> Self {
759 self.path = Some(path.into());
760 self
761 }
762}
763
764#[cfg(fuchsia_api_level_at_least = "24")]
765impl Into<ftest::Capability> for RunnerCapability {
766 fn into(self) -> ftest::Capability {
767 ftest::Capability::Runner(ftest::Runner {
768 name: Some(self.name),
769 as_: self.as_,
770 path: self.path,
771 ..Default::default()
772 })
773 }
774}
775
776#[derive(Debug, Clone, PartialEq)]
778pub struct Route {
779 capabilities: Vec<ftest::Capability>,
780 from: Option<Ref>,
781 from_dictionary: Option<String>,
782 to: Vec<Ref>,
783}
784
785impl Route {
786 pub fn new() -> Self {
787 Self { capabilities: vec![], from: None, from_dictionary: None, to: vec![] }
788 }
789
790 pub fn capability(mut self, capability: impl Into<ftest::Capability>) -> Self {
792 self.capabilities.push(capability.into());
793 self
794 }
795
796 pub fn from(mut self, from: impl Into<Ref>) -> Self {
799 if self.from.is_some() {
800 panic!("from is already set for this route");
801 }
802 self.from = Some(from.into());
803 self
804 }
805
806 pub fn from_dictionary(mut self, from_dictionary: impl Into<String>) -> Self {
822 if self.from_dictionary.is_some() {
823 panic!("from_dictionary is already set for this route");
824 }
825 self.from_dictionary = Some(from_dictionary.into());
826 self
827 }
828
829 pub fn to(mut self, to: impl Into<Ref>) -> Self {
831 self.to.push(to.into());
832 self
833 }
834}
835
836pub struct RealmInstance {
839 pub root: ScopedInstance,
842
843 local_component_runner_task: Option<fasync::Task<()>>,
847}
848
849impl Drop for RealmInstance {
850 fn drop(&mut self) {
857 if !self.root.destroy_waiter_taken() {
858 let destroy_waiter = self.root.take_destroy_waiter();
859 let local_component_runner_task = self.local_component_runner_task.take();
860 fasync::Task::spawn(async move {
861 let _local_component_runner_task = local_component_runner_task;
863 let _ = destroy_waiter.await;
866 })
867 .detach();
868 }
869 debug!("RealmInstance is now shut down - the realm will be destroyed.");
872 }
873}
874
875impl RealmInstance {
876 pub async fn destroy(mut self) -> Result<(), Error> {
882 if self.root.destroy_waiter_taken() {
883 return Err(Error::DestroyWaiterTaken);
884 }
885 let _local_component_runner_task = self.local_component_runner_task.take();
886 let destroy_waiter = self.root.take_destroy_waiter();
887 drop(self);
888 destroy_waiter.await.map_err(Error::FailedToDestroyChild)?;
889 Ok(())
890 }
891
892 pub async fn start_component_tree(&self) -> Result<(), Error> {
896 let lifecycle_controller = self
897 .root
898 .connect_to_protocol_at_exposed_dir::<fsys::LifecycleControllerMarker>()
899 .map_err(|e| Error::CannotStartRootComponent(e))?;
900 let (_, binder_server) = fidl::endpoints::create_endpoints::<fcomponent::BinderMarker>();
901 lifecycle_controller.start_instance("./", binder_server).await?.map_err(|e| {
902 Error::CannotStartRootComponent(format_err!("received error status: {:?}", e))
903 })?;
904 Ok(())
905 }
906}
907
908#[derive(Debug, Clone)]
909pub struct RealmBuilderParams {
910 component_realm_proxy: Option<fcomponent::RealmProxy>,
911 collection_name: Option<String>,
912 fragment_only_url: Option<String>,
913 pkg_dir_proxy: Option<fio::DirectoryProxy>,
914 start: bool,
915 realm_name: Option<String>,
916}
917
918impl RealmBuilderParams {
919 pub fn new() -> Self {
920 Self {
921 component_realm_proxy: None,
922 collection_name: None,
923 fragment_only_url: None,
924 pkg_dir_proxy: None,
925 start: true,
926 realm_name: None,
927 }
928 }
929
930 pub fn with_realm_proxy(mut self, realm_proxy: fcomponent::RealmProxy) -> Self {
931 self.component_realm_proxy = Some(realm_proxy);
932 self
933 }
934
935 pub fn in_collection(mut self, collection_name: impl Into<String>) -> Self {
936 self.collection_name = Some(collection_name.into());
937 self
938 }
939
940 pub fn from_relative_url(mut self, fragment_only_url: impl Into<String>) -> Self {
941 self.fragment_only_url = Some(fragment_only_url.into());
942 self
943 }
944
945 pub fn with_pkg_dir_proxy(mut self, pkg_dir_proxy: fio::DirectoryProxy) -> Self {
946 self.pkg_dir_proxy = Some(pkg_dir_proxy);
947 self
948 }
949
950 pub fn start(mut self, start_on_build: bool) -> Self {
951 self.start = start_on_build;
952 self
953 }
954
955 pub fn realm_name(mut self, realm_name: impl Into<String>) -> Self {
956 self.realm_name = Some(realm_name.into());
957 self
958 }
959}
960
961#[derive(Debug)]
965pub struct RealmBuilder {
966 root_realm: SubRealmBuilder,
967 builder_proxy: ftest::BuilderProxy,
968 component_realm_proxy: fcomponent::RealmProxy,
969 local_component_runner_builder: LocalComponentRunnerBuilder,
970 collection_name: String,
971 start: bool,
972 realm_name: String,
973}
974
975impl RealmBuilder {
976 pub async fn new() -> Result<Self, Error> {
978 Self::with_params(RealmBuilderParams::new()).await
979 }
980
981 pub async fn with_params(params: RealmBuilderParams) -> Result<Self, Error> {
982 let component_realm_proxy = match params.component_realm_proxy {
983 Some(r) => r,
984 None => fclient::connect_to_protocol::<fcomponent::RealmMarker>()
985 .map_err(Error::ConnectToServer)?,
986 };
987 let pkg_dir_proxy = match params.pkg_dir_proxy {
988 Some(p) => p,
989 None => fuchsia_fs::directory::open_in_namespace(
990 "/pkg",
991 fuchsia_fs::PERM_READABLE | fuchsia_fs::PERM_EXECUTABLE,
992 )
993 .map_err(Error::FailedToOpenPkgDir)?,
994 };
995 let collection_name =
996 params.collection_name.unwrap_or_else(|| DEFAULT_COLLECTION_NAME.into());
997 let realm_name = params.realm_name.unwrap_or_else(|| {
998 let id: u64 = rand::thread_rng().gen();
999 format!("auto-{:x}", id)
1000 });
1001 Self::create(
1002 component_realm_proxy,
1003 collection_name,
1004 params.fragment_only_url,
1005 pkg_dir_proxy,
1006 params.start,
1007 realm_name,
1008 )
1009 .await
1010 }
1011
1012 async fn create(
1013 component_realm_proxy: fcomponent::RealmProxy,
1014 collection_name: String,
1015 fragment_only_url: Option<String>,
1016 pkg_dir_proxy: fio::DirectoryProxy,
1017 start: bool,
1018 realm_name: String,
1019 ) -> Result<Self, Error> {
1020 let (exposed_dir_proxy, exposed_dir_server_end) =
1021 endpoints::create_proxy::<fio::DirectoryMarker>();
1022 component_realm_proxy
1023 .open_exposed_dir(
1024 &fdecl::ChildRef {
1025 name: REALM_BUILDER_SERVER_CHILD_NAME.to_string(),
1026 collection: None,
1027 },
1028 exposed_dir_server_end,
1029 )
1030 .await?
1031 .map_err(|e| {
1032 Error::ConnectToServer(format_err!("failed to open exposed dir: {:?}", e))
1033 })?;
1034 let realm_builder_factory_proxy = fclient::connect_to_protocol_at_dir_root::<
1035 ftest::RealmBuilderFactoryMarker,
1036 >(&exposed_dir_proxy)
1037 .map_err(Error::ConnectToServer)?;
1038
1039 let (realm_proxy, realm_server_end) = create_proxy::<ftest::RealmMarker>();
1040 let (builder_proxy, builder_server_end) = create_proxy::<ftest::BuilderMarker>();
1041 match fragment_only_url {
1042 Some(fragment_only_url) => {
1043 realm_builder_factory_proxy
1044 .create_from_relative_url(
1045 ClientEnd::from(pkg_dir_proxy.into_channel().unwrap().into_zx_channel()),
1046 &fragment_only_url,
1047 realm_server_end,
1048 builder_server_end,
1049 )
1050 .await??;
1051 }
1052 None => {
1053 realm_builder_factory_proxy
1054 .create(
1055 ClientEnd::from(pkg_dir_proxy.into_channel().unwrap().into_zx_channel()),
1056 realm_server_end,
1057 builder_server_end,
1058 )
1059 .await??;
1060 }
1061 }
1062 Self::build_struct(
1063 component_realm_proxy,
1064 realm_proxy,
1065 builder_proxy,
1066 collection_name,
1067 start,
1068 realm_name,
1069 )
1070 }
1071
1072 #[allow(clippy::result_large_err)] fn build_struct(
1074 component_realm_proxy: fcomponent::RealmProxy,
1075 realm_proxy: ftest::RealmProxy,
1076 builder_proxy: ftest::BuilderProxy,
1077 collection_name: String,
1078 start: bool,
1079 realm_name: String,
1080 ) -> Result<Self, Error> {
1081 let local_component_runner_builder = LocalComponentRunnerBuilder::new();
1082 Ok(Self {
1083 root_realm: SubRealmBuilder {
1084 realm_proxy,
1085 realm_path: vec![],
1086 local_component_runner_builder: local_component_runner_builder.clone(),
1087 },
1088 component_realm_proxy,
1089 builder_proxy,
1090 local_component_runner_builder,
1091 collection_name,
1092 start,
1093 realm_name,
1094 })
1095 }
1096
1097 pub async fn initialize(self) -> Result<(String, fasync::Task<()>), Error> {
1102 let (component_runner_client_end, local_component_runner_task) =
1103 self.local_component_runner_builder.build().await?;
1104 let root_url = self.builder_proxy.build(component_runner_client_end).await??;
1105 Ok((root_url, local_component_runner_task))
1106 }
1107
1108 pub async fn build(self) -> Result<RealmInstance, Error> {
1115 let (component_runner_client_end, local_component_runner_task) =
1116 self.local_component_runner_builder.build().await?;
1117 let root_url = self.builder_proxy.build(component_runner_client_end).await??;
1118 let factory = ScopedInstanceFactory::new(self.collection_name)
1119 .with_realm_proxy(self.component_realm_proxy);
1120 let root = factory
1121 .new_named_instance(self.realm_name, root_url)
1122 .await
1123 .map_err(Error::FailedToCreateChild)?;
1124 let realm =
1125 RealmInstance { root, local_component_runner_task: Some(local_component_runner_task) };
1126 if self.start {
1127 realm.root.connect_to_binder().map_err(Error::FailedToBind)?;
1128 }
1129 Ok(realm)
1130 }
1131
1132 pub async fn with_nested_component_manager(
1143 self,
1144 component_manager_fragment_only_url: &str,
1145 ) -> Result<Self, Error> {
1146 self.root_realm.with_nested_component_manager(component_manager_fragment_only_url).await?;
1147 Ok(self)
1148 }
1149
1150 pub async fn build_in_nested_component_manager(
1159 self,
1160 component_manager_fragment_only_url: &str,
1161 ) -> Result<RealmInstance, Error> {
1162 let component_manager_realm =
1163 self.with_nested_component_manager(component_manager_fragment_only_url).await?;
1164 let cm_instance = component_manager_realm.build().await?;
1165 Ok(cm_instance)
1166 }
1167
1168 pub async fn add_child_realm(
1175 &self,
1176 name: impl Into<String>,
1177 options: ChildOptions,
1178 ) -> Result<SubRealmBuilder, Error> {
1179 self.root_realm.add_child_realm(name, options).await
1180 }
1181
1182 pub async fn add_child_realm_from_relative_url(
1183 &self,
1184 name: impl Into<String>,
1185 relative_url: impl Into<String>,
1186 options: ChildOptions,
1187 ) -> Result<SubRealmBuilder, Error> {
1188 self.root_realm.add_child_realm_from_relative_url(name, relative_url, options).await
1189 }
1190
1191 #[cfg(fuchsia_api_level_at_least = "26")]
1192 pub async fn add_child_realm_from_decl(
1193 &self,
1194 name: impl Into<String>,
1195 decl: cm_rust::ComponentDecl,
1196 options: ChildOptions,
1197 ) -> Result<SubRealmBuilder, Error> {
1198 self.root_realm.add_child_realm_from_decl(name, decl, options).await
1199 }
1200
1201 pub async fn add_local_child(
1203 &self,
1204 name: impl Into<String>,
1205 local_component_implementation: impl Fn(LocalComponentHandles) -> BoxFuture<'static, Result<(), anyhow::Error>>
1206 + Sync
1207 + Send
1208 + 'static,
1209 options: ChildOptions,
1210 ) -> Result<ChildRef, Error> {
1211 self.root_realm.add_local_child(name, local_component_implementation, options).await
1212 }
1213
1214 pub async fn add_child(
1216 &self,
1217 name: impl Into<String>,
1218 url: impl Into<String>,
1219 options: ChildOptions,
1220 ) -> Result<ChildRef, Error> {
1221 self.root_realm.add_child(name, url, options).await
1222 }
1223
1224 pub async fn add_child_from_decl(
1226 &self,
1227 name: impl Into<String>,
1228 decl: cm_rust::ComponentDecl,
1229 options: ChildOptions,
1230 ) -> Result<ChildRef, Error> {
1231 self.root_realm.add_child_from_decl(name, decl, options).await
1232 }
1233
1234 pub async fn get_component_decl(
1245 &self,
1246 name: impl Into<ChildRef>,
1247 ) -> Result<cm_rust::ComponentDecl, Error> {
1248 self.root_realm.get_component_decl(name).await
1249 }
1250
1251 pub async fn replace_component_decl(
1262 &self,
1263 name: impl Into<ChildRef>,
1264 decl: cm_rust::ComponentDecl,
1265 ) -> Result<(), Error> {
1266 self.root_realm.replace_component_decl(name, decl).await
1267 }
1268
1269 pub async fn get_realm_decl(&self) -> Result<cm_rust::ComponentDecl, Error> {
1271 self.root_realm.get_realm_decl().await
1272 }
1273
1274 pub async fn replace_realm_decl(&self, decl: cm_rust::ComponentDecl) -> Result<(), Error> {
1276 self.root_realm.replace_realm_decl(decl).await
1277 }
1278
1279 pub async fn add_route(&self, route: Route) -> Result<(), Error> {
1281 self.root_realm.add_route(route).await
1282 }
1283
1284 pub async fn init_mutable_config_from_package(
1286 &self,
1287 name: impl Into<ChildRef>,
1288 ) -> Result<(), Error> {
1289 self.root_realm.init_mutable_config_from_package(name).await
1290 }
1291
1292 pub async fn init_mutable_config_to_empty(
1294 &self,
1295 name: impl Into<ChildRef>,
1296 ) -> Result<(), Error> {
1297 self.root_realm.init_mutable_config_to_empty(name).await
1298 }
1299
1300 pub async fn set_config_value(
1302 &self,
1303 name: impl Into<ChildRef>,
1304 key: &str,
1305 value: cm_rust::ConfigValue,
1306 ) -> Result<(), Error> {
1307 self.root_realm.set_config_value(name, key, value).await
1308 }
1309
1310 pub async fn read_only_directory(
1314 &self,
1315 directory_name: impl Into<String>,
1316 to: Vec<impl Into<Ref>>,
1317 directory_contents: DirectoryContents,
1318 ) -> Result<(), Error> {
1319 self.root_realm.read_only_directory(directory_name, to, directory_contents).await
1320 }
1321
1322 pub async fn add_capability(&self, capability: cm_rust::CapabilityDecl) -> Result<(), Error> {
1324 self.root_realm.add_capability(capability).await
1325 }
1326
1327 #[cfg(fuchsia_api_level_at_least = "25")]
1328 pub async fn add_collection(
1330 &self,
1331 collection: cm_rust::CollectionDecl,
1332 ) -> Result<CollectionRef, Error> {
1333 self.root_realm.add_collection(collection).await
1334 }
1335
1336 #[cfg(fuchsia_api_level_at_least = "25")]
1337 pub async fn add_environment(
1339 &self,
1340 environment: cm_rust::EnvironmentDecl,
1341 ) -> Result<(), Error> {
1342 self.root_realm.add_environment(environment).await
1343 }
1344}
1345
1346#[derive(Debug, Clone)]
1347pub struct SubRealmBuilder {
1348 realm_proxy: ftest::RealmProxy,
1349 realm_path: Vec<String>,
1350 local_component_runner_builder: LocalComponentRunnerBuilder,
1351}
1352
1353impl SubRealmBuilder {
1354 pub async fn add_child_realm(
1355 &self,
1356 name: impl Into<String>,
1357 options: ChildOptions,
1358 ) -> Result<Self, Error> {
1359 let name: String = name.into();
1360 let (child_realm_proxy, child_realm_server_end) = create_proxy::<ftest::RealmMarker>();
1361 self.realm_proxy.add_child_realm(&name, &options.into(), child_realm_server_end).await??;
1362
1363 let mut child_path = self.realm_path.clone();
1364 child_path.push(name);
1365 Ok(SubRealmBuilder {
1366 realm_proxy: child_realm_proxy,
1367 realm_path: child_path,
1368 local_component_runner_builder: self.local_component_runner_builder.clone(),
1369 })
1370 }
1371
1372 pub async fn add_child_realm_from_relative_url(
1373 &self,
1374 name: impl Into<String>,
1375 relative_url: impl Into<String>,
1376 options: ChildOptions,
1377 ) -> Result<SubRealmBuilder, Error> {
1378 let name: String = name.into();
1379 let (child_realm_proxy, child_realm_server_end) = create_proxy::<ftest::RealmMarker>();
1380 self.realm_proxy
1381 .add_child_realm_from_relative_url(
1382 &name,
1383 &relative_url.into(),
1384 &options.into(),
1385 child_realm_server_end,
1386 )
1387 .await??;
1388
1389 let mut child_path = self.realm_path.clone();
1390 child_path.push(name);
1391 Ok(SubRealmBuilder {
1392 realm_proxy: child_realm_proxy,
1393 realm_path: child_path,
1394 local_component_runner_builder: self.local_component_runner_builder.clone(),
1395 })
1396 }
1397
1398 #[cfg(fuchsia_api_level_at_least = "26")]
1399 pub async fn add_child_realm_from_decl(
1400 &self,
1401 name: impl Into<String>,
1402 decl: cm_rust::ComponentDecl,
1403 options: ChildOptions,
1404 ) -> Result<SubRealmBuilder, Error> {
1405 let name: String = name.into();
1406 let (child_realm_proxy, child_realm_server_end) = create_proxy::<ftest::RealmMarker>();
1407 self.realm_proxy
1408 .add_child_realm_from_decl(
1409 &name,
1410 &decl.native_into_fidl(),
1411 &options.into(),
1412 child_realm_server_end,
1413 )
1414 .await??;
1415
1416 let mut child_path = self.realm_path.clone();
1417 child_path.push(name);
1418 Ok(SubRealmBuilder {
1419 realm_proxy: child_realm_proxy,
1420 realm_path: child_path,
1421 local_component_runner_builder: self.local_component_runner_builder.clone(),
1422 })
1423 }
1424
1425 pub async fn add_local_child<M>(
1427 &self,
1428 name: impl Into<String>,
1429 local_component_implementation: M,
1430 options: ChildOptions,
1431 ) -> Result<ChildRef, Error>
1432 where
1433 M: Fn(LocalComponentHandles) -> BoxFuture<'static, Result<(), anyhow::Error>>
1434 + Sync
1435 + Send
1436 + 'static,
1437 {
1438 let name: String = name.into();
1439 self.realm_proxy.add_local_child(&name, &options.into()).await??;
1440
1441 let mut child_path = self.realm_path.clone();
1442 child_path.push(name.clone());
1443 self.local_component_runner_builder
1444 .register_local_component(child_path.join("/"), local_component_implementation)
1445 .await?;
1446
1447 Ok(ChildRef::new(name, self.realm_path.clone()))
1448 }
1449
1450 pub async fn add_child(
1452 &self,
1453 name: impl Into<String>,
1454 url: impl Into<String>,
1455 options: ChildOptions,
1456 ) -> Result<ChildRef, Error> {
1457 let name: String = name.into();
1458 self.realm_proxy.add_child(&name, &url.into(), &options.into()).await??;
1459 Ok(ChildRef::new(name, self.realm_path.clone()))
1460 }
1461
1462 pub async fn add_child_from_decl(
1464 &self,
1465 name: impl Into<String>,
1466 decl: cm_rust::ComponentDecl,
1467 options: ChildOptions,
1468 ) -> Result<ChildRef, Error> {
1469 let name: String = name.into();
1470 self.realm_proxy
1471 .add_child_from_decl(&name, &decl.native_into_fidl(), &options.into())
1472 .await??;
1473 Ok(ChildRef::new(name, self.realm_path.clone()))
1474 }
1475
1476 pub async fn get_component_decl(
1478 &self,
1479 child_ref: impl Into<ChildRef>,
1480 ) -> Result<cm_rust::ComponentDecl, Error> {
1481 let child_ref: ChildRef = child_ref.into();
1482 child_ref.check_scope(&self.realm_path)?;
1483 let decl = self.realm_proxy.get_component_decl(&child_ref.name).await??;
1484 Ok(decl.fidl_into_native())
1485 }
1486
1487 pub async fn replace_component_decl(
1489 &self,
1490 child_ref: impl Into<ChildRef>,
1491 decl: cm_rust::ComponentDecl,
1492 ) -> Result<(), Error> {
1493 let child_ref: ChildRef = child_ref.into();
1494 child_ref.check_scope(&self.realm_path)?;
1495 self.realm_proxy
1496 .replace_component_decl(&child_ref.name, &decl.native_into_fidl())
1497 .await??;
1498 Ok(())
1499 }
1500
1501 pub async fn get_realm_decl(&self) -> Result<cm_rust::ComponentDecl, Error> {
1503 Ok(self.realm_proxy.get_realm_decl().await??.fidl_into_native())
1504 }
1505
1506 pub async fn replace_realm_decl(&self, decl: cm_rust::ComponentDecl) -> Result<(), Error> {
1508 self.realm_proxy.replace_realm_decl(&decl.native_into_fidl()).await?.map_err(Into::into)
1509 }
1510
1511 pub async fn init_mutable_config_from_package(
1513 &self,
1514 child_ref: impl Into<ChildRef>,
1515 ) -> Result<(), Error> {
1516 let child_ref = child_ref.into();
1517 child_ref.check_scope(&self.realm_path)?;
1518 self.realm_proxy
1519 .init_mutable_config_from_package(&child_ref.name)
1520 .await?
1521 .map_err(Into::into)
1522 }
1523
1524 pub async fn init_mutable_config_to_empty(
1526 &self,
1527 child_ref: impl Into<ChildRef>,
1528 ) -> Result<(), Error> {
1529 let child_ref = child_ref.into();
1530 child_ref.check_scope(&self.realm_path)?;
1531 self.realm_proxy.init_mutable_config_to_empty(&child_ref.name).await?.map_err(Into::into)
1532 }
1533
1534 pub async fn set_config_value(
1536 &self,
1537 child_ref: impl Into<ChildRef>,
1538 key: &str,
1539 value: cm_rust::ConfigValue,
1540 ) -> Result<(), Error> {
1541 let child_ref: ChildRef = child_ref.into();
1542 child_ref.check_scope(&self.realm_path)?;
1543 self.realm_proxy
1544 .set_config_value(
1545 &child_ref.name,
1546 key,
1547 &cm_rust::ConfigValueSpec { value }.native_into_fidl(),
1548 )
1549 .await?
1550 .map_err(Into::into)
1551 }
1552
1553 pub async fn add_route(&self, route: Route) -> Result<(), Error> {
1555 #[allow(unused_mut)] let mut capabilities = route.capabilities;
1557 if let Some(source) = &route.from {
1558 source.check_scope(&self.realm_path)?;
1559 }
1560 for target in &route.to {
1561 target.check_scope(&self.realm_path)?;
1562 }
1563 #[cfg(fuchsia_api_level_at_least = "25")]
1564 if let Some(from_dictionary) = route.from_dictionary {
1565 for c in &mut capabilities {
1566 match c {
1567 ftest::Capability::Protocol(c) => {
1568 c.from_dictionary = Some(from_dictionary.clone());
1569 }
1570 ftest::Capability::Directory(c) => {
1571 c.from_dictionary = Some(from_dictionary.clone());
1572 }
1573 ftest::Capability::Service(c) => {
1574 c.from_dictionary = Some(from_dictionary.clone());
1575 }
1576 ftest::Capability::Dictionary(c) => {
1577 c.from_dictionary = Some(from_dictionary.clone());
1578 }
1579 ftest::Capability::Resolver(c) => {
1580 c.from_dictionary = Some(from_dictionary.clone());
1581 }
1582 ftest::Capability::Runner(c) => {
1583 c.from_dictionary = Some(from_dictionary.clone());
1584 }
1585 ftest::Capability::Storage(_)
1586 | ftest::Capability::Config(_)
1587 | ftest::Capability::EventStream(_) => {
1588 return Err(Error::FromDictionaryNotSupported(c.clone()));
1589 }
1590 ftest::CapabilityUnknown!() => {}
1591 }
1592 }
1593 }
1594 if !capabilities.is_empty() {
1595 let route_targets = route.to.into_iter().map(Into::into).collect::<Vec<fdecl::Ref>>();
1596 let fut = self.realm_proxy.add_route(
1601 &capabilities,
1602 &route.from.ok_or(Error::MissingSource)?.into(),
1603 &route_targets,
1604 );
1605 fut.await??;
1606 }
1607 Ok(())
1608 }
1609
1610 pub async fn read_only_directory(
1614 &self,
1615 directory_name: impl Into<String>,
1616 to: Vec<impl Into<Ref>>,
1617 directory_contents: DirectoryContents,
1618 ) -> Result<(), Error> {
1619 let to: Vec<Ref> = to.into_iter().map(|t| t.into()).collect();
1620 for target in &to {
1621 target.check_scope(&self.realm_path)?;
1622 }
1623 let to = to.into_iter().map(Into::into).collect::<Vec<_>>();
1624
1625 let fut = self.realm_proxy.read_only_directory(
1626 &directory_name.into(),
1627 &to,
1628 directory_contents.into(),
1629 );
1630 fut.await??;
1631 Ok(())
1632 }
1633
1634 pub async fn add_capability(&self, capability: cm_rust::CapabilityDecl) -> Result<(), Error> {
1636 self.realm_proxy.add_capability(&capability.native_into_fidl()).await??;
1637 Ok(())
1638 }
1639
1640 #[cfg(fuchsia_api_level_at_least = "25")]
1641 pub async fn add_collection(
1643 &self,
1644 collection: cm_rust::CollectionDecl,
1645 ) -> Result<CollectionRef, Error> {
1646 let name = collection.name.clone().into();
1647 self.realm_proxy.add_collection(&collection.native_into_fidl()).await??;
1648 Ok(CollectionRef::new(name, self.realm_path.clone()))
1649 }
1650
1651 #[cfg(fuchsia_api_level_at_least = "25")]
1652 pub async fn add_environment(
1654 &self,
1655 environment: cm_rust::EnvironmentDecl,
1656 ) -> Result<(), Error> {
1657 self.realm_proxy.add_environment(&environment.native_into_fidl()).await??;
1658 Ok(())
1659 }
1660
1661 pub async fn with_nested_component_manager(
1671 &self,
1672 component_manager_fragment_only_url: &str,
1673 ) -> Result<(), Error> {
1674 self.realm_proxy
1675 .use_nested_component_manager(component_manager_fragment_only_url)
1676 .await?
1677 .map_err(Into::into)
1678 }
1679}
1680
1681pub struct DirectoryContents {
1684 contents: HashMap<String, fmem::Buffer>,
1685}
1686
1687impl DirectoryContents {
1688 pub fn new() -> Self {
1689 Self { contents: HashMap::new() }
1690 }
1691
1692 pub fn add_file(mut self, path: impl Into<String>, contents: impl Into<Vec<u8>>) -> Self {
1693 let contents: Vec<u8> = contents.into();
1694 let vmo = zx::Vmo::create(4096).expect("failed to create a VMO");
1695 vmo.write(&contents, 0).expect("failed to write to VMO");
1696 let buffer = fmem::Buffer { vmo, size: contents.len() as u64 };
1697 self.contents.insert(path.into(), buffer);
1698 self
1699 }
1700}
1701
1702impl Clone for DirectoryContents {
1703 fn clone(&self) -> Self {
1704 let mut new_self = Self::new();
1705 for (path, buf) in self.contents.iter() {
1706 new_self.contents.insert(
1707 path.clone(),
1708 fmem::Buffer {
1709 vmo: buf
1710 .vmo
1711 .create_child(zx::VmoChildOptions::SNAPSHOT_AT_LEAST_ON_WRITE, 0, buf.size)
1712 .expect("failed to clone VMO"),
1713 size: buf.size,
1714 },
1715 );
1716 }
1717 new_self
1718 }
1719}
1720
1721impl From<DirectoryContents> for ftest::DirectoryContents {
1722 fn from(input: DirectoryContents) -> ftest::DirectoryContents {
1723 ftest::DirectoryContents {
1724 entries: input
1725 .contents
1726 .into_iter()
1727 .map(|(path, buf)| ftest::DirectoryEntry { file_path: path, file_contents: buf })
1728 .collect(),
1729 }
1730 }
1731}
1732
1733#[derive(Debug, Clone, PartialEq, Eq, Hash)]
1736pub struct EventStream {
1737 name: String,
1738 scope: Option<Vec<Ref>>,
1739 rename: Option<String>,
1740 path: Option<String>,
1741}
1742
1743impl EventStream {
1744 pub fn new(name: impl Into<String>) -> Self {
1746 Self { name: name.into(), scope: None, rename: None, path: None }
1747 }
1748
1749 pub fn with_scope(mut self, scope: impl Into<Ref>) -> Self {
1752 self.scope.get_or_insert(vec![]).push(scope.into());
1753 self
1754 }
1755
1756 pub fn path(mut self, path: impl Into<String>) -> Self {
1761 self.path = Some(path.into());
1762 self
1763 }
1764
1765 pub fn as_(mut self, name: impl Into<String>) -> Self {
1767 self.rename = Some(name.into());
1768 self
1769 }
1770}
1771
1772#[derive(Debug, Clone)]
1774pub struct ChildOptions {
1775 startup: fdecl::StartupMode,
1776 environment: Option<String>,
1777 on_terminate: fdecl::OnTerminate,
1778 config_overrides: Option<Vec<fdecl::ConfigOverride>>,
1779}
1780
1781impl ChildOptions {
1782 pub fn new() -> Self {
1783 Self {
1784 startup: fdecl::StartupMode::Lazy,
1785 environment: None,
1786 on_terminate: fdecl::OnTerminate::None,
1787 config_overrides: None,
1788 }
1789 }
1790
1791 pub fn eager(mut self) -> Self {
1792 self.startup = fdecl::StartupMode::Eager;
1793 self
1794 }
1795
1796 pub fn environment(mut self, environment: impl Into<String>) -> Self {
1797 self.environment = Some(environment.into());
1798 self
1799 }
1800
1801 pub fn reboot_on_terminate(mut self) -> Self {
1802 self.on_terminate = fdecl::OnTerminate::Reboot;
1803 self
1804 }
1805
1806 pub fn config_overrides(
1807 mut self,
1808 config_overrides: impl Into<Vec<fdecl::ConfigOverride>>,
1809 ) -> Self {
1810 self.config_overrides = Some(config_overrides.into());
1811 self
1812 }
1813}
1814
1815impl Into<ftest::ChildOptions> for ChildOptions {
1816 fn into(self) -> ftest::ChildOptions {
1817 ftest::ChildOptions {
1818 startup: Some(self.startup),
1819 environment: self.environment,
1820 on_terminate: Some(self.on_terminate),
1821 config_overrides: self.config_overrides,
1822 ..Default::default()
1823 }
1824 }
1825}
1826
1827pub struct ScopedInstanceFactory {
1829 realm_proxy: Option<fcomponent::RealmProxy>,
1830 collection_name: String,
1831}
1832
1833impl ScopedInstanceFactory {
1834 pub fn new(collection_name: impl Into<String>) -> Self {
1836 ScopedInstanceFactory { realm_proxy: None, collection_name: collection_name.into() }
1837 }
1838
1839 pub fn with_realm_proxy(mut self, realm_proxy: fcomponent::RealmProxy) -> Self {
1843 self.realm_proxy = Some(realm_proxy);
1844 self
1845 }
1846
1847 pub async fn new_instance(
1850 &self,
1851 url: impl Into<String>,
1852 ) -> Result<ScopedInstance, anyhow::Error> {
1853 let id: u64 = rand::thread_rng().gen();
1854 let child_name = format!("auto-{:x}", id);
1855 self.new_named_instance(child_name, url).await
1856 }
1857
1858 pub async fn new_named_instance(
1868 &self,
1869 child_name: impl Into<String>,
1870 url: impl Into<String>,
1871 ) -> Result<ScopedInstance, anyhow::Error> {
1872 let realm = if let Some(realm_proxy) = self.realm_proxy.as_ref() {
1873 realm_proxy.clone()
1874 } else {
1875 fclient::realm().context("Failed to connect to Realm service")?
1876 };
1877 let child_name = child_name.into();
1878 let collection_ref = fdecl::CollectionRef { name: self.collection_name.clone() };
1879 let child_decl = fdecl::Child {
1880 name: Some(child_name.clone()),
1881 url: Some(url.into()),
1882 startup: Some(fdecl::StartupMode::Lazy),
1883 ..Default::default()
1884 };
1885 let (controller_proxy, controller) = create_proxy::<fcomponent::ControllerMarker>();
1886 let child_args = fcomponent::CreateChildArgs {
1887 numbered_handles: None,
1888 controller: Some(controller),
1889 ..Default::default()
1890 };
1891 let () = realm
1892 .create_child(&collection_ref, &child_decl, child_args)
1893 .await
1894 .context("CreateChild FIDL failed.")?
1895 .map_err(|e| format_err!("Failed to create child: {:?}", e))?;
1896 let child_ref = fdecl::ChildRef {
1897 name: child_name.clone(),
1898 collection: Some(self.collection_name.clone()),
1899 };
1900 let (exposed_dir, server) = endpoints::create_proxy::<fio::DirectoryMarker>();
1901 let () = realm
1902 .open_exposed_dir(&child_ref, server)
1903 .await
1904 .context("OpenExposedDir FIDL failed.")?
1905 .map_err(|e|
1906 format_err!("Failed to open exposed dir of child: {:?}", e))?;
1910 Ok(ScopedInstance {
1911 realm,
1912 child_name,
1913 collection: self.collection_name.clone(),
1914 exposed_dir,
1915 destroy_channel: None,
1916 controller_proxy,
1917 })
1918 }
1919}
1920
1921#[must_use = "Dropping `ScopedInstance` will cause the component instance to be stopped and destroyed."]
1924pub struct ScopedInstance {
1925 realm: fcomponent::RealmProxy,
1926 child_name: String,
1927 collection: String,
1928 exposed_dir: fio::DirectoryProxy,
1929 destroy_channel: Option<
1930 futures::channel::oneshot::Sender<
1931 Result<
1932 fidl::client::QueryResponseFut<fcomponent::RealmDestroyChildResult>,
1933 anyhow::Error,
1934 >,
1935 >,
1936 >,
1937 controller_proxy: fcomponent::ControllerProxy,
1938}
1939
1940impl ScopedInstance {
1941 pub async fn new(coll: String, url: String) -> Result<Self, anyhow::Error> {
1944 ScopedInstanceFactory::new(coll).new_instance(url).await
1945 }
1946
1947 pub async fn new_with_name(
1953 child_name: String,
1954 collection: String,
1955 url: String,
1956 ) -> Result<Self, anyhow::Error> {
1957 ScopedInstanceFactory::new(collection).new_named_instance(child_name, url).await
1958 }
1959
1960 pub async fn is_started(&self) -> Result<bool, anyhow::Error> {
1962 Ok(self
1963 .controller_proxy
1964 .is_started()
1965 .await
1966 .context("failed to use controller proxy")?
1967 .map_err(|e| format_err!("failed to determine if component is started: {:?}", e))?)
1968 }
1969
1970 pub async fn start(&self) -> Result<ExecutionController, anyhow::Error> {
1972 self.start_with_args(fcomponent::StartChildArgs::default()).await
1973 }
1974
1975 pub async fn start_with_args(
1978 &self,
1979 args: fcomponent::StartChildArgs,
1980 ) -> Result<ExecutionController, anyhow::Error> {
1981 let (execution_proxy, execution_server_end) =
1982 create_proxy::<fcomponent::ExecutionControllerMarker>();
1983 self.controller_proxy
1984 .start(args, execution_server_end)
1985 .await
1986 .context("failed to use controller proxy")?
1987 .map_err(|e| format_err!("failed to start component: {:?}", e))?;
1988 Ok(ExecutionController::new(execution_proxy))
1989 }
1990
1991 pub fn controller(&self) -> &fcomponent::ControllerProxy {
1992 &self.controller_proxy
1993 }
1994
1995 pub fn connect_to_binder(&self) -> Result<fcomponent::BinderProxy, anyhow::Error> {
2000 let binder: fcomponent::BinderProxy = self
2001 .connect_to_protocol_at_exposed_dir::<fcomponent::BinderMarker>()
2002 .context("failed to connect to fuchsia.component.Binder")?;
2003
2004 Ok(binder)
2005 }
2006
2007 pub async fn start_with_binder_sync(&self) -> Result<(), anyhow::Error> {
2015 let mut event_stream = component_events::events::EventStream::open()
2016 .await
2017 .context("failed to create EventSource")?;
2018
2019 let _ = self
2020 .connect_to_protocol_at_exposed_dir::<fcomponent::BinderMarker>()
2021 .context("failed to connect to fuchsia.component.Binder")?;
2022
2023 let _ = EventMatcher::ok()
2024 .moniker(self.moniker())
2025 .wait::<Started>(&mut event_stream)
2026 .await
2027 .context("failed to observe Started event")?;
2028
2029 Ok(())
2030 }
2031
2032 pub fn connect_to_protocol_at_exposed_dir<P: DiscoverableProtocolMarker>(
2034 &self,
2035 ) -> Result<P::Proxy, anyhow::Error> {
2036 fclient::connect_to_protocol_at_dir_root::<P>(&self.exposed_dir)
2037 }
2038
2039 pub fn connect_to_named_protocol_at_exposed_dir<P: DiscoverableProtocolMarker>(
2041 &self,
2042 protocol_name: &str,
2043 ) -> Result<P::Proxy, anyhow::Error> {
2044 fclient::connect_to_named_protocol_at_dir_root::<P>(&self.exposed_dir, protocol_name)
2045 }
2046
2047 pub fn connect_request_to_protocol_at_exposed_dir<P: DiscoverableProtocolMarker>(
2050 &self,
2051 server_end: ServerEnd<P>,
2052 ) -> Result<(), anyhow::Error> {
2053 self.connect_request_to_named_protocol_at_exposed_dir(
2054 P::PROTOCOL_NAME,
2055 server_end.into_channel(),
2056 )
2057 }
2058
2059 pub fn connect_request_to_named_protocol_at_exposed_dir(
2062 &self,
2063 protocol_name: &str,
2064 server_end: zx::Channel,
2065 ) -> Result<(), anyhow::Error> {
2066 self.exposed_dir
2067 .open(protocol_name, fio::Flags::PROTOCOL_SERVICE, &Default::default(), server_end)
2068 .map_err(Into::into)
2069 }
2070
2071 pub fn get_exposed_dir(&self) -> &fio::DirectoryProxy {
2073 &self.exposed_dir
2074 }
2075
2076 pub fn destroy_waiter_taken(&self) -> bool {
2078 self.destroy_channel.is_some()
2079 }
2080
2081 pub fn take_destroy_waiter(
2084 &mut self,
2085 ) -> impl futures::Future<Output = Result<(), anyhow::Error>> {
2086 if self.destroy_channel.is_some() {
2087 panic!("destroy waiter already taken");
2088 }
2089 let (sender, receiver) = futures::channel::oneshot::channel();
2090 self.destroy_channel = Some(sender);
2091 receiver.err_into().and_then(futures::future::ready).and_then(
2092 |fidl_fut: fidl::client::QueryResponseFut<_>| {
2093 fidl_fut.map(|r: Result<Result<(), fidl_fuchsia_component::Error>, fidl::Error>| {
2094 r.context("DestroyChild FIDL error")?
2095 .map_err(|e| format_err!("Failed to destroy child: {:?}", e))
2096 })
2097 },
2098 )
2099 }
2100
2101 pub fn child_name(&self) -> &str {
2103 self.child_name.as_str()
2104 }
2105
2106 pub fn moniker(&self) -> String {
2108 format!("./{}:{}", self.collection, self.child_name)
2109 }
2110}
2111
2112impl Drop for ScopedInstance {
2113 fn drop(&mut self) {
2114 let Self { realm, collection, child_name, destroy_channel, .. } = self;
2115 let child_ref =
2116 fdecl::ChildRef { name: child_name.clone(), collection: Some(collection.clone()) };
2117 let result = Ok(realm.destroy_child(&child_ref));
2123 if let Some(chan) = destroy_channel.take() {
2124 let () = chan.send(result).unwrap_or_else(|result| {
2125 warn!("Failed to send result for destroyed scoped instance. Result={:?}", result);
2126 });
2127 }
2128 }
2129}
2130
2131pub struct ExecutionController {
2136 execution_proxy: fcomponent::ExecutionControllerProxy,
2137 execution_event_stream: fcomponent::ExecutionControllerEventStream,
2138}
2139
2140impl ExecutionController {
2141 fn new(execution_proxy: fcomponent::ExecutionControllerProxy) -> Self {
2142 let execution_event_stream = execution_proxy.take_event_stream();
2143 Self { execution_proxy, execution_event_stream }
2144 }
2145
2146 pub async fn stop(self) -> Result<fcomponent::StoppedPayload, anyhow::Error> {
2149 let _ = self.execution_proxy.stop();
2153 self.wait_for_stop().await
2154 }
2155
2156 pub async fn wait_for_stop(mut self) -> Result<fcomponent::StoppedPayload, anyhow::Error> {
2158 loop {
2159 match self.execution_event_stream.try_next().await {
2160 Ok(Some(fcomponent::ExecutionControllerEvent::OnStop { stopped_payload })) => {
2161 return Ok(stopped_payload);
2162 }
2163 Ok(Some(fcomponent::ExecutionControllerEvent::_UnknownEvent {
2164 ordinal, ..
2165 })) => {
2166 warn!(ordinal:%; "fuchsia.component/ExecutionController delivered unknown event");
2167 }
2168 Ok(None) => {
2169 return Err(format_err!("ExecutionController closed and no OnStop received"));
2170 }
2171 Err(e) => {
2172 return Err(format_err!("failed to wait for OnStop: {:?}", e));
2173 }
2174 }
2175 }
2176 }
2177}
2178
2179#[cfg(test)]
2180mod tests {
2181 use super::*;
2182 use assert_matches::assert_matches;
2183 use fidl::endpoints::create_proxy_and_stream;
2184 use fidl_fuchsia_component as fcomponent;
2185 use futures::channel::mpsc;
2186 use futures::future::pending;
2187 use futures::{SinkExt, StreamExt};
2188
2189 #[fuchsia::test]
2194 fn child_options_to_fidl() {
2195 let options: ftest::ChildOptions = ChildOptions::new().into();
2196 assert_eq!(
2197 options,
2198 ftest::ChildOptions {
2199 startup: Some(fdecl::StartupMode::Lazy),
2201 on_terminate: Some(fdecl::OnTerminate::None),
2202 ..Default::default()
2203 },
2204 );
2205 assert_eq!(
2206 options,
2207 ftest::ChildOptions {
2208 startup: Some(fdecl::StartupMode::Lazy),
2209 environment: None,
2210 on_terminate: Some(fdecl::OnTerminate::None),
2211 config_overrides: None,
2212 __source_breaking: fidl::marker::SourceBreaking,
2213 },
2214 );
2215 let options: ftest::ChildOptions = ChildOptions::new().eager().into();
2216 assert_eq!(
2217 options,
2218 ftest::ChildOptions {
2219 startup: Some(fdecl::StartupMode::Eager),
2220 environment: None,
2221 on_terminate: Some(fdecl::OnTerminate::None),
2222 config_overrides: None,
2223 __source_breaking: fidl::marker::SourceBreaking,
2224 },
2225 );
2226 let options: ftest::ChildOptions = ChildOptions::new().environment("test_env").into();
2227 assert_eq!(
2228 options,
2229 ftest::ChildOptions {
2230 startup: Some(fdecl::StartupMode::Lazy),
2231 environment: Some("test_env".to_string()),
2232 on_terminate: Some(fdecl::OnTerminate::None),
2233 config_overrides: None,
2234 __source_breaking: fidl::marker::SourceBreaking,
2235 },
2236 );
2237 let options: ftest::ChildOptions = ChildOptions::new().reboot_on_terminate().into();
2238 assert_eq!(
2239 options,
2240 ftest::ChildOptions {
2241 startup: Some(fdecl::StartupMode::Lazy),
2242 environment: None,
2243 on_terminate: Some(fdecl::OnTerminate::Reboot),
2244 config_overrides: None,
2245 __source_breaking: fidl::marker::SourceBreaking,
2246 },
2247 );
2248
2249 let mut config_overrides: Vec<fdecl::ConfigOverride> = vec![];
2250 config_overrides.push(fdecl::ConfigOverride {
2251 key: Some("mystring".to_string()),
2252 value: Some(fdecl::ConfigValue::Single(fdecl::ConfigSingleValue::String(
2253 "Fuchsia".to_string(),
2254 ))),
2255 ..Default::default()
2256 });
2257 config_overrides.push(fdecl::ConfigOverride {
2258 key: Some("mynumber".to_string()),
2259 value: Some(fdecl::ConfigValue::Single(fdecl::ConfigSingleValue::Uint64(200))),
2260 ..Default::default()
2261 });
2262 let options: ftest::ChildOptions =
2263 ChildOptions::new().config_overrides(config_overrides.clone()).into();
2264 assert_eq!(
2265 options,
2266 ftest::ChildOptions {
2267 startup: Some(fdecl::StartupMode::Lazy),
2268 environment: None,
2269 on_terminate: Some(fdecl::OnTerminate::None),
2270 config_overrides: Some(config_overrides),
2271 __source_breaking: fidl::marker::SourceBreaking,
2272 },
2273 );
2274 }
2275
2276 #[fuchsia::test]
2277 async fn child_scope_prevents_cross_realm_usage() {
2278 let (builder, _server_task, receive_server_requests) = new_realm_builder_and_server_task();
2279 let child_a = builder.add_child("a", "test://a", ChildOptions::new()).await.unwrap();
2280 let child_realm_b = builder.add_child_realm("b", ChildOptions::new()).await.unwrap();
2281 let child_c = child_realm_b.add_child("c", "test://c", ChildOptions::new()).await.unwrap();
2282
2283 assert_matches!(
2284 builder.add_route(
2285 Route::new()
2286 .capability(Capability::protocol::<fcomponent::RealmMarker>())
2287 .from(&child_a)
2288 .to(&child_c)
2289 ).await,
2290 Err(Error::RefUsedInWrongRealm(ref_, _)) if ref_ == (&child_c).into()
2291 );
2292
2293 assert_matches!(
2294 child_realm_b.add_route(
2295 Route::new()
2296 .capability(Capability::protocol::<fcomponent::RealmMarker>())
2297 .from(&child_a)
2298 .to(&child_c)
2299 ).await,
2300 Err(Error::RefUsedInWrongRealm(ref_, _)) if ref_ == (&child_a).into()
2301 );
2302
2303 assert_matches!(
2304 builder.get_component_decl(&child_c).await,
2305 Err(Error::RefUsedInWrongRealm(ref_, _)) if ref_ == (&child_c).into()
2306 );
2307
2308 assert_matches!(
2309 child_realm_b.get_component_decl(&child_a).await,
2310 Err(Error::RefUsedInWrongRealm(ref_, _)) if ref_ == (&child_a).into()
2311 );
2312
2313 assert_matches!(
2314 builder.replace_component_decl(&child_c, cm_rust::ComponentDecl::default()).await,
2315 Err(Error::RefUsedInWrongRealm(ref_, _)) if ref_ == (&child_c).into()
2316 );
2317
2318 assert_matches!(
2319 child_realm_b.replace_component_decl(&child_a, cm_rust::ComponentDecl::default()).await,
2320 Err(Error::RefUsedInWrongRealm(ref_, _)) if ref_ == (&child_a).into()
2321 );
2322
2323 let sub_realm_receiver = confirm_num_server_requests(receive_server_requests, 2).remove(0);
2326 confirm_num_server_requests(sub_realm_receiver, 1);
2327 }
2328
2329 #[fuchsia::test]
2330 async fn child_ref_construction() {
2331 let (builder, _server_task, receive_server_requests) = new_realm_builder_and_server_task();
2332 let child_realm_a = builder.add_child_realm("a", ChildOptions::new()).await.unwrap();
2333 let child_realm_b = child_realm_a.add_child_realm("b", ChildOptions::new()).await.unwrap();
2334
2335 let child_ref_a: ChildRef = (&child_realm_a).into();
2336 let child_ref_b: ChildRef = (&child_realm_b).into();
2337
2338 assert_eq!(child_ref_a, ChildRef::new("a".to_string(), vec![]),);
2339
2340 assert_eq!(child_ref_b, ChildRef::new("b".to_string(), vec!["a".to_string()]),);
2341
2342 let child_ref_c = builder.add_child("c", "test://c", ChildOptions::new()).await.unwrap();
2343 let child_ref_d =
2344 child_realm_a.add_child("d", "test://d", ChildOptions::new()).await.unwrap();
2345 let child_ref_e =
2346 child_realm_b.add_child("e", "test://e", ChildOptions::new()).await.unwrap();
2347
2348 assert_eq!(child_ref_c, ChildRef::new("c".to_string(), vec![]),);
2349
2350 assert_eq!(child_ref_d, ChildRef::new("d".to_string(), vec!["a".to_string()]),);
2351
2352 assert_eq!(
2353 child_ref_e,
2354 ChildRef::new("e".to_string(), vec!["a".to_string(), "b".to_string()]),
2355 );
2356
2357 confirm_num_server_requests(receive_server_requests, 2);
2360 }
2361
2362 #[fuchsia::test]
2363 async fn protocol_capability_construction() {
2364 assert_eq!(
2365 Capability::protocol_by_name("test"),
2366 ProtocolCapability {
2367 name: "test".to_string(),
2368 as_: None,
2369 type_: fdecl::DependencyType::Strong,
2370 path: None,
2371 availability: None,
2372 },
2373 );
2374 assert_eq!(
2375 Capability::protocol::<ftest::RealmBuilderFactoryMarker>(),
2376 ProtocolCapability {
2377 name: ftest::RealmBuilderFactoryMarker::PROTOCOL_NAME.to_string(),
2378 as_: None,
2379 type_: fdecl::DependencyType::Strong,
2380 path: None,
2381 availability: None,
2382 },
2383 );
2384 assert_eq!(
2385 Capability::protocol_by_name("test").as_("test2"),
2386 ProtocolCapability {
2387 name: "test".to_string(),
2388 as_: Some("test2".to_string()),
2389 type_: fdecl::DependencyType::Strong,
2390 path: None,
2391 availability: None,
2392 },
2393 );
2394 assert_eq!(
2395 Capability::protocol_by_name("test").weak(),
2396 ProtocolCapability {
2397 name: "test".to_string(),
2398 as_: None,
2399 type_: fdecl::DependencyType::Weak,
2400 path: None,
2401 availability: None,
2402 },
2403 );
2404 assert_eq!(
2405 Capability::protocol_by_name("test").path("/svc/test2"),
2406 ProtocolCapability {
2407 name: "test".to_string(),
2408 as_: None,
2409 type_: fdecl::DependencyType::Strong,
2410 path: Some("/svc/test2".to_string()),
2411 availability: None,
2412 },
2413 );
2414 assert_eq!(
2415 Capability::protocol_by_name("test").optional(),
2416 ProtocolCapability {
2417 name: "test".to_string(),
2418 as_: None,
2419 type_: fdecl::DependencyType::Strong,
2420 path: None,
2421 availability: Some(fdecl::Availability::Optional),
2422 },
2423 );
2424 assert_eq!(
2425 Capability::protocol_by_name("test").availability_same_as_target(),
2426 ProtocolCapability {
2427 name: "test".to_string(),
2428 as_: None,
2429 type_: fdecl::DependencyType::Strong,
2430 path: None,
2431 availability: Some(fdecl::Availability::SameAsTarget),
2432 },
2433 );
2434 }
2435
2436 #[fuchsia::test]
2437 async fn directory_capability_construction() {
2438 assert_eq!(
2439 Capability::directory("test"),
2440 DirectoryCapability {
2441 name: "test".to_string(),
2442 as_: None,
2443 type_: fdecl::DependencyType::Strong,
2444 rights: None,
2445 subdir: None,
2446 path: None,
2447 availability: None,
2448 },
2449 );
2450 assert_eq!(
2451 Capability::directory("test").as_("test2"),
2452 DirectoryCapability {
2453 name: "test".to_string(),
2454 as_: Some("test2".to_string()),
2455 type_: fdecl::DependencyType::Strong,
2456 rights: None,
2457 subdir: None,
2458 path: None,
2459 availability: None,
2460 },
2461 );
2462 assert_eq!(
2463 Capability::directory("test").weak(),
2464 DirectoryCapability {
2465 name: "test".to_string(),
2466 as_: None,
2467 type_: fdecl::DependencyType::Weak,
2468 rights: None,
2469 subdir: None,
2470 path: None,
2471 availability: None,
2472 },
2473 );
2474 assert_eq!(
2475 Capability::directory("test").rights(fio::RX_STAR_DIR),
2476 DirectoryCapability {
2477 name: "test".to_string(),
2478 as_: None,
2479 type_: fdecl::DependencyType::Strong,
2480 rights: Some(fio::RX_STAR_DIR),
2481 subdir: None,
2482 path: None,
2483 availability: None,
2484 },
2485 );
2486 assert_eq!(
2487 Capability::directory("test").subdir("test2"),
2488 DirectoryCapability {
2489 name: "test".to_string(),
2490 as_: None,
2491 type_: fdecl::DependencyType::Strong,
2492 rights: None,
2493 subdir: Some("test2".to_string()),
2494 path: None,
2495 availability: None,
2496 },
2497 );
2498 assert_eq!(
2499 Capability::directory("test").path("/test2"),
2500 DirectoryCapability {
2501 name: "test".to_string(),
2502 as_: None,
2503 type_: fdecl::DependencyType::Strong,
2504 rights: None,
2505 subdir: None,
2506 path: Some("/test2".to_string()),
2507 availability: None,
2508 },
2509 );
2510 assert_eq!(
2511 Capability::directory("test").optional(),
2512 DirectoryCapability {
2513 name: "test".to_string(),
2514 as_: None,
2515 type_: fdecl::DependencyType::Strong,
2516 rights: None,
2517 subdir: None,
2518 path: None,
2519 availability: Some(fdecl::Availability::Optional),
2520 },
2521 );
2522 assert_eq!(
2523 Capability::directory("test").availability_same_as_target(),
2524 DirectoryCapability {
2525 name: "test".to_string(),
2526 as_: None,
2527 type_: fdecl::DependencyType::Strong,
2528 rights: None,
2529 subdir: None,
2530 path: None,
2531 availability: Some(fdecl::Availability::SameAsTarget),
2532 },
2533 );
2534 }
2535
2536 #[fuchsia::test]
2537 async fn storage_capability_construction() {
2538 assert_eq!(
2539 Capability::storage("test"),
2540 StorageCapability {
2541 name: "test".to_string(),
2542 as_: None,
2543 path: None,
2544 availability: None
2545 },
2546 );
2547 assert_eq!(
2548 Capability::storage("test").as_("test2"),
2549 StorageCapability {
2550 name: "test".to_string(),
2551 as_: Some("test2".to_string()),
2552 path: None,
2553 availability: None,
2554 },
2555 );
2556 assert_eq!(
2557 Capability::storage("test").path("/test2"),
2558 StorageCapability {
2559 name: "test".to_string(),
2560 as_: None,
2561 path: Some("/test2".to_string()),
2562 availability: None,
2563 },
2564 );
2565 assert_eq!(
2566 Capability::storage("test").optional(),
2567 StorageCapability {
2568 name: "test".to_string(),
2569 as_: None,
2570 path: None,
2571 availability: Some(fdecl::Availability::Optional),
2572 },
2573 );
2574 assert_eq!(
2575 Capability::storage("test").availability_same_as_target(),
2576 StorageCapability {
2577 name: "test".to_string(),
2578 as_: None,
2579 path: None,
2580 availability: Some(fdecl::Availability::SameAsTarget),
2581 },
2582 );
2583 }
2584
2585 #[fuchsia::test]
2586 async fn service_capability_construction() {
2587 assert_eq!(
2588 Capability::service_by_name("test"),
2589 ServiceCapability {
2590 name: "test".to_string(),
2591 as_: None,
2592 path: None,
2593 availability: None
2594 },
2595 );
2596 assert_eq!(
2597 Capability::service_by_name("test").as_("test2"),
2598 ServiceCapability {
2599 name: "test".to_string(),
2600 as_: Some("test2".to_string()),
2601 path: None,
2602 availability: None,
2603 },
2604 );
2605 assert_eq!(
2606 Capability::service_by_name("test").path("/svc/test2"),
2607 ServiceCapability {
2608 name: "test".to_string(),
2609 as_: None,
2610 path: Some("/svc/test2".to_string()),
2611 availability: None,
2612 },
2613 );
2614 assert_eq!(
2615 Capability::service_by_name("test").optional(),
2616 ServiceCapability {
2617 name: "test".to_string(),
2618 as_: None,
2619 path: None,
2620 availability: Some(fdecl::Availability::Optional),
2621 },
2622 );
2623 assert_eq!(
2624 Capability::service_by_name("test").availability_same_as_target(),
2625 ServiceCapability {
2626 name: "test".to_string(),
2627 as_: None,
2628 path: None,
2629 availability: Some(fdecl::Availability::SameAsTarget),
2630 },
2631 );
2632 }
2633
2634 #[fuchsia::test]
2635 async fn dictionary_capability_construction() {
2636 assert_eq!(
2637 Capability::dictionary("test"),
2638 DictionaryCapability { name: "test".to_string(), as_: None, availability: None },
2639 );
2640 assert_eq!(
2641 Capability::dictionary("test").as_("test2"),
2642 DictionaryCapability {
2643 name: "test".to_string(),
2644 as_: Some("test2".to_string()),
2645 availability: None,
2646 },
2647 );
2648 assert_eq!(
2649 Capability::dictionary("test").optional(),
2650 DictionaryCapability {
2651 name: "test".to_string(),
2652 as_: None,
2653 availability: Some(fdecl::Availability::Optional),
2654 },
2655 );
2656 assert_eq!(
2657 Capability::dictionary("test").availability_same_as_target(),
2658 DictionaryCapability {
2659 name: "test".to_string(),
2660 as_: None,
2661 availability: Some(fdecl::Availability::SameAsTarget),
2662 },
2663 );
2664 }
2665
2666 #[fuchsia::test]
2667 async fn route_construction() {
2668 assert_eq!(
2669 Route::new()
2670 .capability(Capability::protocol_by_name("test"))
2671 .capability(Capability::protocol_by_name("test2"))
2672 .from(Ref::child("a"))
2673 .to(Ref::collection("b"))
2674 .to(Ref::parent()),
2675 Route {
2676 capabilities: vec![
2677 Capability::protocol_by_name("test").into(),
2678 Capability::protocol_by_name("test2").into(),
2679 ],
2680 from: Some(Ref::child("a").into()),
2681 from_dictionary: None,
2682 to: vec![Ref::collection("b").into(), Ref::parent().into(),],
2683 },
2684 );
2685 }
2686
2687 #[derive(Debug)]
2688 enum ServerRequest {
2689 AddChild {
2690 name: String,
2691 url: String,
2692 options: ftest::ChildOptions,
2693 },
2694 AddChildFromDecl {
2695 name: String,
2696 decl: fdecl::Component,
2697 options: ftest::ChildOptions,
2698 },
2699 AddLocalChild {
2700 name: String,
2701 options: ftest::ChildOptions,
2702 },
2703 AddChildRealm {
2704 name: String,
2705 options: ftest::ChildOptions,
2706 receive_requests: mpsc::UnboundedReceiver<ServerRequest>,
2707 },
2708 AddChildRealmFromRelativeUrl {
2709 name: String,
2710 relative_url: String,
2711 options: ftest::ChildOptions,
2712 receive_requests: mpsc::UnboundedReceiver<ServerRequest>,
2713 },
2714 AddChildRealmFromDecl {
2715 name: String,
2716 decl: fdecl::Component,
2717 options: ftest::ChildOptions,
2718 receive_requests: mpsc::UnboundedReceiver<ServerRequest>,
2719 },
2720 GetComponentDecl {
2721 name: String,
2722 },
2723 ReplaceComponentDecl {
2724 name: String,
2725 component_decl: fdecl::Component,
2726 },
2727 UseNestedComponentManager {
2728 #[allow(unused)]
2729 component_manager_relative_url: String,
2730 },
2731 GetRealmDecl,
2732 ReplaceRealmDecl {
2733 component_decl: fdecl::Component,
2734 },
2735 AddRoute {
2736 capabilities: Vec<ftest::Capability>,
2737 from: fdecl::Ref,
2738 to: Vec<fdecl::Ref>,
2739 },
2740 ReadOnlyDirectory {
2741 name: String,
2742 to: Vec<fdecl::Ref>,
2743 },
2744 InitMutableConfigFromPackage {
2745 name: String,
2746 },
2747 InitMutableConfigToEmpty {
2748 name: String,
2749 },
2750 AddCapability {
2751 capability: fdecl::Capability,
2752 },
2753 AddCollection {
2754 collection: fdecl::Collection,
2755 },
2756 AddEnvironment {
2757 environment: fdecl::Environment,
2758 },
2759 SetConfigValue {
2760 name: String,
2761 key: String,
2762 value: fdecl::ConfigValueSpec,
2763 },
2764 }
2765
2766 fn handle_realm_stream(
2767 mut stream: ftest::RealmRequestStream,
2768 mut report_requests: mpsc::UnboundedSender<ServerRequest>,
2769 ) -> BoxFuture<'static, ()> {
2770 async move {
2771 let mut child_realm_streams = vec![];
2772 while let Some(req) = stream.try_next().await.unwrap() {
2773 match req {
2774 ftest::RealmRequest::AddChild { responder, name, url, options } => {
2775 report_requests
2776 .send(ServerRequest::AddChild { name, url, options })
2777 .await
2778 .unwrap();
2779 responder.send(Ok(())).unwrap();
2780 }
2781 ftest::RealmRequest::AddChildFromDecl { responder, name, decl, options } => {
2782 report_requests
2783 .send(ServerRequest::AddChildFromDecl { name, decl, options })
2784 .await
2785 .unwrap();
2786 responder.send(Ok(())).unwrap();
2787 }
2788 ftest::RealmRequest::AddLocalChild { responder, name, options } => {
2789 report_requests
2790 .send(ServerRequest::AddLocalChild { name, options })
2791 .await
2792 .unwrap();
2793 responder.send(Ok(())).unwrap();
2794 }
2795 ftest::RealmRequest::AddChildRealm {
2796 responder,
2797 child_realm,
2798 name,
2799 options,
2800 } => {
2801 let (child_realm_report_requests, receive_requests) = mpsc::unbounded();
2802
2803 report_requests
2804 .send(ServerRequest::AddChildRealm { name, options, receive_requests })
2805 .await
2806 .unwrap();
2807
2808 let child_realm_stream = child_realm.into_stream();
2809 child_realm_streams.push(fasync::Task::spawn(async move {
2810 handle_realm_stream(child_realm_stream, child_realm_report_requests)
2811 .await
2812 }));
2813 responder.send(Ok(())).unwrap();
2814 }
2815 ftest::RealmRequest::AddChildRealmFromRelativeUrl {
2816 responder,
2817 child_realm,
2818 name,
2819 relative_url,
2820 options,
2821 } => {
2822 let (child_realm_report_requests, receive_requests) = mpsc::unbounded();
2823
2824 report_requests
2825 .send(ServerRequest::AddChildRealmFromRelativeUrl {
2826 name,
2827 relative_url,
2828 options,
2829 receive_requests,
2830 })
2831 .await
2832 .unwrap();
2833
2834 let child_realm_stream = child_realm.into_stream();
2835 child_realm_streams.push(fasync::Task::spawn(async move {
2836 handle_realm_stream(child_realm_stream, child_realm_report_requests)
2837 .await
2838 }));
2839 responder.send(Ok(())).unwrap();
2840 }
2841 ftest::RealmRequest::AddChildRealmFromDecl {
2842 name,
2843 decl,
2844 options,
2845 child_realm,
2846 responder,
2847 } => {
2848 let (child_realm_report_requests, receive_requests) = mpsc::unbounded();
2849
2850 report_requests
2851 .send(ServerRequest::AddChildRealmFromDecl {
2852 name,
2853 decl,
2854 options,
2855 receive_requests,
2856 })
2857 .await
2858 .unwrap();
2859
2860 let child_realm_stream = child_realm.into_stream();
2861 child_realm_streams.push(fasync::Task::spawn(async move {
2862 handle_realm_stream(child_realm_stream, child_realm_report_requests)
2863 .await
2864 }));
2865 responder.send(Ok(())).unwrap();
2866 }
2867 ftest::RealmRequest::GetComponentDecl { responder, name } => {
2868 report_requests
2869 .send(ServerRequest::GetComponentDecl { name })
2870 .await
2871 .unwrap();
2872 responder.send(Ok(&fdecl::Component::default())).unwrap();
2873 }
2874 ftest::RealmRequest::UseNestedComponentManager {
2875 responder,
2876 component_manager_relative_url,
2877 } => {
2878 report_requests
2879 .send(ServerRequest::UseNestedComponentManager {
2880 component_manager_relative_url,
2881 })
2882 .await
2883 .unwrap();
2884 responder.send(Ok(())).unwrap();
2885 }
2886 ftest::RealmRequest::ReplaceComponentDecl {
2887 responder,
2888 name,
2889 component_decl,
2890 } => {
2891 report_requests
2892 .send(ServerRequest::ReplaceComponentDecl { name, component_decl })
2893 .await
2894 .unwrap();
2895 responder.send(Ok(())).unwrap();
2896 }
2897 ftest::RealmRequest::GetRealmDecl { responder } => {
2898 report_requests.send(ServerRequest::GetRealmDecl).await.unwrap();
2899 responder.send(Ok(&fdecl::Component::default())).unwrap();
2900 }
2901 ftest::RealmRequest::ReplaceRealmDecl { responder, component_decl } => {
2902 report_requests
2903 .send(ServerRequest::ReplaceRealmDecl { component_decl })
2904 .await
2905 .unwrap();
2906 responder.send(Ok(())).unwrap();
2907 }
2908 ftest::RealmRequest::AddRoute { responder, capabilities, from, to } => {
2909 report_requests
2910 .send(ServerRequest::AddRoute { capabilities, from, to })
2911 .await
2912 .unwrap();
2913 responder.send(Ok(())).unwrap();
2914 }
2915 ftest::RealmRequest::ReadOnlyDirectory { responder, name, to, .. } => {
2916 report_requests
2917 .send(ServerRequest::ReadOnlyDirectory { name, to })
2918 .await
2919 .unwrap();
2920 responder.send(Ok(())).unwrap();
2921 }
2922 ftest::RealmRequest::InitMutableConfigFromPackage { name, responder } => {
2923 report_requests
2924 .send(ServerRequest::InitMutableConfigFromPackage { name })
2925 .await
2926 .unwrap();
2927 responder.send(Ok(())).unwrap();
2928 }
2929 ftest::RealmRequest::InitMutableConfigToEmpty { name, responder } => {
2930 report_requests
2931 .send(ServerRequest::InitMutableConfigToEmpty { name })
2932 .await
2933 .unwrap();
2934 responder.send(Ok(())).unwrap();
2935 }
2936 ftest::RealmRequest::AddCapability { capability, responder } => {
2937 report_requests
2938 .send(ServerRequest::AddCapability { capability })
2939 .await
2940 .unwrap();
2941 responder.send(Ok(())).unwrap();
2942 }
2943 ftest::RealmRequest::AddCollection { collection, responder } => {
2944 report_requests
2945 .send(ServerRequest::AddCollection { collection })
2946 .await
2947 .unwrap();
2948 responder.send(Ok(())).unwrap();
2949 }
2950 ftest::RealmRequest::AddEnvironment { environment, responder } => {
2951 report_requests
2952 .send(ServerRequest::AddEnvironment { environment })
2953 .await
2954 .unwrap();
2955 responder.send(Ok(())).unwrap();
2956 }
2957 ftest::RealmRequest::SetConfigValue { responder, name, key, value } => {
2958 report_requests
2959 .send(ServerRequest::SetConfigValue { name, key, value })
2960 .await
2961 .unwrap();
2962 responder.send(Ok(())).unwrap();
2963 }
2964 }
2965 }
2966 }
2967 .boxed()
2968 }
2969
2970 fn new_realm_builder_and_server_task(
2971 ) -> (RealmBuilder, fasync::Task<()>, mpsc::UnboundedReceiver<ServerRequest>) {
2972 let (realm_proxy, realm_stream) = create_proxy_and_stream::<ftest::RealmMarker>();
2973 let (builder_proxy, mut builder_stream) = create_proxy_and_stream::<ftest::BuilderMarker>();
2974
2975 let builder_task = fasync::Task::spawn(async move {
2976 while let Some(req) = builder_stream.try_next().await.unwrap() {
2977 match req {
2978 ftest::BuilderRequest::Build { runner, responder } => {
2979 drop(runner);
2980 responder.send(Ok("test://hippo")).unwrap();
2981 }
2982 }
2983 }
2984 });
2985
2986 let (realm_report_requests, realm_receive_requests) = mpsc::unbounded();
2987 let server_task = fasync::Task::spawn(async move {
2988 let _builder_task = builder_task;
2989 handle_realm_stream(realm_stream, realm_report_requests).await
2990 });
2991 let id: u64 = rand::thread_rng().gen();
2992 let realm_name = format!("auto-{:x}", id);
2993 let component_realm_proxy =
2994 fclient::connect_to_protocol::<fcomponent::RealmMarker>().unwrap();
2995
2996 (
2997 RealmBuilder::build_struct(
2998 component_realm_proxy,
2999 realm_proxy,
3000 builder_proxy,
3001 crate::DEFAULT_COLLECTION_NAME.to_string(),
3002 false,
3003 realm_name,
3004 )
3005 .unwrap(),
3006 server_task,
3007 realm_receive_requests,
3008 )
3009 }
3010
3011 fn confirm_num_server_requests(
3014 mut server_requests: mpsc::UnboundedReceiver<ServerRequest>,
3015 num: usize,
3016 ) -> Vec<mpsc::UnboundedReceiver<ServerRequest>> {
3017 let mut discovered_receivers = vec![];
3018 for i in 0..num {
3019 match server_requests.next().now_or_never() {
3020 Some(Some(ServerRequest::AddChildRealm { receive_requests, .. })) => {
3021 discovered_receivers.push(receive_requests)
3022 }
3023 Some(Some(_)) => (),
3024 Some(None) => panic!("server_requests ended unexpectedly"),
3025 None => panic!("server_requests had less messages in it than we expected: {}", i),
3026 }
3027 }
3028 assert_matches!(server_requests.next().now_or_never(), None);
3029 discovered_receivers
3030 }
3031
3032 fn assert_add_child_realm(
3033 receive_server_requests: &mut mpsc::UnboundedReceiver<ServerRequest>,
3034 expected_name: &str,
3035 expected_options: ftest::ChildOptions,
3036 ) -> mpsc::UnboundedReceiver<ServerRequest> {
3037 match receive_server_requests.next().now_or_never() {
3038 Some(Some(ServerRequest::AddChildRealm { name, options, receive_requests }))
3039 if &name == expected_name && options == expected_options =>
3040 {
3041 receive_requests
3042 }
3043 req => panic!("match failed, received unexpected server request: {:?}", req),
3044 }
3045 }
3046
3047 fn assert_add_child_realm_from_relative_url(
3048 receive_server_requests: &mut mpsc::UnboundedReceiver<ServerRequest>,
3049 expected_name: &str,
3050 expected_relative_url: &str,
3051 expected_options: ftest::ChildOptions,
3052 ) -> mpsc::UnboundedReceiver<ServerRequest> {
3053 match receive_server_requests.next().now_or_never() {
3054 Some(Some(ServerRequest::AddChildRealmFromRelativeUrl {
3055 name,
3056 relative_url,
3057 options,
3058 receive_requests,
3059 })) if &name == expected_name
3060 && options == expected_options
3061 && relative_url == expected_relative_url =>
3062 {
3063 receive_requests
3064 }
3065 req => panic!("match failed, received unexpected server request: {:?}", req),
3066 }
3067 }
3068
3069 fn assert_add_child_realm_from_decl(
3070 receive_server_requests: &mut mpsc::UnboundedReceiver<ServerRequest>,
3071 expected_name: &str,
3072 expected_decl: &fdecl::Component,
3073 expected_options: ftest::ChildOptions,
3074 ) -> mpsc::UnboundedReceiver<ServerRequest> {
3075 match receive_server_requests.next().now_or_never() {
3076 Some(Some(ServerRequest::AddChildRealmFromDecl {
3077 name,
3078 decl,
3079 options,
3080 receive_requests,
3081 })) if &name == expected_name
3082 && options == expected_options
3083 && decl == *expected_decl =>
3084 {
3085 receive_requests
3086 }
3087 req => panic!("match failed, received unexpected server request: {:?}", req),
3088 }
3089 }
3090
3091 fn assert_read_only_directory(
3092 receive_server_requests: &mut mpsc::UnboundedReceiver<ServerRequest>,
3093 expected_directory_name: &str,
3094 expected_targets: Vec<impl Into<Ref>>,
3095 ) {
3096 let expected_targets = expected_targets
3097 .into_iter()
3098 .map(|t| {
3099 let t: Ref = t.into();
3100 t
3101 })
3102 .map(|t| {
3103 let t: fdecl::Ref = t.into();
3104 t
3105 })
3106 .collect::<Vec<_>>();
3107
3108 match receive_server_requests.next().now_or_never() {
3109 Some(Some(ServerRequest::ReadOnlyDirectory { name, to, .. }))
3110 if &name == expected_directory_name && to == expected_targets =>
3111 {
3112 return;
3113 }
3114 req => panic!("match failed, received unexpected server request: {:?}", req),
3115 }
3116 }
3117
3118 #[fuchsia::test]
3119 async fn add_child() {
3120 let (builder, _server_task, mut receive_server_requests) =
3121 new_realm_builder_and_server_task();
3122 let _child_a = builder.add_child("a", "test://a", ChildOptions::new()).await.unwrap();
3123 assert_matches!(
3124 receive_server_requests.next().await,
3125 Some(ServerRequest::AddChild { name, url, options })
3126 if &name == "a" && &url == "test://a" && options == ChildOptions::new().into()
3127 );
3128 assert_matches!(receive_server_requests.next().now_or_never(), None);
3129 }
3130
3131 #[fuchsia::test]
3132 async fn add_child_from_decl() {
3133 let (builder, _server_task, mut receive_server_requests) =
3134 new_realm_builder_and_server_task();
3135 let _child_a = builder
3136 .add_child_from_decl("a", cm_rust::ComponentDecl::default(), ChildOptions::new())
3137 .await
3138 .unwrap();
3139 assert_matches!(
3140 receive_server_requests.next().await,
3141 Some(ServerRequest::AddChildFromDecl { name, decl, options })
3142 if &name == "a"
3143 && decl == fdecl::Component::default()
3144 && options == ChildOptions::new().into()
3145 );
3146 assert_matches!(receive_server_requests.next().now_or_never(), None);
3147 }
3148
3149 #[fuchsia::test]
3150 async fn add_local_child() {
3151 let (builder, _server_task, mut receive_server_requests) =
3152 new_realm_builder_and_server_task();
3153 let _child_a = builder
3154 .add_local_child("a", |_| async move { Ok(()) }.boxed(), ChildOptions::new())
3155 .await
3156 .unwrap();
3157 assert_matches!(
3158 receive_server_requests.next().await,
3159 Some(ServerRequest::AddLocalChild { name, options })
3160 if &name == "a" && options == ChildOptions::new().into()
3161 );
3162 assert_matches!(receive_server_requests.next().now_or_never(), None);
3163 }
3164
3165 #[fuchsia::test]
3166 async fn add_child_realm() {
3167 let (builder, _server_task, mut receive_server_requests) =
3168 new_realm_builder_and_server_task();
3169 let child_realm_a = builder.add_child_realm("a", ChildOptions::new()).await.unwrap();
3170 let _child_b = child_realm_a.add_child("b", "test://b", ChildOptions::new()).await.unwrap();
3171 let child_realm_c = builder
3172 .add_child_realm_from_relative_url("c", "#c", ChildOptions::new())
3173 .await
3174 .unwrap();
3175 let _child_d = child_realm_c.add_child("d", "test://d", ChildOptions::new()).await.unwrap();
3176 let child_realm_e = builder
3177 .add_child_realm_from_decl("e", cm_rust::ComponentDecl::default(), ChildOptions::new())
3178 .await
3179 .unwrap();
3180 let _child_f = child_realm_e.add_child("f", "test://f", ChildOptions::new()).await.unwrap();
3181
3182 let mut receive_sub_realm_requests =
3183 assert_add_child_realm(&mut receive_server_requests, "a", ChildOptions::new().into());
3184 assert_matches!(
3185 receive_sub_realm_requests.next().await,
3186 Some(ServerRequest::AddChild { name, url, options })
3187 if &name == "b" && &url == "test://b" && options == ChildOptions::new().into()
3188 );
3189 assert_matches!(receive_sub_realm_requests.next().now_or_never(), None);
3190
3191 let mut receive_sub_realm_requests = assert_add_child_realm_from_relative_url(
3192 &mut receive_server_requests,
3193 "c",
3194 "#c",
3195 ChildOptions::new().into(),
3196 );
3197 assert_matches!(
3198 receive_sub_realm_requests.next().await,
3199 Some(ServerRequest::AddChild { name, url, options })
3200 if &name == "d" && &url == "test://d" && options == ChildOptions::new().into()
3201 );
3202 assert_matches!(receive_sub_realm_requests.next().now_or_never(), None);
3203
3204 let mut receive_sub_realm_requests = assert_add_child_realm_from_decl(
3205 &mut receive_server_requests,
3206 "e",
3207 &fdecl::Component::default(),
3208 ChildOptions::new().into(),
3209 );
3210 assert_matches!(
3211 receive_sub_realm_requests.next().await,
3212 Some(ServerRequest::AddChild { name, url, options })
3213 if &name == "f" && &url == "test://f" && options == ChildOptions::new().into()
3214 );
3215 assert_matches!(receive_sub_realm_requests.next().now_or_never(), None);
3216 assert_matches!(receive_server_requests.next().now_or_never(), None);
3217 }
3218
3219 #[fuchsia::test]
3220 async fn get_component_decl() {
3221 let (builder, _server_task, mut receive_server_requests) =
3222 new_realm_builder_and_server_task();
3223 let child_a = builder.add_child("a", "test://a", ChildOptions::new()).await.unwrap();
3224 let _decl = builder.get_component_decl(&child_a).await.unwrap();
3225
3226 assert_matches!(
3227 receive_server_requests.next().await,
3228 Some(ServerRequest::AddChild { name, url, options })
3229 if &name == "a" && &url == "test://a" && options == ChildOptions::new().into()
3230 );
3231 assert_matches!(
3232 receive_server_requests.next().await,
3233 Some(ServerRequest::GetComponentDecl { name }) if &name == "a"
3234 );
3235 assert_matches!(receive_server_requests.next().now_or_never(), None);
3236 }
3237
3238 #[fuchsia::test]
3239 async fn replace_component_decl() {
3240 let (builder, _server_task, mut receive_server_requests) =
3241 new_realm_builder_and_server_task();
3242 let child_a = builder.add_child("a", "test://a", ChildOptions::new()).await.unwrap();
3243 builder.replace_component_decl(&child_a, cm_rust::ComponentDecl::default()).await.unwrap();
3244
3245 assert_matches!(
3246 receive_server_requests.next().await,
3247 Some(ServerRequest::AddChild { name, url, options })
3248 if &name == "a" && &url == "test://a" && options == ChildOptions::new().into()
3249 );
3250 assert_matches!(
3251 receive_server_requests.next().await,
3252 Some(ServerRequest::ReplaceComponentDecl { name, component_decl })
3253 if &name == "a" && component_decl == fdecl::Component::default()
3254 );
3255 assert_matches!(receive_server_requests.next().now_or_never(), None);
3256 }
3257
3258 #[fuchsia::test]
3259 async fn get_realm_decl() {
3260 let (builder, _server_task, mut receive_server_requests) =
3261 new_realm_builder_and_server_task();
3262 let _decl = builder.get_realm_decl().await.unwrap();
3263
3264 assert_matches!(receive_server_requests.next().await, Some(ServerRequest::GetRealmDecl));
3265 assert_matches!(receive_server_requests.next().now_or_never(), None);
3266 }
3267
3268 #[fuchsia::test]
3269 async fn replace_realm_decl() {
3270 let (builder, _server_task, mut receive_server_requests) =
3271 new_realm_builder_and_server_task();
3272 builder.replace_realm_decl(cm_rust::ComponentDecl::default()).await.unwrap();
3273
3274 assert_matches!(
3275 receive_server_requests.next().await,
3276 Some(ServerRequest::ReplaceRealmDecl { component_decl })
3277 if component_decl == fdecl::Component::default()
3278 );
3279 assert_matches!(receive_server_requests.next().now_or_never(), None);
3280 }
3281
3282 #[fuchsia::test]
3283 async fn set_config_value() {
3284 let (builder, _server_task, mut receive_server_requests) =
3285 new_realm_builder_and_server_task();
3286 let child_a = builder.add_child("a", "test://a", ChildOptions::new()).await.unwrap();
3287 builder.init_mutable_config_from_package(&child_a).await.unwrap();
3288 builder.init_mutable_config_to_empty(&child_a).await.unwrap();
3289 builder.set_config_value(&child_a, "test_bool", false.into()).await.unwrap();
3290 builder.set_config_value(&child_a, "test_int16", (-2 as i16).into()).await.unwrap();
3291 builder.set_config_value(&child_a, "test_string", "test".to_string().into()).await.unwrap();
3292 builder
3293 .set_config_value(&child_a, "test_string_vector", vec!["hello", "fuchsia"].into())
3294 .await
3295 .unwrap();
3296
3297 assert_matches!(
3298 receive_server_requests.next().await,
3299 Some(ServerRequest::AddChild { name, url, options })
3300 if &name == "a" && &url == "test://a" && options == ChildOptions::new().into()
3301 );
3302
3303 assert_matches!(
3304 receive_server_requests.next().await,
3305 Some(ServerRequest::InitMutableConfigFromPackage { name }) if &name == "a"
3306 );
3307
3308 assert_matches!(
3309 receive_server_requests.next().await,
3310 Some(ServerRequest::InitMutableConfigToEmpty { name }) if &name == "a"
3311 );
3312
3313 assert_matches!(
3314 receive_server_requests.next().await,
3315 Some(ServerRequest::SetConfigValue { name, key, value: fdecl::ConfigValueSpec {
3316 value: Some(fdecl::ConfigValue::Single(fdecl::ConfigSingleValue::Bool(boolean))), ..
3317 }}) if &name == "a" && &key == "test_bool" && boolean == false
3318 );
3319
3320 assert_matches!(
3321 receive_server_requests.next().await,
3322 Some(ServerRequest::SetConfigValue { name, key, value: fdecl::ConfigValueSpec {
3323 value: Some(fdecl::ConfigValue::Single(fdecl::ConfigSingleValue::Int16(int16))), ..
3324 }}) if &name == "a" && &key == "test_int16" && int16 == -2
3325 );
3326
3327 assert_matches!(
3328 receive_server_requests.next().await,
3329 Some(ServerRequest::SetConfigValue { name, key, value: fdecl::ConfigValueSpec {
3330 value: Some(fdecl::ConfigValue::Single(fdecl::ConfigSingleValue::String(string))), ..
3331 }}) if &name == "a" && &key == "test_string" && &string == "test"
3332 );
3333
3334 assert_matches!(
3335 receive_server_requests.next().await,
3336 Some(ServerRequest::SetConfigValue { name, key, value: fdecl::ConfigValueSpec {
3337 value: Some(fdecl::ConfigValue::Vector(fdecl::ConfigVectorValue::StringVector(string_vector))), ..
3338 }}) if &name == "a" && &key == "test_string_vector" && string_vector == vec!["hello", "fuchsia"]
3339 );
3340
3341 assert_matches!(receive_server_requests.next().now_or_never(), None);
3342 }
3343
3344 #[fuchsia::test]
3345 async fn add_route() {
3346 let (builder, _server_task, mut receive_server_requests) =
3347 new_realm_builder_and_server_task();
3348 let child_a = builder.add_child("a", "test://a", ChildOptions::new()).await.unwrap();
3349 builder
3350 .add_route(
3351 Route::new()
3352 .capability(Capability::protocol_by_name("test"))
3353 .capability(Capability::directory("test2"))
3354 .capability(Capability::service_by_name("test3"))
3355 .capability(Capability::configuration("test4"))
3356 .capability(Capability::dictionary("test5"))
3357 .from(&child_a)
3358 .to(Ref::parent()),
3359 )
3360 .await
3361 .unwrap();
3362
3363 assert_matches!(
3364 receive_server_requests.next().await,
3365 Some(ServerRequest::AddChild { name, url, options })
3366 if &name == "a" && &url == "test://a" && options == ChildOptions::new().into()
3367 );
3368 assert_matches!(
3369 receive_server_requests.next().await,
3370 Some(ServerRequest::AddRoute { capabilities, from, to })
3371 if capabilities == vec![
3372 Capability::protocol_by_name("test").into(),
3373 Capability::directory("test2").into(),
3374 Capability::service_by_name("test3").into(),
3375 Capability::configuration("test4").into(),
3376 Capability::dictionary("test5").into(),
3377 ]
3378 && from == Ref::child("a").into()
3379 && to == vec![Ref::parent().into()]
3380 );
3381 assert_matches!(receive_server_requests.next().now_or_never(), None);
3382 }
3383
3384 #[fuchsia::test]
3385 async fn add_route_to_dictionary() {
3386 let (builder, _server_task, mut receive_server_requests) =
3387 new_realm_builder_and_server_task();
3388 let child_a = builder.add_child("a", "test://a", ChildOptions::new()).await.unwrap();
3389 builder
3390 .add_capability(cm_rust::CapabilityDecl::Dictionary(cm_rust::DictionaryDecl {
3391 name: "my_dict".parse().unwrap(),
3392 source_path: None,
3393 }))
3394 .await
3395 .unwrap();
3396 builder
3397 .add_route(
3398 Route::new()
3399 .capability(Capability::protocol_by_name("test"))
3400 .capability(Capability::directory("test2"))
3401 .capability(Capability::service_by_name("test3"))
3402 .capability(Capability::dictionary("test4"))
3403 .from(&child_a)
3404 .to(Ref::dictionary("self/my_dict")),
3405 )
3406 .await
3407 .unwrap();
3408
3409 assert_matches!(
3410 receive_server_requests.next().await,
3411 Some(ServerRequest::AddChild { name, url, options })
3412 if &name == "a" && &url == "test://a" && options == ChildOptions::new().into()
3413 );
3414 assert_matches!(
3415 receive_server_requests.next().await,
3416 Some(ServerRequest::AddCapability { .. })
3417 );
3418 assert_matches!(
3419 receive_server_requests.next().await,
3420 Some(ServerRequest::AddRoute { capabilities, from, to })
3421 if capabilities == vec![
3422 Capability::protocol_by_name("test").into(),
3423 Capability::directory("test2").into(),
3424 Capability::service_by_name("test3").into(),
3425 Capability::dictionary("test4").into(),
3426 ]
3427 && from == Ref::child("a").into()
3428 && to == vec![Ref::dictionary("self/my_dict").into()]
3429 );
3430 assert_matches!(receive_server_requests.next().now_or_never(), None);
3431 }
3432
3433 #[fuchsia::test]
3434 async fn add_route_from_dictionary() {
3435 let (builder, _server_task, mut receive_server_requests) =
3436 new_realm_builder_and_server_task();
3437 let child_a = builder.add_child("a", "test://a", ChildOptions::new()).await.unwrap();
3438 builder
3439 .add_route(
3440 Route::new()
3441 .capability(Capability::protocol_by_name("test"))
3442 .capability(Capability::directory("test2"))
3443 .capability(Capability::service_by_name("test3"))
3444 .capability(Capability::dictionary("test4"))
3445 .from(&child_a)
3446 .from_dictionary("source/dict")
3447 .to(Ref::parent()),
3448 )
3449 .await
3450 .unwrap();
3451
3452 assert_matches!(
3453 receive_server_requests.next().await,
3454 Some(ServerRequest::AddChild { name, url, options })
3455 if &name == "a" && &url == "test://a" && options == ChildOptions::new().into()
3456 );
3457
3458 let mut expected_capabilities = vec![];
3459 expected_capabilities.push({
3460 let mut c: ftest::Capability = Capability::protocol_by_name("test").into();
3461 if let ftest::Capability::Protocol(ref mut c) = c {
3462 c.from_dictionary = Some("source/dict".into());
3463 } else {
3464 unreachable!();
3465 }
3466 c
3467 });
3468 expected_capabilities.push({
3469 let mut c: ftest::Capability = Capability::directory("test2").into();
3470 if let ftest::Capability::Directory(ref mut c) = c {
3471 c.from_dictionary = Some("source/dict".into());
3472 } else {
3473 unreachable!();
3474 }
3475 c
3476 });
3477 expected_capabilities.push({
3478 let mut c: ftest::Capability = Capability::service_by_name("test3").into();
3479 if let ftest::Capability::Service(ref mut c) = c {
3480 c.from_dictionary = Some("source/dict".into());
3481 } else {
3482 unreachable!();
3483 }
3484 c
3485 });
3486 expected_capabilities.push({
3487 let mut c: ftest::Capability = Capability::dictionary("test4").into();
3488 if let ftest::Capability::Dictionary(ref mut c) = c {
3489 c.from_dictionary = Some("source/dict".into());
3490 } else {
3491 unreachable!();
3492 }
3493 c
3494 });
3495 assert_matches!(
3496 receive_server_requests.next().await,
3497 Some(ServerRequest::AddRoute { capabilities, from, to })
3498 if capabilities == expected_capabilities
3499 && from == Ref::child("a").into()
3500 && to == vec![Ref::parent().into()]
3501 );
3502 assert_matches!(receive_server_requests.next().now_or_never(), None);
3503 }
3504
3505 #[fuchsia::test]
3506 async fn add_child_to_sub_realm() {
3507 let (builder, _server_task, mut receive_server_requests) =
3508 new_realm_builder_and_server_task();
3509 let child_realm = builder.add_child_realm("1", ChildOptions::new()).await.unwrap();
3510 let _child_a = child_realm.add_child("a", "test://a", ChildOptions::new()).await.unwrap();
3511 let mut receive_sub_realm_requests =
3512 assert_add_child_realm(&mut receive_server_requests, "1", ChildOptions::new().into());
3513 assert_matches!(
3514 receive_sub_realm_requests.next().await,
3515 Some(ServerRequest::AddChild { name, url, options })
3516 if &name == "a" && &url == "test://a" && options == ChildOptions::new().into()
3517 );
3518 assert_matches!(receive_sub_realm_requests.next().now_or_never(), None);
3519 assert_matches!(receive_server_requests.next().now_or_never(), None);
3520 }
3521
3522 #[fuchsia::test]
3523 async fn add_child_from_decl_to_sub_realm() {
3524 let (builder, _server_task, mut receive_server_requests) =
3525 new_realm_builder_and_server_task();
3526 let child_realm = builder.add_child_realm("1", ChildOptions::new()).await.unwrap();
3527 let _child_a = child_realm
3528 .add_child_from_decl("a", cm_rust::ComponentDecl::default(), ChildOptions::new())
3529 .await
3530 .unwrap();
3531 let mut receive_sub_realm_requests =
3532 assert_add_child_realm(&mut receive_server_requests, "1", ChildOptions::new().into());
3533 assert_matches!(
3534 receive_sub_realm_requests.next().await,
3535 Some(ServerRequest::AddChildFromDecl { name, decl, options })
3536 if &name == "a"
3537 && decl == fdecl::Component::default()
3538 && options == ChildOptions::new().into()
3539 );
3540 assert_matches!(receive_sub_realm_requests.next().now_or_never(), None);
3541 assert_matches!(receive_server_requests.next().now_or_never(), None);
3542 }
3543
3544 #[fuchsia::test]
3545 async fn add_local_child_to_sub_realm() {
3546 let (builder, _server_task, mut receive_server_requests) =
3547 new_realm_builder_and_server_task();
3548 let child_realm = builder.add_child_realm("1", ChildOptions::new()).await.unwrap();
3549 let _child_a = child_realm
3550 .add_local_child("a", |_| async move { Ok(()) }.boxed(), ChildOptions::new())
3551 .await
3552 .unwrap();
3553 let mut receive_sub_realm_requests =
3554 assert_add_child_realm(&mut receive_server_requests, "1", ChildOptions::new().into());
3555 assert_matches!(
3556 receive_sub_realm_requests.next().await,
3557 Some(ServerRequest::AddLocalChild { name, options })
3558 if &name == "a" && options == ChildOptions::new().into()
3559 );
3560 assert_matches!(receive_sub_realm_requests.next().now_or_never(), None);
3561 assert_matches!(receive_server_requests.next().now_or_never(), None);
3562 }
3563
3564 #[fuchsia::test]
3565 async fn add_child_realm_to_child_realm() {
3566 let (builder, _server_task, mut receive_server_requests) =
3567 new_realm_builder_and_server_task();
3568 let child_realm = builder.add_child_realm("1", ChildOptions::new()).await.unwrap();
3569 let child_realm_a = child_realm.add_child_realm("a", ChildOptions::new()).await.unwrap();
3570 let _child_b = child_realm_a.add_child("b", "test://b", ChildOptions::new()).await.unwrap();
3571
3572 let mut receive_sub_realm_requests =
3573 assert_add_child_realm(&mut receive_server_requests, "1", ChildOptions::new().into());
3574 let mut receive_sub_sub_realm_requests = assert_add_child_realm(
3575 &mut receive_sub_realm_requests,
3576 "a",
3577 ChildOptions::new().into(),
3578 );
3579 assert_matches!(
3580 receive_sub_sub_realm_requests.next().await,
3581 Some(ServerRequest::AddChild { name, url, options })
3582 if &name == "b" && &url == "test://b" && options == ChildOptions::new().into()
3583 );
3584 assert_matches!(receive_sub_sub_realm_requests.next().now_or_never(), None);
3585 assert_matches!(receive_sub_realm_requests.next().now_or_never(), None);
3586 assert_matches!(receive_server_requests.next().now_or_never(), None);
3587 }
3588
3589 #[fuchsia::test]
3590 async fn get_component_decl_in_sub_realm() {
3591 let (builder, _server_task, mut receive_server_requests) =
3592 new_realm_builder_and_server_task();
3593 let child_realm = builder.add_child_realm("1", ChildOptions::new()).await.unwrap();
3594 let child_a = child_realm.add_child("a", "test://a", ChildOptions::new()).await.unwrap();
3595 let _decl = child_realm.get_component_decl(&child_a).await.unwrap();
3596
3597 let mut receive_sub_realm_requests =
3598 assert_add_child_realm(&mut receive_server_requests, "1", ChildOptions::new().into());
3599 assert_matches!(
3600 receive_sub_realm_requests.next().await,
3601 Some(ServerRequest::AddChild { name, url, options })
3602 if &name == "a" && &url == "test://a" && options == ChildOptions::new().into()
3603 );
3604 assert_matches!(
3605 receive_sub_realm_requests.next().await,
3606 Some(ServerRequest::GetComponentDecl { name }) if &name == "a"
3607 );
3608 assert_matches!(receive_sub_realm_requests.next().now_or_never(), None);
3609 assert_matches!(receive_server_requests.next().now_or_never(), None);
3610 }
3611
3612 #[fuchsia::test]
3613 async fn replace_component_decl_in_sub_realm() {
3614 let (builder, _server_task, mut receive_server_requests) =
3615 new_realm_builder_and_server_task();
3616 let child_realm = builder.add_child_realm("1", ChildOptions::new()).await.unwrap();
3617 let child_a = child_realm.add_child("a", "test://a", ChildOptions::new()).await.unwrap();
3618 child_realm
3619 .replace_component_decl(&child_a, cm_rust::ComponentDecl::default())
3620 .await
3621 .unwrap();
3622
3623 let mut receive_sub_realm_requests =
3624 assert_add_child_realm(&mut receive_server_requests, "1", ChildOptions::new().into());
3625 assert_matches!(
3626 receive_sub_realm_requests.next().await,
3627 Some(ServerRequest::AddChild { name, url, options })
3628 if &name == "a" && &url == "test://a" && options == ChildOptions::new().into()
3629 );
3630 assert_matches!(
3631 receive_sub_realm_requests.next().await,
3632 Some(ServerRequest::ReplaceComponentDecl { name, component_decl })
3633 if &name == "a" && component_decl == fdecl::Component::default()
3634 );
3635 assert_matches!(receive_sub_realm_requests.next().now_or_never(), None);
3636 assert_matches!(receive_server_requests.next().now_or_never(), None);
3637 }
3638
3639 #[fuchsia::test]
3640 async fn get_realm_decl_in_sub_realm() {
3641 let (builder, _server_task, mut receive_server_requests) =
3642 new_realm_builder_and_server_task();
3643 let child_realm = builder.add_child_realm("1", ChildOptions::new()).await.unwrap();
3644 let _decl = child_realm.get_realm_decl().await.unwrap();
3645
3646 let mut receive_sub_realm_requests =
3647 assert_add_child_realm(&mut receive_server_requests, "1", ChildOptions::new().into());
3648 assert_matches!(receive_sub_realm_requests.next().await, Some(ServerRequest::GetRealmDecl));
3649 assert_matches!(receive_sub_realm_requests.next().now_or_never(), None);
3650 assert_matches!(receive_server_requests.next().now_or_never(), None);
3651 }
3652
3653 #[fuchsia::test]
3654 async fn replace_realm_decl_in_sub_realm() {
3655 let (builder, _server_task, mut receive_server_requests) =
3656 new_realm_builder_and_server_task();
3657 let child_realm = builder.add_child_realm("1", ChildOptions::new()).await.unwrap();
3658 child_realm.replace_realm_decl(cm_rust::ComponentDecl::default()).await.unwrap();
3659
3660 let mut receive_sub_realm_requests =
3661 assert_add_child_realm(&mut receive_server_requests, "1", ChildOptions::new().into());
3662 assert_matches!(
3663 receive_sub_realm_requests.next().await,
3664 Some(ServerRequest::ReplaceRealmDecl { component_decl })
3665 if component_decl == fdecl::Component::default()
3666 );
3667 assert_matches!(receive_sub_realm_requests.next().now_or_never(), None);
3668 assert_matches!(receive_server_requests.next().now_or_never(), None);
3669 }
3670
3671 #[fuchsia::test]
3672 async fn add_route_in_sub_realm() {
3673 let (builder, _server_task, mut receive_server_requests) =
3674 new_realm_builder_and_server_task();
3675 let child_realm = builder.add_child_realm("1", ChildOptions::new()).await.unwrap();
3676 let child_a = child_realm.add_child("a", "test://a", ChildOptions::new()).await.unwrap();
3677 child_realm
3678 .add_route(
3679 Route::new()
3680 .capability(Capability::protocol_by_name("test"))
3681 .capability(Capability::directory("test2"))
3682 .from(&child_a)
3683 .to(Ref::parent()),
3684 )
3685 .await
3686 .unwrap();
3687
3688 let mut receive_sub_realm_requests =
3689 assert_add_child_realm(&mut receive_server_requests, "1", ChildOptions::new().into());
3690 assert_matches!(
3691 receive_sub_realm_requests.next().await,
3692 Some(ServerRequest::AddChild { name, url, options })
3693 if &name == "a" && &url == "test://a" && options == ChildOptions::new().into()
3694 );
3695 assert_matches!(
3696 receive_sub_realm_requests.next().await,
3697 Some(ServerRequest::AddRoute { capabilities, from, to })
3698 if capabilities == vec![
3699 Capability::protocol_by_name("test").into(),
3700 Capability::directory("test2").into(),
3701 ]
3702 && from == Ref::child("a").into()
3703 && to == vec![Ref::parent().into()]
3704 );
3705 assert_matches!(receive_sub_realm_requests.next().now_or_never(), None);
3706 assert_matches!(receive_server_requests.next().now_or_never(), None);
3707 }
3708
3709 #[fuchsia::test]
3710 async fn read_only_directory() {
3711 let (builder, _server_task, mut receive_server_requests) =
3712 new_realm_builder_and_server_task();
3713 let child_a = builder.add_child("a", "test://a", ChildOptions::new()).await.unwrap();
3714 builder
3715 .read_only_directory(
3716 "config",
3717 vec![&child_a],
3718 DirectoryContents::new().add_file("config.json", "{ \"hippos\": \"rule!\" }"),
3719 )
3720 .await
3721 .unwrap();
3722
3723 assert_matches!(
3724 receive_server_requests.next().await,
3725 Some(ServerRequest::AddChild { name, url, options })
3726 if &name == "a" && &url == "test://a" && options == ChildOptions::new().into()
3727 );
3728 assert_read_only_directory(&mut receive_server_requests, "config", vec![&child_a]);
3729 }
3730
3731 #[test]
3732 fn realm_builder_works_with_send() {
3733 let mut executor = fasync::SendExecutor::new(2);
3736 executor.run(async {
3737 let (builder, _server_task, _receive_server_requests) =
3738 new_realm_builder_and_server_task();
3739 let child_realm_a = builder.add_child_realm("a", ChildOptions::new()).await.unwrap();
3740 let child_b = builder
3741 .add_local_child("b", |_handles| pending().boxed(), ChildOptions::new())
3742 .await
3743 .unwrap();
3744 let child_c = builder.add_child("c", "test://c", ChildOptions::new()).await.unwrap();
3745 let child_e = builder
3746 .add_child_from_decl("e", cm_rust::ComponentDecl::default(), ChildOptions::new())
3747 .await
3748 .unwrap();
3749
3750 let decl_for_e = builder.get_component_decl(&child_e).await.unwrap();
3751 builder.replace_component_decl(&child_e, decl_for_e).await.unwrap();
3752 let realm_decl = builder.get_realm_decl().await.unwrap();
3753 builder.replace_realm_decl(realm_decl).await.unwrap();
3754 builder
3755 .add_route(
3756 Route::new()
3757 .capability(Capability::protocol::<fcomponent::RealmMarker>())
3758 .from(&child_e)
3759 .to(&child_c)
3760 .to(&child_b)
3761 .to(&child_realm_a)
3762 .to(Ref::parent()),
3763 )
3764 .await
3765 .unwrap();
3766 builder
3767 .read_only_directory(
3768 "config",
3769 vec![&child_e],
3770 DirectoryContents::new().add_file("config.json", "{ \"hippos\": \"rule!\" }"),
3771 )
3772 .await
3773 .unwrap();
3774 });
3775 }
3776
3777 #[fuchsia::test]
3778 async fn add_configurations() {
3779 let (builder, _server_task, mut receive_server_requests) =
3780 new_realm_builder_and_server_task();
3781 _ = builder.add_child("a", "test://a", ChildOptions::new()).await.unwrap();
3782 _ = receive_server_requests.next().now_or_never();
3783
3784 builder
3785 .add_capability(cm_rust::CapabilityDecl::Config(cm_rust::ConfigurationDecl {
3786 name: "my-config".to_string().fidl_into_native(),
3787 value: cm_rust::ConfigValue::Single(cm_rust::ConfigSingleValue::Bool(true)),
3788 }))
3789 .await
3790 .unwrap();
3791 match receive_server_requests.next().now_or_never() {
3792 Some(Some(ServerRequest::AddCapability { capability, .. })) => {
3793 let configuration = assert_matches!(capability, fdecl::Capability::Config(c) => c);
3794 assert_eq!(configuration.name, Some("my-config".to_string()));
3795 assert_eq!(
3796 configuration.value,
3797 Some(fdecl::ConfigValue::Single(fdecl::ConfigSingleValue::Bool(true)))
3798 );
3799 }
3800 req => panic!("match failed, received unexpected server request: {:?}", req),
3801 };
3802 }
3803
3804 #[fuchsia::test]
3805 async fn add_environment_and_collection() {
3806 let (builder, _server_task, mut receive_server_requests) =
3807 new_realm_builder_and_server_task();
3808 _ = builder.add_child("a", "test://a", ChildOptions::new()).await.unwrap();
3809 _ = receive_server_requests.next().now_or_never();
3810
3811 builder
3812 .add_environment(cm_rust::EnvironmentDecl {
3813 name: "driver-host-env".parse().unwrap(),
3814 extends: fdecl::EnvironmentExtends::Realm,
3815 runners: vec![],
3816 resolvers: vec![cm_rust::ResolverRegistration {
3817 resolver: "boot-resolver".parse().unwrap(),
3818 source: cm_rust::RegistrationSource::Child("fake-resolver".to_string()),
3819 scheme: "fuchsia-boot".to_string(),
3820 }],
3821 debug_capabilities: vec![],
3822 stop_timeout_ms: Some(20000),
3823 })
3824 .await
3825 .unwrap();
3826 match receive_server_requests.next().now_or_never() {
3827 Some(Some(ServerRequest::AddEnvironment { environment, .. })) => {
3828 assert_eq!(environment.name, Some("driver-host-env".to_string()));
3829 }
3830 req => panic!("match failed, received unexpected server request: {:?}", req),
3831 };
3832 builder
3833 .add_collection(cm_rust::CollectionDecl {
3834 name: "driver-hosts".parse().unwrap(),
3835 durability: fdecl::Durability::SingleRun,
3836 environment: Some("driver-host-env".parse().unwrap()),
3837 allowed_offers: Default::default(),
3838 allow_long_names: Default::default(),
3839 persistent_storage: None,
3840 })
3841 .await
3842 .unwrap();
3843 match receive_server_requests.next().now_or_never() {
3844 Some(Some(ServerRequest::AddCollection { collection, .. })) => {
3845 assert_eq!(collection.name, Some("driver-hosts".to_string()));
3846 }
3847 req => panic!("match failed, received unexpected server request: {:?}", req),
3848 };
3849 }
3850}