1#![warn(clippy::all)]
4#![allow(unused_parens, unused_mut, unused_imports, nonstandard_style)]
5
6use bitflags::bitflags;
7use fidl::client::QueryResponseFut;
8use fidl::encoding::{MessageBufFor, ProxyChannelBox, ResourceDialect};
9use fidl::endpoints::{ControlHandle as _, Responder as _};
10pub use fidl_fuchsia_netemul_sync_common::*;
11use futures::future::{self, MaybeDone, TryFutureExt};
12use zx_status;
13
14#[derive(Debug, Eq, Hash, Ord, PartialEq, PartialOrd)]
15pub struct SyncManagerBusSubscribeRequest {
16 pub bus_name: String,
17 pub client_name: String,
18 pub bus: fidl::endpoints::ServerEnd<BusMarker>,
19}
20
21impl fidl::Standalone<fidl::encoding::DefaultFuchsiaResourceDialect>
22 for SyncManagerBusSubscribeRequest
23{
24}
25
26#[derive(Debug, Copy, Clone, Eq, PartialEq, Ord, PartialOrd, Hash)]
27pub struct BusMarker;
28
29impl fidl::endpoints::ProtocolMarker for BusMarker {
30 type Proxy = BusProxy;
31 type RequestStream = BusRequestStream;
32 #[cfg(target_os = "fuchsia")]
33 type SynchronousProxy = BusSynchronousProxy;
34
35 const DEBUG_NAME: &'static str = "(anonymous) Bus";
36}
37
38pub trait BusProxyInterface: Send + Sync {
39 fn r#publish(&self, data: &Event) -> Result<(), fidl::Error>;
40 type EnsurePublishResponseFut: std::future::Future<Output = Result<(), fidl::Error>> + Send;
41 fn r#ensure_publish(&self, data: &Event) -> Self::EnsurePublishResponseFut;
42 type GetClientsResponseFut: std::future::Future<Output = Result<Vec<String>, fidl::Error>>
43 + Send;
44 fn r#get_clients(&self) -> Self::GetClientsResponseFut;
45 type WaitForClientsResponseFut: std::future::Future<Output = Result<(bool, Option<Vec<String>>), fidl::Error>>
46 + Send;
47 fn r#wait_for_clients(
48 &self,
49 clients: &[String],
50 timeout: i64,
51 ) -> Self::WaitForClientsResponseFut;
52 type WaitForEvent_ResponseFut: std::future::Future<Output = Result<bool, fidl::Error>> + Send;
53 fn r#wait_for_event_(&self, data: &Event, timeout: i64) -> Self::WaitForEvent_ResponseFut;
54}
55#[derive(Debug)]
56#[cfg(target_os = "fuchsia")]
57pub struct BusSynchronousProxy {
58 client: fidl::client::sync::Client,
59}
60
61#[cfg(target_os = "fuchsia")]
62impl fidl::endpoints::SynchronousProxy for BusSynchronousProxy {
63 type Proxy = BusProxy;
64 type Protocol = BusMarker;
65
66 fn from_channel(inner: fidl::Channel) -> Self {
67 Self::new(inner)
68 }
69
70 fn into_channel(self) -> fidl::Channel {
71 self.client.into_channel()
72 }
73
74 fn as_channel(&self) -> &fidl::Channel {
75 self.client.as_channel()
76 }
77}
78
79#[cfg(target_os = "fuchsia")]
80impl BusSynchronousProxy {
81 pub fn new(channel: fidl::Channel) -> Self {
82 let protocol_name = <BusMarker as fidl::endpoints::ProtocolMarker>::DEBUG_NAME;
83 Self { client: fidl::client::sync::Client::new(channel, protocol_name) }
84 }
85
86 pub fn into_channel(self) -> fidl::Channel {
87 self.client.into_channel()
88 }
89
90 pub fn wait_for_event(&self, deadline: zx::MonotonicInstant) -> Result<BusEvent, fidl::Error> {
93 BusEvent::decode(self.client.wait_for_event(deadline)?)
94 }
95
96 pub fn r#publish(&self, mut data: &Event) -> Result<(), fidl::Error> {
98 self.client.send::<BusPublishRequest>(
99 (data,),
100 0x331ceb644024c14b,
101 fidl::encoding::DynamicFlags::empty(),
102 )
103 }
104
105 pub fn r#ensure_publish(
110 &self,
111 mut data: &Event,
112 ___deadline: zx::MonotonicInstant,
113 ) -> Result<(), fidl::Error> {
114 let _response =
115 self.client.send_query::<BusEnsurePublishRequest, fidl::encoding::EmptyPayload>(
116 (data,),
117 0x2969c5f5de5bb64,
118 fidl::encoding::DynamicFlags::empty(),
119 ___deadline,
120 )?;
121 Ok(_response)
122 }
123
124 pub fn r#get_clients(
126 &self,
127 ___deadline: zx::MonotonicInstant,
128 ) -> Result<Vec<String>, fidl::Error> {
129 let _response =
130 self.client.send_query::<fidl::encoding::EmptyPayload, BusGetClientsResponse>(
131 (),
132 0x733c5e2d525a006b,
133 fidl::encoding::DynamicFlags::empty(),
134 ___deadline,
135 )?;
136 Ok(_response.clients)
137 }
138
139 pub fn r#wait_for_clients(
145 &self,
146 mut clients: &[String],
147 mut timeout: i64,
148 ___deadline: zx::MonotonicInstant,
149 ) -> Result<(bool, Option<Vec<String>>), fidl::Error> {
150 let _response =
151 self.client.send_query::<BusWaitForClientsRequest, BusWaitForClientsResponse>(
152 (clients, timeout),
153 0x21c89fc6be990b23,
154 fidl::encoding::DynamicFlags::empty(),
155 ___deadline,
156 )?;
157 Ok((_response.result, _response.absent))
158 }
159
160 pub fn r#wait_for_event_(
165 &self,
166 mut data: &Event,
167 mut timeout: i64,
168 ___deadline: zx::MonotonicInstant,
169 ) -> Result<bool, fidl::Error> {
170 let _response = self.client.send_query::<BusWaitForEventRequest, BusWaitForEventResponse>(
171 (data, timeout),
172 0x600ca084a42ee5bf,
173 fidl::encoding::DynamicFlags::empty(),
174 ___deadline,
175 )?;
176 Ok(_response.result)
177 }
178}
179
180#[cfg(target_os = "fuchsia")]
181impl From<BusSynchronousProxy> for zx::Handle {
182 fn from(value: BusSynchronousProxy) -> Self {
183 value.into_channel().into()
184 }
185}
186
187#[cfg(target_os = "fuchsia")]
188impl From<fidl::Channel> for BusSynchronousProxy {
189 fn from(value: fidl::Channel) -> Self {
190 Self::new(value)
191 }
192}
193
194#[derive(Debug, Clone)]
195pub struct BusProxy {
196 client: fidl::client::Client<fidl::encoding::DefaultFuchsiaResourceDialect>,
197}
198
199impl fidl::endpoints::Proxy for BusProxy {
200 type Protocol = BusMarker;
201
202 fn from_channel(inner: ::fidl::AsyncChannel) -> Self {
203 Self::new(inner)
204 }
205
206 fn into_channel(self) -> Result<::fidl::AsyncChannel, Self> {
207 self.client.into_channel().map_err(|client| Self { client })
208 }
209
210 fn as_channel(&self) -> &::fidl::AsyncChannel {
211 self.client.as_channel()
212 }
213}
214
215impl BusProxy {
216 pub fn new(channel: ::fidl::AsyncChannel) -> Self {
218 let protocol_name = <BusMarker as fidl::endpoints::ProtocolMarker>::DEBUG_NAME;
219 Self { client: fidl::client::Client::new(channel, protocol_name) }
220 }
221
222 pub fn take_event_stream(&self) -> BusEventStream {
228 BusEventStream { event_receiver: self.client.take_event_receiver() }
229 }
230
231 pub fn r#publish(&self, mut data: &Event) -> Result<(), fidl::Error> {
233 BusProxyInterface::r#publish(self, data)
234 }
235
236 pub fn r#ensure_publish(
241 &self,
242 mut data: &Event,
243 ) -> fidl::client::QueryResponseFut<(), fidl::encoding::DefaultFuchsiaResourceDialect> {
244 BusProxyInterface::r#ensure_publish(self, data)
245 }
246
247 pub fn r#get_clients(
249 &self,
250 ) -> fidl::client::QueryResponseFut<Vec<String>, fidl::encoding::DefaultFuchsiaResourceDialect>
251 {
252 BusProxyInterface::r#get_clients(self)
253 }
254
255 pub fn r#wait_for_clients(
261 &self,
262 mut clients: &[String],
263 mut timeout: i64,
264 ) -> fidl::client::QueryResponseFut<
265 (bool, Option<Vec<String>>),
266 fidl::encoding::DefaultFuchsiaResourceDialect,
267 > {
268 BusProxyInterface::r#wait_for_clients(self, clients, timeout)
269 }
270
271 pub fn r#wait_for_event_(
276 &self,
277 mut data: &Event,
278 mut timeout: i64,
279 ) -> fidl::client::QueryResponseFut<bool, fidl::encoding::DefaultFuchsiaResourceDialect> {
280 BusProxyInterface::r#wait_for_event_(self, data, timeout)
281 }
282}
283
284impl BusProxyInterface for BusProxy {
285 fn r#publish(&self, mut data: &Event) -> Result<(), fidl::Error> {
286 self.client.send::<BusPublishRequest>(
287 (data,),
288 0x331ceb644024c14b,
289 fidl::encoding::DynamicFlags::empty(),
290 )
291 }
292
293 type EnsurePublishResponseFut =
294 fidl::client::QueryResponseFut<(), fidl::encoding::DefaultFuchsiaResourceDialect>;
295 fn r#ensure_publish(&self, mut data: &Event) -> Self::EnsurePublishResponseFut {
296 fn _decode(
297 mut _buf: Result<<fidl::encoding::DefaultFuchsiaResourceDialect as fidl::encoding::ResourceDialect>::MessageBufEtc, fidl::Error>,
298 ) -> Result<(), fidl::Error> {
299 let _response = fidl::client::decode_transaction_body::<
300 fidl::encoding::EmptyPayload,
301 fidl::encoding::DefaultFuchsiaResourceDialect,
302 0x2969c5f5de5bb64,
303 >(_buf?)?;
304 Ok(_response)
305 }
306 self.client.send_query_and_decode::<BusEnsurePublishRequest, ()>(
307 (data,),
308 0x2969c5f5de5bb64,
309 fidl::encoding::DynamicFlags::empty(),
310 _decode,
311 )
312 }
313
314 type GetClientsResponseFut =
315 fidl::client::QueryResponseFut<Vec<String>, fidl::encoding::DefaultFuchsiaResourceDialect>;
316 fn r#get_clients(&self) -> Self::GetClientsResponseFut {
317 fn _decode(
318 mut _buf: Result<<fidl::encoding::DefaultFuchsiaResourceDialect as fidl::encoding::ResourceDialect>::MessageBufEtc, fidl::Error>,
319 ) -> Result<Vec<String>, fidl::Error> {
320 let _response = fidl::client::decode_transaction_body::<
321 BusGetClientsResponse,
322 fidl::encoding::DefaultFuchsiaResourceDialect,
323 0x733c5e2d525a006b,
324 >(_buf?)?;
325 Ok(_response.clients)
326 }
327 self.client.send_query_and_decode::<fidl::encoding::EmptyPayload, Vec<String>>(
328 (),
329 0x733c5e2d525a006b,
330 fidl::encoding::DynamicFlags::empty(),
331 _decode,
332 )
333 }
334
335 type WaitForClientsResponseFut = fidl::client::QueryResponseFut<
336 (bool, Option<Vec<String>>),
337 fidl::encoding::DefaultFuchsiaResourceDialect,
338 >;
339 fn r#wait_for_clients(
340 &self,
341 mut clients: &[String],
342 mut timeout: i64,
343 ) -> Self::WaitForClientsResponseFut {
344 fn _decode(
345 mut _buf: Result<<fidl::encoding::DefaultFuchsiaResourceDialect as fidl::encoding::ResourceDialect>::MessageBufEtc, fidl::Error>,
346 ) -> Result<(bool, Option<Vec<String>>), fidl::Error> {
347 let _response = fidl::client::decode_transaction_body::<
348 BusWaitForClientsResponse,
349 fidl::encoding::DefaultFuchsiaResourceDialect,
350 0x21c89fc6be990b23,
351 >(_buf?)?;
352 Ok((_response.result, _response.absent))
353 }
354 self.client.send_query_and_decode::<BusWaitForClientsRequest, (bool, Option<Vec<String>>)>(
355 (clients, timeout),
356 0x21c89fc6be990b23,
357 fidl::encoding::DynamicFlags::empty(),
358 _decode,
359 )
360 }
361
362 type WaitForEvent_ResponseFut =
363 fidl::client::QueryResponseFut<bool, fidl::encoding::DefaultFuchsiaResourceDialect>;
364 fn r#wait_for_event_(
365 &self,
366 mut data: &Event,
367 mut timeout: i64,
368 ) -> Self::WaitForEvent_ResponseFut {
369 fn _decode(
370 mut _buf: Result<<fidl::encoding::DefaultFuchsiaResourceDialect as fidl::encoding::ResourceDialect>::MessageBufEtc, fidl::Error>,
371 ) -> Result<bool, fidl::Error> {
372 let _response = fidl::client::decode_transaction_body::<
373 BusWaitForEventResponse,
374 fidl::encoding::DefaultFuchsiaResourceDialect,
375 0x600ca084a42ee5bf,
376 >(_buf?)?;
377 Ok(_response.result)
378 }
379 self.client.send_query_and_decode::<BusWaitForEventRequest, bool>(
380 (data, timeout),
381 0x600ca084a42ee5bf,
382 fidl::encoding::DynamicFlags::empty(),
383 _decode,
384 )
385 }
386}
387
388pub struct BusEventStream {
389 event_receiver: fidl::client::EventReceiver<fidl::encoding::DefaultFuchsiaResourceDialect>,
390}
391
392impl std::marker::Unpin for BusEventStream {}
393
394impl futures::stream::FusedStream for BusEventStream {
395 fn is_terminated(&self) -> bool {
396 self.event_receiver.is_terminated()
397 }
398}
399
400impl futures::Stream for BusEventStream {
401 type Item = Result<BusEvent, fidl::Error>;
402
403 fn poll_next(
404 mut self: std::pin::Pin<&mut Self>,
405 cx: &mut std::task::Context<'_>,
406 ) -> std::task::Poll<Option<Self::Item>> {
407 match futures::ready!(futures::stream::StreamExt::poll_next_unpin(
408 &mut self.event_receiver,
409 cx
410 )?) {
411 Some(buf) => std::task::Poll::Ready(Some(BusEvent::decode(buf))),
412 None => std::task::Poll::Ready(None),
413 }
414 }
415}
416
417#[derive(Debug)]
418pub enum BusEvent {
419 OnBusData { data: Event },
420 OnClientAttached { client: String },
421 OnClientDetached { client: String },
422}
423
424impl BusEvent {
425 #[allow(irrefutable_let_patterns)]
426 pub fn into_on_bus_data(self) -> Option<Event> {
427 if let BusEvent::OnBusData { data } = self {
428 Some((data))
429 } else {
430 None
431 }
432 }
433 #[allow(irrefutable_let_patterns)]
434 pub fn into_on_client_attached(self) -> Option<String> {
435 if let BusEvent::OnClientAttached { client } = self {
436 Some((client))
437 } else {
438 None
439 }
440 }
441 #[allow(irrefutable_let_patterns)]
442 pub fn into_on_client_detached(self) -> Option<String> {
443 if let BusEvent::OnClientDetached { client } = self {
444 Some((client))
445 } else {
446 None
447 }
448 }
449
450 fn decode(
452 mut buf: <fidl::encoding::DefaultFuchsiaResourceDialect as fidl::encoding::ResourceDialect>::MessageBufEtc,
453 ) -> Result<BusEvent, fidl::Error> {
454 let (bytes, _handles) = buf.split_mut();
455 let (tx_header, _body_bytes) = fidl::encoding::decode_transaction_header(bytes)?;
456 debug_assert_eq!(tx_header.tx_id, 0);
457 match tx_header.ordinal {
458 0x26e9b9ffb43f638f => {
459 let mut out = fidl::new_empty!(
460 BusOnBusDataRequest,
461 fidl::encoding::DefaultFuchsiaResourceDialect
462 );
463 fidl::encoding::Decoder::<fidl::encoding::DefaultFuchsiaResourceDialect>::decode_into::<BusOnBusDataRequest>(&tx_header, _body_bytes, _handles, &mut out)?;
464 Ok((BusEvent::OnBusData { data: out.data }))
465 }
466 0x41af94df60bf8ba7 => {
467 let mut out = fidl::new_empty!(
468 BusOnClientAttachedRequest,
469 fidl::encoding::DefaultFuchsiaResourceDialect
470 );
471 fidl::encoding::Decoder::<fidl::encoding::DefaultFuchsiaResourceDialect>::decode_into::<BusOnClientAttachedRequest>(&tx_header, _body_bytes, _handles, &mut out)?;
472 Ok((BusEvent::OnClientAttached { client: out.client }))
473 }
474 0x31a36387f8ab00d8 => {
475 let mut out = fidl::new_empty!(
476 BusOnClientDetachedRequest,
477 fidl::encoding::DefaultFuchsiaResourceDialect
478 );
479 fidl::encoding::Decoder::<fidl::encoding::DefaultFuchsiaResourceDialect>::decode_into::<BusOnClientDetachedRequest>(&tx_header, _body_bytes, _handles, &mut out)?;
480 Ok((BusEvent::OnClientDetached { client: out.client }))
481 }
482 _ => Err(fidl::Error::UnknownOrdinal {
483 ordinal: tx_header.ordinal,
484 protocol_name: <BusMarker as fidl::endpoints::ProtocolMarker>::DEBUG_NAME,
485 }),
486 }
487 }
488}
489
490pub struct BusRequestStream {
492 inner: std::sync::Arc<fidl::ServeInner<fidl::encoding::DefaultFuchsiaResourceDialect>>,
493 is_terminated: bool,
494}
495
496impl std::marker::Unpin for BusRequestStream {}
497
498impl futures::stream::FusedStream for BusRequestStream {
499 fn is_terminated(&self) -> bool {
500 self.is_terminated
501 }
502}
503
504impl fidl::endpoints::RequestStream for BusRequestStream {
505 type Protocol = BusMarker;
506 type ControlHandle = BusControlHandle;
507
508 fn from_channel(channel: ::fidl::AsyncChannel) -> Self {
509 Self { inner: std::sync::Arc::new(fidl::ServeInner::new(channel)), is_terminated: false }
510 }
511
512 fn control_handle(&self) -> Self::ControlHandle {
513 BusControlHandle { inner: self.inner.clone() }
514 }
515
516 fn into_inner(
517 self,
518 ) -> (::std::sync::Arc<fidl::ServeInner<fidl::encoding::DefaultFuchsiaResourceDialect>>, bool)
519 {
520 (self.inner, self.is_terminated)
521 }
522
523 fn from_inner(
524 inner: std::sync::Arc<fidl::ServeInner<fidl::encoding::DefaultFuchsiaResourceDialect>>,
525 is_terminated: bool,
526 ) -> Self {
527 Self { inner, is_terminated }
528 }
529}
530
531impl futures::Stream for BusRequestStream {
532 type Item = Result<BusRequest, fidl::Error>;
533
534 fn poll_next(
535 mut self: std::pin::Pin<&mut Self>,
536 cx: &mut std::task::Context<'_>,
537 ) -> std::task::Poll<Option<Self::Item>> {
538 let this = &mut *self;
539 if this.inner.check_shutdown(cx) {
540 this.is_terminated = true;
541 return std::task::Poll::Ready(None);
542 }
543 if this.is_terminated {
544 panic!("polled BusRequestStream after completion");
545 }
546 fidl::encoding::with_tls_decode_buf::<_, fidl::encoding::DefaultFuchsiaResourceDialect>(
547 |bytes, handles| {
548 match this.inner.channel().read_etc(cx, bytes, handles) {
549 std::task::Poll::Ready(Ok(())) => {}
550 std::task::Poll::Pending => return std::task::Poll::Pending,
551 std::task::Poll::Ready(Err(zx_status::Status::PEER_CLOSED)) => {
552 this.is_terminated = true;
553 return std::task::Poll::Ready(None);
554 }
555 std::task::Poll::Ready(Err(e)) => {
556 return std::task::Poll::Ready(Some(Err(fidl::Error::ServerRequestRead(
557 e.into(),
558 ))))
559 }
560 }
561
562 let (header, _body_bytes) = fidl::encoding::decode_transaction_header(bytes)?;
564
565 std::task::Poll::Ready(Some(match header.ordinal {
566 0x331ceb644024c14b => {
567 header.validate_request_tx_id(fidl::MethodType::OneWay)?;
568 let mut req = fidl::new_empty!(
569 BusPublishRequest,
570 fidl::encoding::DefaultFuchsiaResourceDialect
571 );
572 fidl::encoding::Decoder::<fidl::encoding::DefaultFuchsiaResourceDialect>::decode_into::<BusPublishRequest>(&header, _body_bytes, handles, &mut req)?;
573 let control_handle = BusControlHandle { inner: this.inner.clone() };
574 Ok(BusRequest::Publish { data: req.data, control_handle })
575 }
576 0x2969c5f5de5bb64 => {
577 header.validate_request_tx_id(fidl::MethodType::TwoWay)?;
578 let mut req = fidl::new_empty!(
579 BusEnsurePublishRequest,
580 fidl::encoding::DefaultFuchsiaResourceDialect
581 );
582 fidl::encoding::Decoder::<fidl::encoding::DefaultFuchsiaResourceDialect>::decode_into::<BusEnsurePublishRequest>(&header, _body_bytes, handles, &mut req)?;
583 let control_handle = BusControlHandle { inner: this.inner.clone() };
584 Ok(BusRequest::EnsurePublish {
585 data: req.data,
586
587 responder: BusEnsurePublishResponder {
588 control_handle: std::mem::ManuallyDrop::new(control_handle),
589 tx_id: header.tx_id,
590 },
591 })
592 }
593 0x733c5e2d525a006b => {
594 header.validate_request_tx_id(fidl::MethodType::TwoWay)?;
595 let mut req = fidl::new_empty!(
596 fidl::encoding::EmptyPayload,
597 fidl::encoding::DefaultFuchsiaResourceDialect
598 );
599 fidl::encoding::Decoder::<fidl::encoding::DefaultFuchsiaResourceDialect>::decode_into::<fidl::encoding::EmptyPayload>(&header, _body_bytes, handles, &mut req)?;
600 let control_handle = BusControlHandle { inner: this.inner.clone() };
601 Ok(BusRequest::GetClients {
602 responder: BusGetClientsResponder {
603 control_handle: std::mem::ManuallyDrop::new(control_handle),
604 tx_id: header.tx_id,
605 },
606 })
607 }
608 0x21c89fc6be990b23 => {
609 header.validate_request_tx_id(fidl::MethodType::TwoWay)?;
610 let mut req = fidl::new_empty!(
611 BusWaitForClientsRequest,
612 fidl::encoding::DefaultFuchsiaResourceDialect
613 );
614 fidl::encoding::Decoder::<fidl::encoding::DefaultFuchsiaResourceDialect>::decode_into::<BusWaitForClientsRequest>(&header, _body_bytes, handles, &mut req)?;
615 let control_handle = BusControlHandle { inner: this.inner.clone() };
616 Ok(BusRequest::WaitForClients {
617 clients: req.clients,
618 timeout: req.timeout,
619
620 responder: BusWaitForClientsResponder {
621 control_handle: std::mem::ManuallyDrop::new(control_handle),
622 tx_id: header.tx_id,
623 },
624 })
625 }
626 0x600ca084a42ee5bf => {
627 header.validate_request_tx_id(fidl::MethodType::TwoWay)?;
628 let mut req = fidl::new_empty!(
629 BusWaitForEventRequest,
630 fidl::encoding::DefaultFuchsiaResourceDialect
631 );
632 fidl::encoding::Decoder::<fidl::encoding::DefaultFuchsiaResourceDialect>::decode_into::<BusWaitForEventRequest>(&header, _body_bytes, handles, &mut req)?;
633 let control_handle = BusControlHandle { inner: this.inner.clone() };
634 Ok(BusRequest::WaitForEvent_ {
635 data: req.data,
636 timeout: req.timeout,
637
638 responder: BusWaitForEvent_Responder {
639 control_handle: std::mem::ManuallyDrop::new(control_handle),
640 tx_id: header.tx_id,
641 },
642 })
643 }
644 _ => Err(fidl::Error::UnknownOrdinal {
645 ordinal: header.ordinal,
646 protocol_name: <BusMarker as fidl::endpoints::ProtocolMarker>::DEBUG_NAME,
647 }),
648 }))
649 },
650 )
651 }
652}
653
654#[derive(Debug)]
658pub enum BusRequest {
659 Publish { data: Event, control_handle: BusControlHandle },
661 EnsurePublish { data: Event, responder: BusEnsurePublishResponder },
666 GetClients { responder: BusGetClientsResponder },
668 WaitForClients { clients: Vec<String>, timeout: i64, responder: BusWaitForClientsResponder },
674 WaitForEvent_ { data: Event, timeout: i64, responder: BusWaitForEvent_Responder },
679}
680
681impl BusRequest {
682 #[allow(irrefutable_let_patterns)]
683 pub fn into_publish(self) -> Option<(Event, BusControlHandle)> {
684 if let BusRequest::Publish { data, control_handle } = self {
685 Some((data, control_handle))
686 } else {
687 None
688 }
689 }
690
691 #[allow(irrefutable_let_patterns)]
692 pub fn into_ensure_publish(self) -> Option<(Event, BusEnsurePublishResponder)> {
693 if let BusRequest::EnsurePublish { data, responder } = self {
694 Some((data, responder))
695 } else {
696 None
697 }
698 }
699
700 #[allow(irrefutable_let_patterns)]
701 pub fn into_get_clients(self) -> Option<(BusGetClientsResponder)> {
702 if let BusRequest::GetClients { responder } = self {
703 Some((responder))
704 } else {
705 None
706 }
707 }
708
709 #[allow(irrefutable_let_patterns)]
710 pub fn into_wait_for_clients(self) -> Option<(Vec<String>, i64, BusWaitForClientsResponder)> {
711 if let BusRequest::WaitForClients { clients, timeout, responder } = self {
712 Some((clients, timeout, responder))
713 } else {
714 None
715 }
716 }
717
718 #[allow(irrefutable_let_patterns)]
719 pub fn into_wait_for_event_(self) -> Option<(Event, i64, BusWaitForEvent_Responder)> {
720 if let BusRequest::WaitForEvent_ { data, timeout, responder } = self {
721 Some((data, timeout, responder))
722 } else {
723 None
724 }
725 }
726
727 pub fn method_name(&self) -> &'static str {
729 match *self {
730 BusRequest::Publish { .. } => "publish",
731 BusRequest::EnsurePublish { .. } => "ensure_publish",
732 BusRequest::GetClients { .. } => "get_clients",
733 BusRequest::WaitForClients { .. } => "wait_for_clients",
734 BusRequest::WaitForEvent_ { .. } => "wait_for_event_",
735 }
736 }
737}
738
739#[derive(Debug, Clone)]
740pub struct BusControlHandle {
741 inner: std::sync::Arc<fidl::ServeInner<fidl::encoding::DefaultFuchsiaResourceDialect>>,
742}
743
744impl fidl::endpoints::ControlHandle for BusControlHandle {
745 fn shutdown(&self) {
746 self.inner.shutdown()
747 }
748 fn shutdown_with_epitaph(&self, status: zx_status::Status) {
749 self.inner.shutdown_with_epitaph(status)
750 }
751
752 fn is_closed(&self) -> bool {
753 self.inner.channel().is_closed()
754 }
755 fn on_closed(&self) -> fidl::OnSignalsRef<'_> {
756 self.inner.channel().on_closed()
757 }
758
759 #[cfg(target_os = "fuchsia")]
760 fn signal_peer(
761 &self,
762 clear_mask: zx::Signals,
763 set_mask: zx::Signals,
764 ) -> Result<(), zx_status::Status> {
765 use fidl::Peered;
766 self.inner.channel().signal_peer(clear_mask, set_mask)
767 }
768}
769
770impl BusControlHandle {
771 pub fn send_on_bus_data(&self, mut data: &Event) -> Result<(), fidl::Error> {
772 self.inner.send::<BusOnBusDataRequest>(
773 (data,),
774 0,
775 0x26e9b9ffb43f638f,
776 fidl::encoding::DynamicFlags::empty(),
777 )
778 }
779
780 pub fn send_on_client_attached(&self, mut client: &str) -> Result<(), fidl::Error> {
781 self.inner.send::<BusOnClientAttachedRequest>(
782 (client,),
783 0,
784 0x41af94df60bf8ba7,
785 fidl::encoding::DynamicFlags::empty(),
786 )
787 }
788
789 pub fn send_on_client_detached(&self, mut client: &str) -> Result<(), fidl::Error> {
790 self.inner.send::<BusOnClientDetachedRequest>(
791 (client,),
792 0,
793 0x31a36387f8ab00d8,
794 fidl::encoding::DynamicFlags::empty(),
795 )
796 }
797}
798
799#[must_use = "FIDL methods require a response to be sent"]
800#[derive(Debug)]
801pub struct BusEnsurePublishResponder {
802 control_handle: std::mem::ManuallyDrop<BusControlHandle>,
803 tx_id: u32,
804}
805
806impl std::ops::Drop for BusEnsurePublishResponder {
810 fn drop(&mut self) {
811 self.control_handle.shutdown();
812 unsafe { std::mem::ManuallyDrop::drop(&mut self.control_handle) };
814 }
815}
816
817impl fidl::endpoints::Responder for BusEnsurePublishResponder {
818 type ControlHandle = BusControlHandle;
819
820 fn control_handle(&self) -> &BusControlHandle {
821 &self.control_handle
822 }
823
824 fn drop_without_shutdown(mut self) {
825 unsafe { std::mem::ManuallyDrop::drop(&mut self.control_handle) };
827 std::mem::forget(self);
829 }
830}
831
832impl BusEnsurePublishResponder {
833 pub fn send(self) -> Result<(), fidl::Error> {
837 let _result = self.send_raw();
838 if _result.is_err() {
839 self.control_handle.shutdown();
840 }
841 self.drop_without_shutdown();
842 _result
843 }
844
845 pub fn send_no_shutdown_on_err(self) -> Result<(), fidl::Error> {
847 let _result = self.send_raw();
848 self.drop_without_shutdown();
849 _result
850 }
851
852 fn send_raw(&self) -> Result<(), fidl::Error> {
853 self.control_handle.inner.send::<fidl::encoding::EmptyPayload>(
854 (),
855 self.tx_id,
856 0x2969c5f5de5bb64,
857 fidl::encoding::DynamicFlags::empty(),
858 )
859 }
860}
861
862#[must_use = "FIDL methods require a response to be sent"]
863#[derive(Debug)]
864pub struct BusGetClientsResponder {
865 control_handle: std::mem::ManuallyDrop<BusControlHandle>,
866 tx_id: u32,
867}
868
869impl std::ops::Drop for BusGetClientsResponder {
873 fn drop(&mut self) {
874 self.control_handle.shutdown();
875 unsafe { std::mem::ManuallyDrop::drop(&mut self.control_handle) };
877 }
878}
879
880impl fidl::endpoints::Responder for BusGetClientsResponder {
881 type ControlHandle = BusControlHandle;
882
883 fn control_handle(&self) -> &BusControlHandle {
884 &self.control_handle
885 }
886
887 fn drop_without_shutdown(mut self) {
888 unsafe { std::mem::ManuallyDrop::drop(&mut self.control_handle) };
890 std::mem::forget(self);
892 }
893}
894
895impl BusGetClientsResponder {
896 pub fn send(self, mut clients: &[String]) -> Result<(), fidl::Error> {
900 let _result = self.send_raw(clients);
901 if _result.is_err() {
902 self.control_handle.shutdown();
903 }
904 self.drop_without_shutdown();
905 _result
906 }
907
908 pub fn send_no_shutdown_on_err(self, mut clients: &[String]) -> Result<(), fidl::Error> {
910 let _result = self.send_raw(clients);
911 self.drop_without_shutdown();
912 _result
913 }
914
915 fn send_raw(&self, mut clients: &[String]) -> Result<(), fidl::Error> {
916 self.control_handle.inner.send::<BusGetClientsResponse>(
917 (clients,),
918 self.tx_id,
919 0x733c5e2d525a006b,
920 fidl::encoding::DynamicFlags::empty(),
921 )
922 }
923}
924
925#[must_use = "FIDL methods require a response to be sent"]
926#[derive(Debug)]
927pub struct BusWaitForClientsResponder {
928 control_handle: std::mem::ManuallyDrop<BusControlHandle>,
929 tx_id: u32,
930}
931
932impl std::ops::Drop for BusWaitForClientsResponder {
936 fn drop(&mut self) {
937 self.control_handle.shutdown();
938 unsafe { std::mem::ManuallyDrop::drop(&mut self.control_handle) };
940 }
941}
942
943impl fidl::endpoints::Responder for BusWaitForClientsResponder {
944 type ControlHandle = BusControlHandle;
945
946 fn control_handle(&self) -> &BusControlHandle {
947 &self.control_handle
948 }
949
950 fn drop_without_shutdown(mut self) {
951 unsafe { std::mem::ManuallyDrop::drop(&mut self.control_handle) };
953 std::mem::forget(self);
955 }
956}
957
958impl BusWaitForClientsResponder {
959 pub fn send(self, mut result: bool, mut absent: Option<&[String]>) -> Result<(), fidl::Error> {
963 let _result = self.send_raw(result, absent);
964 if _result.is_err() {
965 self.control_handle.shutdown();
966 }
967 self.drop_without_shutdown();
968 _result
969 }
970
971 pub fn send_no_shutdown_on_err(
973 self,
974 mut result: bool,
975 mut absent: Option<&[String]>,
976 ) -> Result<(), fidl::Error> {
977 let _result = self.send_raw(result, absent);
978 self.drop_without_shutdown();
979 _result
980 }
981
982 fn send_raw(&self, mut result: bool, mut absent: Option<&[String]>) -> Result<(), fidl::Error> {
983 self.control_handle.inner.send::<BusWaitForClientsResponse>(
984 (result, absent),
985 self.tx_id,
986 0x21c89fc6be990b23,
987 fidl::encoding::DynamicFlags::empty(),
988 )
989 }
990}
991
992#[must_use = "FIDL methods require a response to be sent"]
993#[derive(Debug)]
994pub struct BusWaitForEvent_Responder {
995 control_handle: std::mem::ManuallyDrop<BusControlHandle>,
996 tx_id: u32,
997}
998
999impl std::ops::Drop for BusWaitForEvent_Responder {
1003 fn drop(&mut self) {
1004 self.control_handle.shutdown();
1005 unsafe { std::mem::ManuallyDrop::drop(&mut self.control_handle) };
1007 }
1008}
1009
1010impl fidl::endpoints::Responder for BusWaitForEvent_Responder {
1011 type ControlHandle = BusControlHandle;
1012
1013 fn control_handle(&self) -> &BusControlHandle {
1014 &self.control_handle
1015 }
1016
1017 fn drop_without_shutdown(mut self) {
1018 unsafe { std::mem::ManuallyDrop::drop(&mut self.control_handle) };
1020 std::mem::forget(self);
1022 }
1023}
1024
1025impl BusWaitForEvent_Responder {
1026 pub fn send(self, mut result: bool) -> Result<(), fidl::Error> {
1030 let _result = self.send_raw(result);
1031 if _result.is_err() {
1032 self.control_handle.shutdown();
1033 }
1034 self.drop_without_shutdown();
1035 _result
1036 }
1037
1038 pub fn send_no_shutdown_on_err(self, mut result: bool) -> Result<(), fidl::Error> {
1040 let _result = self.send_raw(result);
1041 self.drop_without_shutdown();
1042 _result
1043 }
1044
1045 fn send_raw(&self, mut result: bool) -> Result<(), fidl::Error> {
1046 self.control_handle.inner.send::<BusWaitForEventResponse>(
1047 (result,),
1048 self.tx_id,
1049 0x600ca084a42ee5bf,
1050 fidl::encoding::DynamicFlags::empty(),
1051 )
1052 }
1053}
1054
1055#[derive(Debug, Copy, Clone, Eq, PartialEq, Ord, PartialOrd, Hash)]
1056pub struct SyncManagerMarker;
1057
1058impl fidl::endpoints::ProtocolMarker for SyncManagerMarker {
1059 type Proxy = SyncManagerProxy;
1060 type RequestStream = SyncManagerRequestStream;
1061 #[cfg(target_os = "fuchsia")]
1062 type SynchronousProxy = SyncManagerSynchronousProxy;
1063
1064 const DEBUG_NAME: &'static str = "fuchsia.netemul.sync.SyncManager";
1065}
1066impl fidl::endpoints::DiscoverableProtocolMarker for SyncManagerMarker {}
1067
1068pub trait SyncManagerProxyInterface: Send + Sync {
1069 fn r#bus_subscribe(
1070 &self,
1071 bus_name: &str,
1072 client_name: &str,
1073 bus: fidl::endpoints::ServerEnd<BusMarker>,
1074 ) -> Result<(), fidl::Error>;
1075 type WaitForBarrierThresholdResponseFut: std::future::Future<Output = Result<bool, fidl::Error>>
1076 + Send;
1077 fn r#wait_for_barrier_threshold(
1078 &self,
1079 barrier_name: &str,
1080 threshold: u32,
1081 timeout: i64,
1082 ) -> Self::WaitForBarrierThresholdResponseFut;
1083}
1084#[derive(Debug)]
1085#[cfg(target_os = "fuchsia")]
1086pub struct SyncManagerSynchronousProxy {
1087 client: fidl::client::sync::Client,
1088}
1089
1090#[cfg(target_os = "fuchsia")]
1091impl fidl::endpoints::SynchronousProxy for SyncManagerSynchronousProxy {
1092 type Proxy = SyncManagerProxy;
1093 type Protocol = SyncManagerMarker;
1094
1095 fn from_channel(inner: fidl::Channel) -> Self {
1096 Self::new(inner)
1097 }
1098
1099 fn into_channel(self) -> fidl::Channel {
1100 self.client.into_channel()
1101 }
1102
1103 fn as_channel(&self) -> &fidl::Channel {
1104 self.client.as_channel()
1105 }
1106}
1107
1108#[cfg(target_os = "fuchsia")]
1109impl SyncManagerSynchronousProxy {
1110 pub fn new(channel: fidl::Channel) -> Self {
1111 let protocol_name = <SyncManagerMarker as fidl::endpoints::ProtocolMarker>::DEBUG_NAME;
1112 Self { client: fidl::client::sync::Client::new(channel, protocol_name) }
1113 }
1114
1115 pub fn into_channel(self) -> fidl::Channel {
1116 self.client.into_channel()
1117 }
1118
1119 pub fn wait_for_event(
1122 &self,
1123 deadline: zx::MonotonicInstant,
1124 ) -> Result<SyncManagerEvent, fidl::Error> {
1125 SyncManagerEvent::decode(self.client.wait_for_event(deadline)?)
1126 }
1127
1128 pub fn r#bus_subscribe(
1131 &self,
1132 mut bus_name: &str,
1133 mut client_name: &str,
1134 mut bus: fidl::endpoints::ServerEnd<BusMarker>,
1135 ) -> Result<(), fidl::Error> {
1136 self.client.send::<SyncManagerBusSubscribeRequest>(
1137 (bus_name, client_name, bus),
1138 0x39c25d810b5e7407,
1139 fidl::encoding::DynamicFlags::empty(),
1140 )
1141 }
1142
1143 pub fn r#wait_for_barrier_threshold(
1148 &self,
1149 mut barrier_name: &str,
1150 mut threshold: u32,
1151 mut timeout: i64,
1152 ___deadline: zx::MonotonicInstant,
1153 ) -> Result<bool, fidl::Error> {
1154 let _response = self.client.send_query::<
1155 SyncManagerWaitForBarrierThresholdRequest,
1156 SyncManagerWaitForBarrierThresholdResponse,
1157 >(
1158 (barrier_name, threshold, timeout,),
1159 0x592056b5825f4292,
1160 fidl::encoding::DynamicFlags::empty(),
1161 ___deadline,
1162 )?;
1163 Ok(_response.result)
1164 }
1165}
1166
1167#[cfg(target_os = "fuchsia")]
1168impl From<SyncManagerSynchronousProxy> for zx::Handle {
1169 fn from(value: SyncManagerSynchronousProxy) -> Self {
1170 value.into_channel().into()
1171 }
1172}
1173
1174#[cfg(target_os = "fuchsia")]
1175impl From<fidl::Channel> for SyncManagerSynchronousProxy {
1176 fn from(value: fidl::Channel) -> Self {
1177 Self::new(value)
1178 }
1179}
1180
1181#[derive(Debug, Clone)]
1182pub struct SyncManagerProxy {
1183 client: fidl::client::Client<fidl::encoding::DefaultFuchsiaResourceDialect>,
1184}
1185
1186impl fidl::endpoints::Proxy for SyncManagerProxy {
1187 type Protocol = SyncManagerMarker;
1188
1189 fn from_channel(inner: ::fidl::AsyncChannel) -> Self {
1190 Self::new(inner)
1191 }
1192
1193 fn into_channel(self) -> Result<::fidl::AsyncChannel, Self> {
1194 self.client.into_channel().map_err(|client| Self { client })
1195 }
1196
1197 fn as_channel(&self) -> &::fidl::AsyncChannel {
1198 self.client.as_channel()
1199 }
1200}
1201
1202impl SyncManagerProxy {
1203 pub fn new(channel: ::fidl::AsyncChannel) -> Self {
1205 let protocol_name = <SyncManagerMarker as fidl::endpoints::ProtocolMarker>::DEBUG_NAME;
1206 Self { client: fidl::client::Client::new(channel, protocol_name) }
1207 }
1208
1209 pub fn take_event_stream(&self) -> SyncManagerEventStream {
1215 SyncManagerEventStream { event_receiver: self.client.take_event_receiver() }
1216 }
1217
1218 pub fn r#bus_subscribe(
1221 &self,
1222 mut bus_name: &str,
1223 mut client_name: &str,
1224 mut bus: fidl::endpoints::ServerEnd<BusMarker>,
1225 ) -> Result<(), fidl::Error> {
1226 SyncManagerProxyInterface::r#bus_subscribe(self, bus_name, client_name, bus)
1227 }
1228
1229 pub fn r#wait_for_barrier_threshold(
1234 &self,
1235 mut barrier_name: &str,
1236 mut threshold: u32,
1237 mut timeout: i64,
1238 ) -> fidl::client::QueryResponseFut<bool, fidl::encoding::DefaultFuchsiaResourceDialect> {
1239 SyncManagerProxyInterface::r#wait_for_barrier_threshold(
1240 self,
1241 barrier_name,
1242 threshold,
1243 timeout,
1244 )
1245 }
1246}
1247
1248impl SyncManagerProxyInterface for SyncManagerProxy {
1249 fn r#bus_subscribe(
1250 &self,
1251 mut bus_name: &str,
1252 mut client_name: &str,
1253 mut bus: fidl::endpoints::ServerEnd<BusMarker>,
1254 ) -> Result<(), fidl::Error> {
1255 self.client.send::<SyncManagerBusSubscribeRequest>(
1256 (bus_name, client_name, bus),
1257 0x39c25d810b5e7407,
1258 fidl::encoding::DynamicFlags::empty(),
1259 )
1260 }
1261
1262 type WaitForBarrierThresholdResponseFut =
1263 fidl::client::QueryResponseFut<bool, fidl::encoding::DefaultFuchsiaResourceDialect>;
1264 fn r#wait_for_barrier_threshold(
1265 &self,
1266 mut barrier_name: &str,
1267 mut threshold: u32,
1268 mut timeout: i64,
1269 ) -> Self::WaitForBarrierThresholdResponseFut {
1270 fn _decode(
1271 mut _buf: Result<<fidl::encoding::DefaultFuchsiaResourceDialect as fidl::encoding::ResourceDialect>::MessageBufEtc, fidl::Error>,
1272 ) -> Result<bool, fidl::Error> {
1273 let _response = fidl::client::decode_transaction_body::<
1274 SyncManagerWaitForBarrierThresholdResponse,
1275 fidl::encoding::DefaultFuchsiaResourceDialect,
1276 0x592056b5825f4292,
1277 >(_buf?)?;
1278 Ok(_response.result)
1279 }
1280 self.client.send_query_and_decode::<SyncManagerWaitForBarrierThresholdRequest, bool>(
1281 (barrier_name, threshold, timeout),
1282 0x592056b5825f4292,
1283 fidl::encoding::DynamicFlags::empty(),
1284 _decode,
1285 )
1286 }
1287}
1288
1289pub struct SyncManagerEventStream {
1290 event_receiver: fidl::client::EventReceiver<fidl::encoding::DefaultFuchsiaResourceDialect>,
1291}
1292
1293impl std::marker::Unpin for SyncManagerEventStream {}
1294
1295impl futures::stream::FusedStream for SyncManagerEventStream {
1296 fn is_terminated(&self) -> bool {
1297 self.event_receiver.is_terminated()
1298 }
1299}
1300
1301impl futures::Stream for SyncManagerEventStream {
1302 type Item = Result<SyncManagerEvent, fidl::Error>;
1303
1304 fn poll_next(
1305 mut self: std::pin::Pin<&mut Self>,
1306 cx: &mut std::task::Context<'_>,
1307 ) -> std::task::Poll<Option<Self::Item>> {
1308 match futures::ready!(futures::stream::StreamExt::poll_next_unpin(
1309 &mut self.event_receiver,
1310 cx
1311 )?) {
1312 Some(buf) => std::task::Poll::Ready(Some(SyncManagerEvent::decode(buf))),
1313 None => std::task::Poll::Ready(None),
1314 }
1315 }
1316}
1317
1318#[derive(Debug)]
1319pub enum SyncManagerEvent {}
1320
1321impl SyncManagerEvent {
1322 fn decode(
1324 mut buf: <fidl::encoding::DefaultFuchsiaResourceDialect as fidl::encoding::ResourceDialect>::MessageBufEtc,
1325 ) -> Result<SyncManagerEvent, fidl::Error> {
1326 let (bytes, _handles) = buf.split_mut();
1327 let (tx_header, _body_bytes) = fidl::encoding::decode_transaction_header(bytes)?;
1328 debug_assert_eq!(tx_header.tx_id, 0);
1329 match tx_header.ordinal {
1330 _ => Err(fidl::Error::UnknownOrdinal {
1331 ordinal: tx_header.ordinal,
1332 protocol_name: <SyncManagerMarker as fidl::endpoints::ProtocolMarker>::DEBUG_NAME,
1333 }),
1334 }
1335 }
1336}
1337
1338pub struct SyncManagerRequestStream {
1340 inner: std::sync::Arc<fidl::ServeInner<fidl::encoding::DefaultFuchsiaResourceDialect>>,
1341 is_terminated: bool,
1342}
1343
1344impl std::marker::Unpin for SyncManagerRequestStream {}
1345
1346impl futures::stream::FusedStream for SyncManagerRequestStream {
1347 fn is_terminated(&self) -> bool {
1348 self.is_terminated
1349 }
1350}
1351
1352impl fidl::endpoints::RequestStream for SyncManagerRequestStream {
1353 type Protocol = SyncManagerMarker;
1354 type ControlHandle = SyncManagerControlHandle;
1355
1356 fn from_channel(channel: ::fidl::AsyncChannel) -> Self {
1357 Self { inner: std::sync::Arc::new(fidl::ServeInner::new(channel)), is_terminated: false }
1358 }
1359
1360 fn control_handle(&self) -> Self::ControlHandle {
1361 SyncManagerControlHandle { inner: self.inner.clone() }
1362 }
1363
1364 fn into_inner(
1365 self,
1366 ) -> (::std::sync::Arc<fidl::ServeInner<fidl::encoding::DefaultFuchsiaResourceDialect>>, bool)
1367 {
1368 (self.inner, self.is_terminated)
1369 }
1370
1371 fn from_inner(
1372 inner: std::sync::Arc<fidl::ServeInner<fidl::encoding::DefaultFuchsiaResourceDialect>>,
1373 is_terminated: bool,
1374 ) -> Self {
1375 Self { inner, is_terminated }
1376 }
1377}
1378
1379impl futures::Stream for SyncManagerRequestStream {
1380 type Item = Result<SyncManagerRequest, fidl::Error>;
1381
1382 fn poll_next(
1383 mut self: std::pin::Pin<&mut Self>,
1384 cx: &mut std::task::Context<'_>,
1385 ) -> std::task::Poll<Option<Self::Item>> {
1386 let this = &mut *self;
1387 if this.inner.check_shutdown(cx) {
1388 this.is_terminated = true;
1389 return std::task::Poll::Ready(None);
1390 }
1391 if this.is_terminated {
1392 panic!("polled SyncManagerRequestStream after completion");
1393 }
1394 fidl::encoding::with_tls_decode_buf::<_, fidl::encoding::DefaultFuchsiaResourceDialect>(
1395 |bytes, handles| {
1396 match this.inner.channel().read_etc(cx, bytes, handles) {
1397 std::task::Poll::Ready(Ok(())) => {}
1398 std::task::Poll::Pending => return std::task::Poll::Pending,
1399 std::task::Poll::Ready(Err(zx_status::Status::PEER_CLOSED)) => {
1400 this.is_terminated = true;
1401 return std::task::Poll::Ready(None);
1402 }
1403 std::task::Poll::Ready(Err(e)) => {
1404 return std::task::Poll::Ready(Some(Err(fidl::Error::ServerRequestRead(
1405 e.into(),
1406 ))))
1407 }
1408 }
1409
1410 let (header, _body_bytes) = fidl::encoding::decode_transaction_header(bytes)?;
1412
1413 std::task::Poll::Ready(Some(match header.ordinal {
1414 0x39c25d810b5e7407 => {
1415 header.validate_request_tx_id(fidl::MethodType::OneWay)?;
1416 let mut req = fidl::new_empty!(
1417 SyncManagerBusSubscribeRequest,
1418 fidl::encoding::DefaultFuchsiaResourceDialect
1419 );
1420 fidl::encoding::Decoder::<fidl::encoding::DefaultFuchsiaResourceDialect>::decode_into::<SyncManagerBusSubscribeRequest>(&header, _body_bytes, handles, &mut req)?;
1421 let control_handle = SyncManagerControlHandle { inner: this.inner.clone() };
1422 Ok(SyncManagerRequest::BusSubscribe {
1423 bus_name: req.bus_name,
1424 client_name: req.client_name,
1425 bus: req.bus,
1426
1427 control_handle,
1428 })
1429 }
1430 0x592056b5825f4292 => {
1431 header.validate_request_tx_id(fidl::MethodType::TwoWay)?;
1432 let mut req = fidl::new_empty!(
1433 SyncManagerWaitForBarrierThresholdRequest,
1434 fidl::encoding::DefaultFuchsiaResourceDialect
1435 );
1436 fidl::encoding::Decoder::<fidl::encoding::DefaultFuchsiaResourceDialect>::decode_into::<SyncManagerWaitForBarrierThresholdRequest>(&header, _body_bytes, handles, &mut req)?;
1437 let control_handle = SyncManagerControlHandle { inner: this.inner.clone() };
1438 Ok(SyncManagerRequest::WaitForBarrierThreshold {
1439 barrier_name: req.barrier_name,
1440 threshold: req.threshold,
1441 timeout: req.timeout,
1442
1443 responder: SyncManagerWaitForBarrierThresholdResponder {
1444 control_handle: std::mem::ManuallyDrop::new(control_handle),
1445 tx_id: header.tx_id,
1446 },
1447 })
1448 }
1449 _ => Err(fidl::Error::UnknownOrdinal {
1450 ordinal: header.ordinal,
1451 protocol_name:
1452 <SyncManagerMarker as fidl::endpoints::ProtocolMarker>::DEBUG_NAME,
1453 }),
1454 }))
1455 },
1456 )
1457 }
1458}
1459
1460#[derive(Debug)]
1464pub enum SyncManagerRequest {
1465 BusSubscribe {
1468 bus_name: String,
1469 client_name: String,
1470 bus: fidl::endpoints::ServerEnd<BusMarker>,
1471 control_handle: SyncManagerControlHandle,
1472 },
1473 WaitForBarrierThreshold {
1478 barrier_name: String,
1479 threshold: u32,
1480 timeout: i64,
1481 responder: SyncManagerWaitForBarrierThresholdResponder,
1482 },
1483}
1484
1485impl SyncManagerRequest {
1486 #[allow(irrefutable_let_patterns)]
1487 pub fn into_bus_subscribe(
1488 self,
1489 ) -> Option<(String, String, fidl::endpoints::ServerEnd<BusMarker>, SyncManagerControlHandle)>
1490 {
1491 if let SyncManagerRequest::BusSubscribe { bus_name, client_name, bus, control_handle } =
1492 self
1493 {
1494 Some((bus_name, client_name, bus, control_handle))
1495 } else {
1496 None
1497 }
1498 }
1499
1500 #[allow(irrefutable_let_patterns)]
1501 pub fn into_wait_for_barrier_threshold(
1502 self,
1503 ) -> Option<(String, u32, i64, SyncManagerWaitForBarrierThresholdResponder)> {
1504 if let SyncManagerRequest::WaitForBarrierThreshold {
1505 barrier_name,
1506 threshold,
1507 timeout,
1508 responder,
1509 } = self
1510 {
1511 Some((barrier_name, threshold, timeout, responder))
1512 } else {
1513 None
1514 }
1515 }
1516
1517 pub fn method_name(&self) -> &'static str {
1519 match *self {
1520 SyncManagerRequest::BusSubscribe { .. } => "bus_subscribe",
1521 SyncManagerRequest::WaitForBarrierThreshold { .. } => "wait_for_barrier_threshold",
1522 }
1523 }
1524}
1525
1526#[derive(Debug, Clone)]
1527pub struct SyncManagerControlHandle {
1528 inner: std::sync::Arc<fidl::ServeInner<fidl::encoding::DefaultFuchsiaResourceDialect>>,
1529}
1530
1531impl fidl::endpoints::ControlHandle for SyncManagerControlHandle {
1532 fn shutdown(&self) {
1533 self.inner.shutdown()
1534 }
1535 fn shutdown_with_epitaph(&self, status: zx_status::Status) {
1536 self.inner.shutdown_with_epitaph(status)
1537 }
1538
1539 fn is_closed(&self) -> bool {
1540 self.inner.channel().is_closed()
1541 }
1542 fn on_closed(&self) -> fidl::OnSignalsRef<'_> {
1543 self.inner.channel().on_closed()
1544 }
1545
1546 #[cfg(target_os = "fuchsia")]
1547 fn signal_peer(
1548 &self,
1549 clear_mask: zx::Signals,
1550 set_mask: zx::Signals,
1551 ) -> Result<(), zx_status::Status> {
1552 use fidl::Peered;
1553 self.inner.channel().signal_peer(clear_mask, set_mask)
1554 }
1555}
1556
1557impl SyncManagerControlHandle {}
1558
1559#[must_use = "FIDL methods require a response to be sent"]
1560#[derive(Debug)]
1561pub struct SyncManagerWaitForBarrierThresholdResponder {
1562 control_handle: std::mem::ManuallyDrop<SyncManagerControlHandle>,
1563 tx_id: u32,
1564}
1565
1566impl std::ops::Drop for SyncManagerWaitForBarrierThresholdResponder {
1570 fn drop(&mut self) {
1571 self.control_handle.shutdown();
1572 unsafe { std::mem::ManuallyDrop::drop(&mut self.control_handle) };
1574 }
1575}
1576
1577impl fidl::endpoints::Responder for SyncManagerWaitForBarrierThresholdResponder {
1578 type ControlHandle = SyncManagerControlHandle;
1579
1580 fn control_handle(&self) -> &SyncManagerControlHandle {
1581 &self.control_handle
1582 }
1583
1584 fn drop_without_shutdown(mut self) {
1585 unsafe { std::mem::ManuallyDrop::drop(&mut self.control_handle) };
1587 std::mem::forget(self);
1589 }
1590}
1591
1592impl SyncManagerWaitForBarrierThresholdResponder {
1593 pub fn send(self, mut result: bool) -> Result<(), fidl::Error> {
1597 let _result = self.send_raw(result);
1598 if _result.is_err() {
1599 self.control_handle.shutdown();
1600 }
1601 self.drop_without_shutdown();
1602 _result
1603 }
1604
1605 pub fn send_no_shutdown_on_err(self, mut result: bool) -> Result<(), fidl::Error> {
1607 let _result = self.send_raw(result);
1608 self.drop_without_shutdown();
1609 _result
1610 }
1611
1612 fn send_raw(&self, mut result: bool) -> Result<(), fidl::Error> {
1613 self.control_handle.inner.send::<SyncManagerWaitForBarrierThresholdResponse>(
1614 (result,),
1615 self.tx_id,
1616 0x592056b5825f4292,
1617 fidl::encoding::DynamicFlags::empty(),
1618 )
1619 }
1620}
1621
1622mod internal {
1623 use super::*;
1624
1625 impl fidl::encoding::ResourceTypeMarker for SyncManagerBusSubscribeRequest {
1626 type Borrowed<'a> = &'a mut Self;
1627 fn take_or_borrow<'a>(
1628 value: &'a mut <Self as fidl::encoding::TypeMarker>::Owned,
1629 ) -> Self::Borrowed<'a> {
1630 value
1631 }
1632 }
1633
1634 unsafe impl fidl::encoding::TypeMarker for SyncManagerBusSubscribeRequest {
1635 type Owned = Self;
1636
1637 #[inline(always)]
1638 fn inline_align(_context: fidl::encoding::Context) -> usize {
1639 8
1640 }
1641
1642 #[inline(always)]
1643 fn inline_size(_context: fidl::encoding::Context) -> usize {
1644 40
1645 }
1646 }
1647
1648 unsafe impl
1649 fidl::encoding::Encode<
1650 SyncManagerBusSubscribeRequest,
1651 fidl::encoding::DefaultFuchsiaResourceDialect,
1652 > for &mut SyncManagerBusSubscribeRequest
1653 {
1654 #[inline]
1655 unsafe fn encode(
1656 self,
1657 encoder: &mut fidl::encoding::Encoder<
1658 '_,
1659 fidl::encoding::DefaultFuchsiaResourceDialect,
1660 >,
1661 offset: usize,
1662 _depth: fidl::encoding::Depth,
1663 ) -> fidl::Result<()> {
1664 encoder.debug_check_bounds::<SyncManagerBusSubscribeRequest>(offset);
1665 fidl::encoding::Encode::<SyncManagerBusSubscribeRequest, fidl::encoding::DefaultFuchsiaResourceDialect>::encode(
1667 (
1668 <fidl::encoding::UnboundedString as fidl::encoding::ValueTypeMarker>::borrow(&self.bus_name),
1669 <fidl::encoding::UnboundedString as fidl::encoding::ValueTypeMarker>::borrow(&self.client_name),
1670 <fidl::encoding::Endpoint<fidl::endpoints::ServerEnd<BusMarker>> as fidl::encoding::ResourceTypeMarker>::take_or_borrow(&mut self.bus),
1671 ),
1672 encoder, offset, _depth
1673 )
1674 }
1675 }
1676 unsafe impl<
1677 T0: fidl::encoding::Encode<
1678 fidl::encoding::UnboundedString,
1679 fidl::encoding::DefaultFuchsiaResourceDialect,
1680 >,
1681 T1: fidl::encoding::Encode<
1682 fidl::encoding::UnboundedString,
1683 fidl::encoding::DefaultFuchsiaResourceDialect,
1684 >,
1685 T2: fidl::encoding::Encode<
1686 fidl::encoding::Endpoint<fidl::endpoints::ServerEnd<BusMarker>>,
1687 fidl::encoding::DefaultFuchsiaResourceDialect,
1688 >,
1689 >
1690 fidl::encoding::Encode<
1691 SyncManagerBusSubscribeRequest,
1692 fidl::encoding::DefaultFuchsiaResourceDialect,
1693 > for (T0, T1, T2)
1694 {
1695 #[inline]
1696 unsafe fn encode(
1697 self,
1698 encoder: &mut fidl::encoding::Encoder<
1699 '_,
1700 fidl::encoding::DefaultFuchsiaResourceDialect,
1701 >,
1702 offset: usize,
1703 depth: fidl::encoding::Depth,
1704 ) -> fidl::Result<()> {
1705 encoder.debug_check_bounds::<SyncManagerBusSubscribeRequest>(offset);
1706 unsafe {
1709 let ptr = encoder.buf.as_mut_ptr().add(offset).offset(32);
1710 (ptr as *mut u64).write_unaligned(0);
1711 }
1712 self.0.encode(encoder, offset + 0, depth)?;
1714 self.1.encode(encoder, offset + 16, depth)?;
1715 self.2.encode(encoder, offset + 32, depth)?;
1716 Ok(())
1717 }
1718 }
1719
1720 impl fidl::encoding::Decode<Self, fidl::encoding::DefaultFuchsiaResourceDialect>
1721 for SyncManagerBusSubscribeRequest
1722 {
1723 #[inline(always)]
1724 fn new_empty() -> Self {
1725 Self {
1726 bus_name: fidl::new_empty!(
1727 fidl::encoding::UnboundedString,
1728 fidl::encoding::DefaultFuchsiaResourceDialect
1729 ),
1730 client_name: fidl::new_empty!(
1731 fidl::encoding::UnboundedString,
1732 fidl::encoding::DefaultFuchsiaResourceDialect
1733 ),
1734 bus: fidl::new_empty!(
1735 fidl::encoding::Endpoint<fidl::endpoints::ServerEnd<BusMarker>>,
1736 fidl::encoding::DefaultFuchsiaResourceDialect
1737 ),
1738 }
1739 }
1740
1741 #[inline]
1742 unsafe fn decode(
1743 &mut self,
1744 decoder: &mut fidl::encoding::Decoder<
1745 '_,
1746 fidl::encoding::DefaultFuchsiaResourceDialect,
1747 >,
1748 offset: usize,
1749 _depth: fidl::encoding::Depth,
1750 ) -> fidl::Result<()> {
1751 decoder.debug_check_bounds::<Self>(offset);
1752 let ptr = unsafe { decoder.buf.as_ptr().add(offset).offset(32) };
1754 let padval = unsafe { (ptr as *const u64).read_unaligned() };
1755 let mask = 0xffffffff00000000u64;
1756 let maskedval = padval & mask;
1757 if maskedval != 0 {
1758 return Err(fidl::Error::NonZeroPadding {
1759 padding_start: offset + 32 + ((mask as u64).trailing_zeros() / 8) as usize,
1760 });
1761 }
1762 fidl::decode!(
1763 fidl::encoding::UnboundedString,
1764 fidl::encoding::DefaultFuchsiaResourceDialect,
1765 &mut self.bus_name,
1766 decoder,
1767 offset + 0,
1768 _depth
1769 )?;
1770 fidl::decode!(
1771 fidl::encoding::UnboundedString,
1772 fidl::encoding::DefaultFuchsiaResourceDialect,
1773 &mut self.client_name,
1774 decoder,
1775 offset + 16,
1776 _depth
1777 )?;
1778 fidl::decode!(
1779 fidl::encoding::Endpoint<fidl::endpoints::ServerEnd<BusMarker>>,
1780 fidl::encoding::DefaultFuchsiaResourceDialect,
1781 &mut self.bus,
1782 decoder,
1783 offset + 32,
1784 _depth
1785 )?;
1786 Ok(())
1787 }
1788 }
1789}