fidl_fuchsia_audio/
fidl_fuchsia_audio.rs

1// WARNING: This file is machine generated by fidlgen.
2
3#![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_audio_common::*;
11use futures::future::{self, MaybeDone, TryFutureExt};
12use zx_status;
13
14/// A ring buffer of audio data.
15///
16/// Each ring buffer has a producer (who writes to the buffer) and a consumer
17/// (who reads from the buffer). Additionally, each ring buffer is associated
18/// with a reference clock that keeps time for the buffer.
19///
20/// ## PCM Data
21///
22/// A ring buffer of PCM audio is a window into a potentially-infinite sequence
23/// of frames. Each frame is assigned a "frame number" where the first frame in
24/// the infinite sequence is numbered 0. Frame `X` can be found at ring buffer
25/// offset `(X % RingBufferFrames) * BytesPerFrame`, where `RingBufferFrames` is
26/// the size of the ring buffer in frames and `BytesPerFrame` is the size of a
27/// single frame.
28///
29/// ## Concurrency Protocol
30///
31/// Each ring buffer has a single producer and a single consumer which are
32/// synchronized by time. At each point in time T according to the ring buffer's
33/// reference clock, we define two functions:
34///
35///   * `SafeWritePos(T)` is the lowest (oldest) frame number the producer is
36///     allowed to write. The producer can write to this frame or to any
37///     higher-numbered frame.
38///
39///   * `SafeReadPos(T)` is the highest (youngest) frame number the consumer is
40///     allowed to read. The consumer can read this frame or any lower-numbered
41///     frame.
42///
43/// To prevent conflicts, we define these to be offset by one:
44///
45/// ```
46/// SafeWritePos(T) = SafeReadPos(T) + 1
47/// ```
48///
49/// To avoid races, there must be a single producer, but there may be multiple
50/// consumers. Additionally, since the producer and consumer(s) are synchronized
51/// by *time*, we require explicit fences to ensure cache coherency: the
52/// producer must insert an appropriate fence after each write (to flush CPU
53/// caches and prevent compiler reordering of stores) and the consumer(s) must
54/// insert an appropriate fence before each read (to invalidate CPU caches and
55/// prevent compiler reordering of loads).
56///
57/// Since the buffer has finite size, the producer/consumer cannot write/read
58/// infinitely in the future/past. We allocate `P` frames to the producer and
59/// `C` frames to the consumer(s), where `P + C <= RingBufferFrames` and `P` and
60/// `C` are both chosen by whoever creates the ring buffer.
61///
62/// ## Deciding on `P` and `C`
63///
64/// In practice, producers/consumers typically write/read batches of frames
65/// on regular periods. For example, a producer might wake every `Dp`
66/// milliseconds to write `Dp*FrameRate` frames, where `FrameRate` is the PCM
67/// stream's frame rate. If a producer wakes at time T, it will spend up to the
68/// next `Dp` period writing those frames. This means the lowest frame number it
69/// can safely write to is `SafeWritePos(T+Dp)`, which is equivalent to
70/// `SafeWritePos(T) + Dp*FrameRate`. The producer writes `Dp*FrameRate` frames
71/// from the position onwards. This entire region, from `SafeWritePos(T)`
72/// through `2*Dp*FrameRate` must be allocated to the producer at time T. Making
73/// a similar argument for consumers, we arrive at the following constraints:
74///
75/// ```
76/// P >= 2*Dp*FrameRate
77/// C >= 2*Dc*FrameRate
78/// RingBufferFrames >= P + C
79/// ```
80///
81/// Hence, in practice, `P` and `C` can be derived from the batch sizes used by
82/// the producer and consumer, where the maximum batch sizes are limited by the
83/// ring buffer size.
84///
85/// ## Defining `SafeWritePos`
86///
87/// The definition of `SafeWritePos` (and, implicitly, `SafeReadPos`) must be
88/// provided out-of-band.
89///
90/// ## Non-PCM Data
91///
92/// Non-PCM data is handled similarly to PCM data, except positions are
93/// expressed as "byte offsets" instead of "frame numbers", where the infinite
94/// sequence starts at byte offset 0.
95#[derive(Debug, Default, PartialEq)]
96pub struct RingBuffer {
97    /// The actual ring buffer. The sum of `producer_bytes` and `consumer_bytes`
98    /// must be <= `buffer.size`.
99    ///
100    /// Required.
101    pub buffer: Option<fidl_fuchsia_mem::Buffer>,
102    /// Encoding of audio data in the buffer.
103    /// Required.
104    pub format: Option<Format>,
105    /// The number of bytes allocated to the producer.
106    ///
107    /// For PCM encodings, `P = producer_bytes / BytesPerFrame(format)`, where P
108    /// must be integral.
109    ///
110    /// For non-PCM encodings, there are no constraints, however individual encodings
111    /// may impose stricter requirements.
112    ///
113    /// Required.
114    pub producer_bytes: Option<u64>,
115    /// The number of bytes allocated to the consumer.
116    ///
117    /// For PCM encodings, `C = consumer_bytes / BytesPerFrame(format)`, where C
118    /// must be integral.
119    ///
120    /// For non-PCM encodings, there are no constraints, however individual encodings
121    /// may impose stricter requirements.
122    ///
123    /// Required.
124    pub consumer_bytes: Option<u64>,
125    /// Reference clock for the ring buffer.
126    ///
127    /// Required.
128    pub reference_clock: Option<fidl::Clock>,
129    /// Domain of `reference_clock`. See `fuchsia.hardware.audio.ClockDomain`.
130    /// TODO(https://fxbug.dev/42066209): If fuchsia.hardware.audio doesn't need to import
131    /// fuchsia.audio, we can use that type directly below.
132    ///
133    /// Optional. If not specified, defaults to `CLOCK_DOMAIN_EXTERNAL`.
134    pub reference_clock_domain: Option<u32>,
135    #[doc(hidden)]
136    pub __source_breaking: fidl::marker::SourceBreaking,
137}
138
139impl fidl::Standalone<fidl::encoding::DefaultFuchsiaResourceDialect> for RingBuffer {}
140
141#[derive(Debug, Default, PartialEq)]
142pub struct StreamSinkPutPacketRequest {
143    /// Describes the packet. This field is required.
144    pub packet: Option<Packet>,
145    /// Eventpair closed when the consumer is done with the packet and the buffer region
146    /// associated with the packet may be reused. Packets may be released in any order. The
147    /// release fence may be duplicated by the service, so it must be sent with right
148    /// `ZX_RIGHT_DUPLICATE`. This field is optional.
149    pub release_fence: Option<fidl::EventPair>,
150    #[doc(hidden)]
151    pub __source_breaking: fidl::marker::SourceBreaking,
152}
153
154impl fidl::Standalone<fidl::encoding::DefaultFuchsiaResourceDialect>
155    for StreamSinkPutPacketRequest
156{
157}
158
159#[derive(Debug, Copy, Clone, Eq, PartialEq, Ord, PartialOrd, Hash)]
160pub struct DelayWatcherMarker;
161
162impl fidl::endpoints::ProtocolMarker for DelayWatcherMarker {
163    type Proxy = DelayWatcherProxy;
164    type RequestStream = DelayWatcherRequestStream;
165    #[cfg(target_os = "fuchsia")]
166    type SynchronousProxy = DelayWatcherSynchronousProxy;
167
168    const DEBUG_NAME: &'static str = "(anonymous) DelayWatcher";
169}
170
171pub trait DelayWatcherProxyInterface: Send + Sync {
172    type WatchDelayResponseFut: std::future::Future<Output = Result<DelayWatcherWatchDelayResponse, fidl::Error>>
173        + Send;
174    fn r#watch_delay(&self, payload: &DelayWatcherWatchDelayRequest)
175        -> Self::WatchDelayResponseFut;
176}
177#[derive(Debug)]
178#[cfg(target_os = "fuchsia")]
179pub struct DelayWatcherSynchronousProxy {
180    client: fidl::client::sync::Client,
181}
182
183#[cfg(target_os = "fuchsia")]
184impl fidl::endpoints::SynchronousProxy for DelayWatcherSynchronousProxy {
185    type Proxy = DelayWatcherProxy;
186    type Protocol = DelayWatcherMarker;
187
188    fn from_channel(inner: fidl::Channel) -> Self {
189        Self::new(inner)
190    }
191
192    fn into_channel(self) -> fidl::Channel {
193        self.client.into_channel()
194    }
195
196    fn as_channel(&self) -> &fidl::Channel {
197        self.client.as_channel()
198    }
199}
200
201#[cfg(target_os = "fuchsia")]
202impl DelayWatcherSynchronousProxy {
203    pub fn new(channel: fidl::Channel) -> Self {
204        let protocol_name = <DelayWatcherMarker as fidl::endpoints::ProtocolMarker>::DEBUG_NAME;
205        Self { client: fidl::client::sync::Client::new(channel, protocol_name) }
206    }
207
208    pub fn into_channel(self) -> fidl::Channel {
209        self.client.into_channel()
210    }
211
212    /// Waits until an event arrives and returns it. It is safe for other
213    /// threads to make concurrent requests while waiting for an event.
214    pub fn wait_for_event(
215        &self,
216        deadline: zx::MonotonicInstant,
217    ) -> Result<DelayWatcherEvent, fidl::Error> {
218        DelayWatcherEvent::decode(self.client.wait_for_event(deadline)?)
219    }
220
221    /// The first call returns immediately with the current delay, if known.
222    /// Subsequent calls block until the delay changes. There can be at most one
223    /// outstanding call, otherwise the channel may be closed.
224    pub fn r#watch_delay(
225        &self,
226        mut payload: &DelayWatcherWatchDelayRequest,
227        ___deadline: zx::MonotonicInstant,
228    ) -> Result<DelayWatcherWatchDelayResponse, fidl::Error> {
229        let _response = self
230            .client
231            .send_query::<DelayWatcherWatchDelayRequest, DelayWatcherWatchDelayResponse>(
232                payload,
233                0x3a90c91ee2f1644c,
234                fidl::encoding::DynamicFlags::empty(),
235                ___deadline,
236            )?;
237        Ok(_response)
238    }
239}
240
241#[cfg(target_os = "fuchsia")]
242impl From<DelayWatcherSynchronousProxy> for zx::Handle {
243    fn from(value: DelayWatcherSynchronousProxy) -> Self {
244        value.into_channel().into()
245    }
246}
247
248#[cfg(target_os = "fuchsia")]
249impl From<fidl::Channel> for DelayWatcherSynchronousProxy {
250    fn from(value: fidl::Channel) -> Self {
251        Self::new(value)
252    }
253}
254
255#[derive(Debug, Clone)]
256pub struct DelayWatcherProxy {
257    client: fidl::client::Client<fidl::encoding::DefaultFuchsiaResourceDialect>,
258}
259
260impl fidl::endpoints::Proxy for DelayWatcherProxy {
261    type Protocol = DelayWatcherMarker;
262
263    fn from_channel(inner: ::fidl::AsyncChannel) -> Self {
264        Self::new(inner)
265    }
266
267    fn into_channel(self) -> Result<::fidl::AsyncChannel, Self> {
268        self.client.into_channel().map_err(|client| Self { client })
269    }
270
271    fn as_channel(&self) -> &::fidl::AsyncChannel {
272        self.client.as_channel()
273    }
274}
275
276impl DelayWatcherProxy {
277    /// Create a new Proxy for fuchsia.audio/DelayWatcher.
278    pub fn new(channel: ::fidl::AsyncChannel) -> Self {
279        let protocol_name = <DelayWatcherMarker as fidl::endpoints::ProtocolMarker>::DEBUG_NAME;
280        Self { client: fidl::client::Client::new(channel, protocol_name) }
281    }
282
283    /// Get a Stream of events from the remote end of the protocol.
284    ///
285    /// # Panics
286    ///
287    /// Panics if the event stream was already taken.
288    pub fn take_event_stream(&self) -> DelayWatcherEventStream {
289        DelayWatcherEventStream { event_receiver: self.client.take_event_receiver() }
290    }
291
292    /// The first call returns immediately with the current delay, if known.
293    /// Subsequent calls block until the delay changes. There can be at most one
294    /// outstanding call, otherwise the channel may be closed.
295    pub fn r#watch_delay(
296        &self,
297        mut payload: &DelayWatcherWatchDelayRequest,
298    ) -> fidl::client::QueryResponseFut<
299        DelayWatcherWatchDelayResponse,
300        fidl::encoding::DefaultFuchsiaResourceDialect,
301    > {
302        DelayWatcherProxyInterface::r#watch_delay(self, payload)
303    }
304}
305
306impl DelayWatcherProxyInterface for DelayWatcherProxy {
307    type WatchDelayResponseFut = fidl::client::QueryResponseFut<
308        DelayWatcherWatchDelayResponse,
309        fidl::encoding::DefaultFuchsiaResourceDialect,
310    >;
311    fn r#watch_delay(
312        &self,
313        mut payload: &DelayWatcherWatchDelayRequest,
314    ) -> Self::WatchDelayResponseFut {
315        fn _decode(
316            mut _buf: Result<<fidl::encoding::DefaultFuchsiaResourceDialect as fidl::encoding::ResourceDialect>::MessageBufEtc, fidl::Error>,
317        ) -> Result<DelayWatcherWatchDelayResponse, fidl::Error> {
318            let _response = fidl::client::decode_transaction_body::<
319                DelayWatcherWatchDelayResponse,
320                fidl::encoding::DefaultFuchsiaResourceDialect,
321                0x3a90c91ee2f1644c,
322            >(_buf?)?;
323            Ok(_response)
324        }
325        self.client
326            .send_query_and_decode::<DelayWatcherWatchDelayRequest, DelayWatcherWatchDelayResponse>(
327                payload,
328                0x3a90c91ee2f1644c,
329                fidl::encoding::DynamicFlags::empty(),
330                _decode,
331            )
332    }
333}
334
335pub struct DelayWatcherEventStream {
336    event_receiver: fidl::client::EventReceiver<fidl::encoding::DefaultFuchsiaResourceDialect>,
337}
338
339impl std::marker::Unpin for DelayWatcherEventStream {}
340
341impl futures::stream::FusedStream for DelayWatcherEventStream {
342    fn is_terminated(&self) -> bool {
343        self.event_receiver.is_terminated()
344    }
345}
346
347impl futures::Stream for DelayWatcherEventStream {
348    type Item = Result<DelayWatcherEvent, fidl::Error>;
349
350    fn poll_next(
351        mut self: std::pin::Pin<&mut Self>,
352        cx: &mut std::task::Context<'_>,
353    ) -> std::task::Poll<Option<Self::Item>> {
354        match futures::ready!(futures::stream::StreamExt::poll_next_unpin(
355            &mut self.event_receiver,
356            cx
357        )?) {
358            Some(buf) => std::task::Poll::Ready(Some(DelayWatcherEvent::decode(buf))),
359            None => std::task::Poll::Ready(None),
360        }
361    }
362}
363
364#[derive(Debug)]
365pub enum DelayWatcherEvent {}
366
367impl DelayWatcherEvent {
368    /// Decodes a message buffer as a [`DelayWatcherEvent`].
369    fn decode(
370        mut buf: <fidl::encoding::DefaultFuchsiaResourceDialect as fidl::encoding::ResourceDialect>::MessageBufEtc,
371    ) -> Result<DelayWatcherEvent, fidl::Error> {
372        let (bytes, _handles) = buf.split_mut();
373        let (tx_header, _body_bytes) = fidl::encoding::decode_transaction_header(bytes)?;
374        debug_assert_eq!(tx_header.tx_id, 0);
375        match tx_header.ordinal {
376            _ => Err(fidl::Error::UnknownOrdinal {
377                ordinal: tx_header.ordinal,
378                protocol_name: <DelayWatcherMarker as fidl::endpoints::ProtocolMarker>::DEBUG_NAME,
379            }),
380        }
381    }
382}
383
384/// A Stream of incoming requests for fuchsia.audio/DelayWatcher.
385pub struct DelayWatcherRequestStream {
386    inner: std::sync::Arc<fidl::ServeInner<fidl::encoding::DefaultFuchsiaResourceDialect>>,
387    is_terminated: bool,
388}
389
390impl std::marker::Unpin for DelayWatcherRequestStream {}
391
392impl futures::stream::FusedStream for DelayWatcherRequestStream {
393    fn is_terminated(&self) -> bool {
394        self.is_terminated
395    }
396}
397
398impl fidl::endpoints::RequestStream for DelayWatcherRequestStream {
399    type Protocol = DelayWatcherMarker;
400    type ControlHandle = DelayWatcherControlHandle;
401
402    fn from_channel(channel: ::fidl::AsyncChannel) -> Self {
403        Self { inner: std::sync::Arc::new(fidl::ServeInner::new(channel)), is_terminated: false }
404    }
405
406    fn control_handle(&self) -> Self::ControlHandle {
407        DelayWatcherControlHandle { inner: self.inner.clone() }
408    }
409
410    fn into_inner(
411        self,
412    ) -> (::std::sync::Arc<fidl::ServeInner<fidl::encoding::DefaultFuchsiaResourceDialect>>, bool)
413    {
414        (self.inner, self.is_terminated)
415    }
416
417    fn from_inner(
418        inner: std::sync::Arc<fidl::ServeInner<fidl::encoding::DefaultFuchsiaResourceDialect>>,
419        is_terminated: bool,
420    ) -> Self {
421        Self { inner, is_terminated }
422    }
423}
424
425impl futures::Stream for DelayWatcherRequestStream {
426    type Item = Result<DelayWatcherRequest, fidl::Error>;
427
428    fn poll_next(
429        mut self: std::pin::Pin<&mut Self>,
430        cx: &mut std::task::Context<'_>,
431    ) -> std::task::Poll<Option<Self::Item>> {
432        let this = &mut *self;
433        if this.inner.check_shutdown(cx) {
434            this.is_terminated = true;
435            return std::task::Poll::Ready(None);
436        }
437        if this.is_terminated {
438            panic!("polled DelayWatcherRequestStream after completion");
439        }
440        fidl::encoding::with_tls_decode_buf::<_, fidl::encoding::DefaultFuchsiaResourceDialect>(
441            |bytes, handles| {
442                match this.inner.channel().read_etc(cx, bytes, handles) {
443                    std::task::Poll::Ready(Ok(())) => {}
444                    std::task::Poll::Pending => return std::task::Poll::Pending,
445                    std::task::Poll::Ready(Err(zx_status::Status::PEER_CLOSED)) => {
446                        this.is_terminated = true;
447                        return std::task::Poll::Ready(None);
448                    }
449                    std::task::Poll::Ready(Err(e)) => {
450                        return std::task::Poll::Ready(Some(Err(fidl::Error::ServerRequestRead(
451                            e.into(),
452                        ))))
453                    }
454                }
455
456                // A message has been received from the channel
457                let (header, _body_bytes) = fidl::encoding::decode_transaction_header(bytes)?;
458
459                std::task::Poll::Ready(Some(match header.ordinal {
460                    0x3a90c91ee2f1644c => {
461                        header.validate_request_tx_id(fidl::MethodType::TwoWay)?;
462                        let mut req = fidl::new_empty!(
463                            DelayWatcherWatchDelayRequest,
464                            fidl::encoding::DefaultFuchsiaResourceDialect
465                        );
466                        fidl::encoding::Decoder::<fidl::encoding::DefaultFuchsiaResourceDialect>::decode_into::<DelayWatcherWatchDelayRequest>(&header, _body_bytes, handles, &mut req)?;
467                        let control_handle =
468                            DelayWatcherControlHandle { inner: this.inner.clone() };
469                        Ok(DelayWatcherRequest::WatchDelay {
470                            payload: req,
471                            responder: DelayWatcherWatchDelayResponder {
472                                control_handle: std::mem::ManuallyDrop::new(control_handle),
473                                tx_id: header.tx_id,
474                            },
475                        })
476                    }
477                    _ => Err(fidl::Error::UnknownOrdinal {
478                        ordinal: header.ordinal,
479                        protocol_name:
480                            <DelayWatcherMarker as fidl::endpoints::ProtocolMarker>::DEBUG_NAME,
481                    }),
482                }))
483            },
484        )
485    }
486}
487
488/// Watches for a delay to change.
489#[derive(Debug)]
490pub enum DelayWatcherRequest {
491    /// The first call returns immediately with the current delay, if known.
492    /// Subsequent calls block until the delay changes. There can be at most one
493    /// outstanding call, otherwise the channel may be closed.
494    WatchDelay {
495        payload: DelayWatcherWatchDelayRequest,
496        responder: DelayWatcherWatchDelayResponder,
497    },
498}
499
500impl DelayWatcherRequest {
501    #[allow(irrefutable_let_patterns)]
502    pub fn into_watch_delay(
503        self,
504    ) -> Option<(DelayWatcherWatchDelayRequest, DelayWatcherWatchDelayResponder)> {
505        if let DelayWatcherRequest::WatchDelay { payload, responder } = self {
506            Some((payload, responder))
507        } else {
508            None
509        }
510    }
511
512    /// Name of the method defined in FIDL
513    pub fn method_name(&self) -> &'static str {
514        match *self {
515            DelayWatcherRequest::WatchDelay { .. } => "watch_delay",
516        }
517    }
518}
519
520#[derive(Debug, Clone)]
521pub struct DelayWatcherControlHandle {
522    inner: std::sync::Arc<fidl::ServeInner<fidl::encoding::DefaultFuchsiaResourceDialect>>,
523}
524
525impl fidl::endpoints::ControlHandle for DelayWatcherControlHandle {
526    fn shutdown(&self) {
527        self.inner.shutdown()
528    }
529    fn shutdown_with_epitaph(&self, status: zx_status::Status) {
530        self.inner.shutdown_with_epitaph(status)
531    }
532
533    fn is_closed(&self) -> bool {
534        self.inner.channel().is_closed()
535    }
536    fn on_closed(&self) -> fidl::OnSignalsRef<'_> {
537        self.inner.channel().on_closed()
538    }
539
540    #[cfg(target_os = "fuchsia")]
541    fn signal_peer(
542        &self,
543        clear_mask: zx::Signals,
544        set_mask: zx::Signals,
545    ) -> Result<(), zx_status::Status> {
546        use fidl::Peered;
547        self.inner.channel().signal_peer(clear_mask, set_mask)
548    }
549}
550
551impl DelayWatcherControlHandle {}
552
553#[must_use = "FIDL methods require a response to be sent"]
554#[derive(Debug)]
555pub struct DelayWatcherWatchDelayResponder {
556    control_handle: std::mem::ManuallyDrop<DelayWatcherControlHandle>,
557    tx_id: u32,
558}
559
560/// Set the the channel to be shutdown (see [`DelayWatcherControlHandle::shutdown`])
561/// if the responder is dropped without sending a response, so that the client
562/// doesn't hang. To prevent this behavior, call `drop_without_shutdown`.
563impl std::ops::Drop for DelayWatcherWatchDelayResponder {
564    fn drop(&mut self) {
565        self.control_handle.shutdown();
566        // Safety: drops once, never accessed again
567        unsafe { std::mem::ManuallyDrop::drop(&mut self.control_handle) };
568    }
569}
570
571impl fidl::endpoints::Responder for DelayWatcherWatchDelayResponder {
572    type ControlHandle = DelayWatcherControlHandle;
573
574    fn control_handle(&self) -> &DelayWatcherControlHandle {
575        &self.control_handle
576    }
577
578    fn drop_without_shutdown(mut self) {
579        // Safety: drops once, never accessed again due to mem::forget
580        unsafe { std::mem::ManuallyDrop::drop(&mut self.control_handle) };
581        // Prevent Drop from running (which would shut down the channel)
582        std::mem::forget(self);
583    }
584}
585
586impl DelayWatcherWatchDelayResponder {
587    /// Sends a response to the FIDL transaction.
588    ///
589    /// Sets the channel to shutdown if an error occurs.
590    pub fn send(self, mut payload: &DelayWatcherWatchDelayResponse) -> Result<(), fidl::Error> {
591        let _result = self.send_raw(payload);
592        if _result.is_err() {
593            self.control_handle.shutdown();
594        }
595        self.drop_without_shutdown();
596        _result
597    }
598
599    /// Similar to "send" but does not shutdown the channel if an error occurs.
600    pub fn send_no_shutdown_on_err(
601        self,
602        mut payload: &DelayWatcherWatchDelayResponse,
603    ) -> Result<(), fidl::Error> {
604        let _result = self.send_raw(payload);
605        self.drop_without_shutdown();
606        _result
607    }
608
609    fn send_raw(&self, mut payload: &DelayWatcherWatchDelayResponse) -> Result<(), fidl::Error> {
610        self.control_handle.inner.send::<DelayWatcherWatchDelayResponse>(
611            payload,
612            self.tx_id,
613            0x3a90c91ee2f1644c,
614            fidl::encoding::DynamicFlags::empty(),
615        )
616    }
617}
618
619#[derive(Debug, Copy, Clone, Eq, PartialEq, Ord, PartialOrd, Hash)]
620pub struct GainControlMarker;
621
622impl fidl::endpoints::ProtocolMarker for GainControlMarker {
623    type Proxy = GainControlProxy;
624    type RequestStream = GainControlRequestStream;
625    #[cfg(target_os = "fuchsia")]
626    type SynchronousProxy = GainControlSynchronousProxy;
627
628    const DEBUG_NAME: &'static str = "(anonymous) GainControl";
629}
630pub type GainControlSetGainResult = Result<GainControlSetGainResponse, GainError>;
631pub type GainControlSetMuteResult = Result<GainControlSetMuteResponse, GainError>;
632
633pub trait GainControlProxyInterface: Send + Sync {
634    type SetGainResponseFut: std::future::Future<Output = Result<GainControlSetGainResult, fidl::Error>>
635        + Send;
636    fn r#set_gain(&self, payload: &GainControlSetGainRequest) -> Self::SetGainResponseFut;
637    type SetMuteResponseFut: std::future::Future<Output = Result<GainControlSetMuteResult, fidl::Error>>
638        + Send;
639    fn r#set_mute(&self, payload: &GainControlSetMuteRequest) -> Self::SetMuteResponseFut;
640}
641#[derive(Debug)]
642#[cfg(target_os = "fuchsia")]
643pub struct GainControlSynchronousProxy {
644    client: fidl::client::sync::Client,
645}
646
647#[cfg(target_os = "fuchsia")]
648impl fidl::endpoints::SynchronousProxy for GainControlSynchronousProxy {
649    type Proxy = GainControlProxy;
650    type Protocol = GainControlMarker;
651
652    fn from_channel(inner: fidl::Channel) -> Self {
653        Self::new(inner)
654    }
655
656    fn into_channel(self) -> fidl::Channel {
657        self.client.into_channel()
658    }
659
660    fn as_channel(&self) -> &fidl::Channel {
661        self.client.as_channel()
662    }
663}
664
665#[cfg(target_os = "fuchsia")]
666impl GainControlSynchronousProxy {
667    pub fn new(channel: fidl::Channel) -> Self {
668        let protocol_name = <GainControlMarker as fidl::endpoints::ProtocolMarker>::DEBUG_NAME;
669        Self { client: fidl::client::sync::Client::new(channel, protocol_name) }
670    }
671
672    pub fn into_channel(self) -> fidl::Channel {
673        self.client.into_channel()
674    }
675
676    /// Waits until an event arrives and returns it. It is safe for other
677    /// threads to make concurrent requests while waiting for an event.
678    pub fn wait_for_event(
679        &self,
680        deadline: zx::MonotonicInstant,
681    ) -> Result<GainControlEvent, fidl::Error> {
682        GainControlEvent::decode(self.client.wait_for_event(deadline)?)
683    }
684
685    /// Sets the gain knob.
686    pub fn r#set_gain(
687        &self,
688        mut payload: &GainControlSetGainRequest,
689        ___deadline: zx::MonotonicInstant,
690    ) -> Result<GainControlSetGainResult, fidl::Error> {
691        let _response = self.client.send_query::<
692            GainControlSetGainRequest,
693            fidl::encoding::ResultType<GainControlSetGainResponse, GainError>,
694        >(
695            payload,
696            0x6ece305e4a5823dc,
697            fidl::encoding::DynamicFlags::empty(),
698            ___deadline,
699        )?;
700        Ok(_response.map(|x| x))
701    }
702
703    /// Set the mute knob.
704    pub fn r#set_mute(
705        &self,
706        mut payload: &GainControlSetMuteRequest,
707        ___deadline: zx::MonotonicInstant,
708    ) -> Result<GainControlSetMuteResult, fidl::Error> {
709        let _response = self.client.send_query::<
710            GainControlSetMuteRequest,
711            fidl::encoding::ResultType<GainControlSetMuteResponse, GainError>,
712        >(
713            payload,
714            0xed03d88ce4f8965,
715            fidl::encoding::DynamicFlags::empty(),
716            ___deadline,
717        )?;
718        Ok(_response.map(|x| x))
719    }
720}
721
722#[cfg(target_os = "fuchsia")]
723impl From<GainControlSynchronousProxy> for zx::Handle {
724    fn from(value: GainControlSynchronousProxy) -> Self {
725        value.into_channel().into()
726    }
727}
728
729#[cfg(target_os = "fuchsia")]
730impl From<fidl::Channel> for GainControlSynchronousProxy {
731    fn from(value: fidl::Channel) -> Self {
732        Self::new(value)
733    }
734}
735
736#[derive(Debug, Clone)]
737pub struct GainControlProxy {
738    client: fidl::client::Client<fidl::encoding::DefaultFuchsiaResourceDialect>,
739}
740
741impl fidl::endpoints::Proxy for GainControlProxy {
742    type Protocol = GainControlMarker;
743
744    fn from_channel(inner: ::fidl::AsyncChannel) -> Self {
745        Self::new(inner)
746    }
747
748    fn into_channel(self) -> Result<::fidl::AsyncChannel, Self> {
749        self.client.into_channel().map_err(|client| Self { client })
750    }
751
752    fn as_channel(&self) -> &::fidl::AsyncChannel {
753        self.client.as_channel()
754    }
755}
756
757impl GainControlProxy {
758    /// Create a new Proxy for fuchsia.audio/GainControl.
759    pub fn new(channel: ::fidl::AsyncChannel) -> Self {
760        let protocol_name = <GainControlMarker as fidl::endpoints::ProtocolMarker>::DEBUG_NAME;
761        Self { client: fidl::client::Client::new(channel, protocol_name) }
762    }
763
764    /// Get a Stream of events from the remote end of the protocol.
765    ///
766    /// # Panics
767    ///
768    /// Panics if the event stream was already taken.
769    pub fn take_event_stream(&self) -> GainControlEventStream {
770        GainControlEventStream { event_receiver: self.client.take_event_receiver() }
771    }
772
773    /// Sets the gain knob.
774    pub fn r#set_gain(
775        &self,
776        mut payload: &GainControlSetGainRequest,
777    ) -> fidl::client::QueryResponseFut<
778        GainControlSetGainResult,
779        fidl::encoding::DefaultFuchsiaResourceDialect,
780    > {
781        GainControlProxyInterface::r#set_gain(self, payload)
782    }
783
784    /// Set the mute knob.
785    pub fn r#set_mute(
786        &self,
787        mut payload: &GainControlSetMuteRequest,
788    ) -> fidl::client::QueryResponseFut<
789        GainControlSetMuteResult,
790        fidl::encoding::DefaultFuchsiaResourceDialect,
791    > {
792        GainControlProxyInterface::r#set_mute(self, payload)
793    }
794}
795
796impl GainControlProxyInterface for GainControlProxy {
797    type SetGainResponseFut = fidl::client::QueryResponseFut<
798        GainControlSetGainResult,
799        fidl::encoding::DefaultFuchsiaResourceDialect,
800    >;
801    fn r#set_gain(&self, mut payload: &GainControlSetGainRequest) -> Self::SetGainResponseFut {
802        fn _decode(
803            mut _buf: Result<<fidl::encoding::DefaultFuchsiaResourceDialect as fidl::encoding::ResourceDialect>::MessageBufEtc, fidl::Error>,
804        ) -> Result<GainControlSetGainResult, fidl::Error> {
805            let _response = fidl::client::decode_transaction_body::<
806                fidl::encoding::ResultType<GainControlSetGainResponse, GainError>,
807                fidl::encoding::DefaultFuchsiaResourceDialect,
808                0x6ece305e4a5823dc,
809            >(_buf?)?;
810            Ok(_response.map(|x| x))
811        }
812        self.client.send_query_and_decode::<GainControlSetGainRequest, GainControlSetGainResult>(
813            payload,
814            0x6ece305e4a5823dc,
815            fidl::encoding::DynamicFlags::empty(),
816            _decode,
817        )
818    }
819
820    type SetMuteResponseFut = fidl::client::QueryResponseFut<
821        GainControlSetMuteResult,
822        fidl::encoding::DefaultFuchsiaResourceDialect,
823    >;
824    fn r#set_mute(&self, mut payload: &GainControlSetMuteRequest) -> Self::SetMuteResponseFut {
825        fn _decode(
826            mut _buf: Result<<fidl::encoding::DefaultFuchsiaResourceDialect as fidl::encoding::ResourceDialect>::MessageBufEtc, fidl::Error>,
827        ) -> Result<GainControlSetMuteResult, fidl::Error> {
828            let _response = fidl::client::decode_transaction_body::<
829                fidl::encoding::ResultType<GainControlSetMuteResponse, GainError>,
830                fidl::encoding::DefaultFuchsiaResourceDialect,
831                0xed03d88ce4f8965,
832            >(_buf?)?;
833            Ok(_response.map(|x| x))
834        }
835        self.client.send_query_and_decode::<GainControlSetMuteRequest, GainControlSetMuteResult>(
836            payload,
837            0xed03d88ce4f8965,
838            fidl::encoding::DynamicFlags::empty(),
839            _decode,
840        )
841    }
842}
843
844pub struct GainControlEventStream {
845    event_receiver: fidl::client::EventReceiver<fidl::encoding::DefaultFuchsiaResourceDialect>,
846}
847
848impl std::marker::Unpin for GainControlEventStream {}
849
850impl futures::stream::FusedStream for GainControlEventStream {
851    fn is_terminated(&self) -> bool {
852        self.event_receiver.is_terminated()
853    }
854}
855
856impl futures::Stream for GainControlEventStream {
857    type Item = Result<GainControlEvent, fidl::Error>;
858
859    fn poll_next(
860        mut self: std::pin::Pin<&mut Self>,
861        cx: &mut std::task::Context<'_>,
862    ) -> std::task::Poll<Option<Self::Item>> {
863        match futures::ready!(futures::stream::StreamExt::poll_next_unpin(
864            &mut self.event_receiver,
865            cx
866        )?) {
867            Some(buf) => std::task::Poll::Ready(Some(GainControlEvent::decode(buf))),
868            None => std::task::Poll::Ready(None),
869        }
870    }
871}
872
873#[derive(Debug)]
874pub enum GainControlEvent {}
875
876impl GainControlEvent {
877    /// Decodes a message buffer as a [`GainControlEvent`].
878    fn decode(
879        mut buf: <fidl::encoding::DefaultFuchsiaResourceDialect as fidl::encoding::ResourceDialect>::MessageBufEtc,
880    ) -> Result<GainControlEvent, fidl::Error> {
881        let (bytes, _handles) = buf.split_mut();
882        let (tx_header, _body_bytes) = fidl::encoding::decode_transaction_header(bytes)?;
883        debug_assert_eq!(tx_header.tx_id, 0);
884        match tx_header.ordinal {
885            _ => Err(fidl::Error::UnknownOrdinal {
886                ordinal: tx_header.ordinal,
887                protocol_name: <GainControlMarker as fidl::endpoints::ProtocolMarker>::DEBUG_NAME,
888            }),
889        }
890    }
891}
892
893/// A Stream of incoming requests for fuchsia.audio/GainControl.
894pub struct GainControlRequestStream {
895    inner: std::sync::Arc<fidl::ServeInner<fidl::encoding::DefaultFuchsiaResourceDialect>>,
896    is_terminated: bool,
897}
898
899impl std::marker::Unpin for GainControlRequestStream {}
900
901impl futures::stream::FusedStream for GainControlRequestStream {
902    fn is_terminated(&self) -> bool {
903        self.is_terminated
904    }
905}
906
907impl fidl::endpoints::RequestStream for GainControlRequestStream {
908    type Protocol = GainControlMarker;
909    type ControlHandle = GainControlControlHandle;
910
911    fn from_channel(channel: ::fidl::AsyncChannel) -> Self {
912        Self { inner: std::sync::Arc::new(fidl::ServeInner::new(channel)), is_terminated: false }
913    }
914
915    fn control_handle(&self) -> Self::ControlHandle {
916        GainControlControlHandle { inner: self.inner.clone() }
917    }
918
919    fn into_inner(
920        self,
921    ) -> (::std::sync::Arc<fidl::ServeInner<fidl::encoding::DefaultFuchsiaResourceDialect>>, bool)
922    {
923        (self.inner, self.is_terminated)
924    }
925
926    fn from_inner(
927        inner: std::sync::Arc<fidl::ServeInner<fidl::encoding::DefaultFuchsiaResourceDialect>>,
928        is_terminated: bool,
929    ) -> Self {
930        Self { inner, is_terminated }
931    }
932}
933
934impl futures::Stream for GainControlRequestStream {
935    type Item = Result<GainControlRequest, fidl::Error>;
936
937    fn poll_next(
938        mut self: std::pin::Pin<&mut Self>,
939        cx: &mut std::task::Context<'_>,
940    ) -> std::task::Poll<Option<Self::Item>> {
941        let this = &mut *self;
942        if this.inner.check_shutdown(cx) {
943            this.is_terminated = true;
944            return std::task::Poll::Ready(None);
945        }
946        if this.is_terminated {
947            panic!("polled GainControlRequestStream after completion");
948        }
949        fidl::encoding::with_tls_decode_buf::<_, fidl::encoding::DefaultFuchsiaResourceDialect>(
950            |bytes, handles| {
951                match this.inner.channel().read_etc(cx, bytes, handles) {
952                    std::task::Poll::Ready(Ok(())) => {}
953                    std::task::Poll::Pending => return std::task::Poll::Pending,
954                    std::task::Poll::Ready(Err(zx_status::Status::PEER_CLOSED)) => {
955                        this.is_terminated = true;
956                        return std::task::Poll::Ready(None);
957                    }
958                    std::task::Poll::Ready(Err(e)) => {
959                        return std::task::Poll::Ready(Some(Err(fidl::Error::ServerRequestRead(
960                            e.into(),
961                        ))))
962                    }
963                }
964
965                // A message has been received from the channel
966                let (header, _body_bytes) = fidl::encoding::decode_transaction_header(bytes)?;
967
968                std::task::Poll::Ready(Some(match header.ordinal {
969                    0x6ece305e4a5823dc => {
970                        header.validate_request_tx_id(fidl::MethodType::TwoWay)?;
971                        let mut req = fidl::new_empty!(
972                            GainControlSetGainRequest,
973                            fidl::encoding::DefaultFuchsiaResourceDialect
974                        );
975                        fidl::encoding::Decoder::<fidl::encoding::DefaultFuchsiaResourceDialect>::decode_into::<GainControlSetGainRequest>(&header, _body_bytes, handles, &mut req)?;
976                        let control_handle = GainControlControlHandle { inner: this.inner.clone() };
977                        Ok(GainControlRequest::SetGain {
978                            payload: req,
979                            responder: GainControlSetGainResponder {
980                                control_handle: std::mem::ManuallyDrop::new(control_handle),
981                                tx_id: header.tx_id,
982                            },
983                        })
984                    }
985                    0xed03d88ce4f8965 => {
986                        header.validate_request_tx_id(fidl::MethodType::TwoWay)?;
987                        let mut req = fidl::new_empty!(
988                            GainControlSetMuteRequest,
989                            fidl::encoding::DefaultFuchsiaResourceDialect
990                        );
991                        fidl::encoding::Decoder::<fidl::encoding::DefaultFuchsiaResourceDialect>::decode_into::<GainControlSetMuteRequest>(&header, _body_bytes, handles, &mut req)?;
992                        let control_handle = GainControlControlHandle { inner: this.inner.clone() };
993                        Ok(GainControlRequest::SetMute {
994                            payload: req,
995                            responder: GainControlSetMuteResponder {
996                                control_handle: std::mem::ManuallyDrop::new(control_handle),
997                                tx_id: header.tx_id,
998                            },
999                        })
1000                    }
1001                    _ => Err(fidl::Error::UnknownOrdinal {
1002                        ordinal: header.ordinal,
1003                        protocol_name:
1004                            <GainControlMarker as fidl::endpoints::ProtocolMarker>::DEBUG_NAME,
1005                    }),
1006                }))
1007            },
1008        )
1009    }
1010}
1011
1012/// Enables control and monitoring of audio gain. This interface is typically a
1013/// tear-off of other interfaces.
1014///
1015/// ## Knobs
1016///
1017/// This interface exposes two orthogonal knobs:
1018///
1019/// * The *gain* knob controls a single value in "relative decibels". A value of
1020///   0 applies no gain, positive values increase gain, and negative values
1021///   decrease gain. Depending on context, gain may be applied relative to an
1022///   input stream or relative to some absolute reference point, such as the
1023///   maximum loudness of a speaker.
1024///
1025///   This knob has no defined maximum or minimum value. Individual
1026///   implementations may clamp to an implementation-defined maximum value or
1027///   treat all values below an implementation-defined minimum value equivalent
1028///   to "muted", but this behavior is not required.
1029///
1030/// * The *mute* knob controls a single boolean value. When `true`, the
1031///   GainControl is muted and the effective gain is negative infinity. When
1032///   `false`, gain is controlled by the *gain* knob.
1033///
1034/// ## Scheduling
1035///
1036/// Changes to the *gain* and *mute* knobs can be scheduled for a time in the
1037/// future. Scheduling happens on timestamps relative to a reference clock which
1038/// must be established when this protocol is created.
1039///
1040/// TODO(https://fxbug.dev/42176154): scheduling semantics are subject to change
1041#[derive(Debug)]
1042pub enum GainControlRequest {
1043    /// Sets the gain knob.
1044    SetGain { payload: GainControlSetGainRequest, responder: GainControlSetGainResponder },
1045    /// Set the mute knob.
1046    SetMute { payload: GainControlSetMuteRequest, responder: GainControlSetMuteResponder },
1047}
1048
1049impl GainControlRequest {
1050    #[allow(irrefutable_let_patterns)]
1051    pub fn into_set_gain(self) -> Option<(GainControlSetGainRequest, GainControlSetGainResponder)> {
1052        if let GainControlRequest::SetGain { payload, responder } = self {
1053            Some((payload, responder))
1054        } else {
1055            None
1056        }
1057    }
1058
1059    #[allow(irrefutable_let_patterns)]
1060    pub fn into_set_mute(self) -> Option<(GainControlSetMuteRequest, GainControlSetMuteResponder)> {
1061        if let GainControlRequest::SetMute { payload, responder } = self {
1062            Some((payload, responder))
1063        } else {
1064            None
1065        }
1066    }
1067
1068    /// Name of the method defined in FIDL
1069    pub fn method_name(&self) -> &'static str {
1070        match *self {
1071            GainControlRequest::SetGain { .. } => "set_gain",
1072            GainControlRequest::SetMute { .. } => "set_mute",
1073        }
1074    }
1075}
1076
1077#[derive(Debug, Clone)]
1078pub struct GainControlControlHandle {
1079    inner: std::sync::Arc<fidl::ServeInner<fidl::encoding::DefaultFuchsiaResourceDialect>>,
1080}
1081
1082impl fidl::endpoints::ControlHandle for GainControlControlHandle {
1083    fn shutdown(&self) {
1084        self.inner.shutdown()
1085    }
1086    fn shutdown_with_epitaph(&self, status: zx_status::Status) {
1087        self.inner.shutdown_with_epitaph(status)
1088    }
1089
1090    fn is_closed(&self) -> bool {
1091        self.inner.channel().is_closed()
1092    }
1093    fn on_closed(&self) -> fidl::OnSignalsRef<'_> {
1094        self.inner.channel().on_closed()
1095    }
1096
1097    #[cfg(target_os = "fuchsia")]
1098    fn signal_peer(
1099        &self,
1100        clear_mask: zx::Signals,
1101        set_mask: zx::Signals,
1102    ) -> Result<(), zx_status::Status> {
1103        use fidl::Peered;
1104        self.inner.channel().signal_peer(clear_mask, set_mask)
1105    }
1106}
1107
1108impl GainControlControlHandle {}
1109
1110#[must_use = "FIDL methods require a response to be sent"]
1111#[derive(Debug)]
1112pub struct GainControlSetGainResponder {
1113    control_handle: std::mem::ManuallyDrop<GainControlControlHandle>,
1114    tx_id: u32,
1115}
1116
1117/// Set the the channel to be shutdown (see [`GainControlControlHandle::shutdown`])
1118/// if the responder is dropped without sending a response, so that the client
1119/// doesn't hang. To prevent this behavior, call `drop_without_shutdown`.
1120impl std::ops::Drop for GainControlSetGainResponder {
1121    fn drop(&mut self) {
1122        self.control_handle.shutdown();
1123        // Safety: drops once, never accessed again
1124        unsafe { std::mem::ManuallyDrop::drop(&mut self.control_handle) };
1125    }
1126}
1127
1128impl fidl::endpoints::Responder for GainControlSetGainResponder {
1129    type ControlHandle = GainControlControlHandle;
1130
1131    fn control_handle(&self) -> &GainControlControlHandle {
1132        &self.control_handle
1133    }
1134
1135    fn drop_without_shutdown(mut self) {
1136        // Safety: drops once, never accessed again due to mem::forget
1137        unsafe { std::mem::ManuallyDrop::drop(&mut self.control_handle) };
1138        // Prevent Drop from running (which would shut down the channel)
1139        std::mem::forget(self);
1140    }
1141}
1142
1143impl GainControlSetGainResponder {
1144    /// Sends a response to the FIDL transaction.
1145    ///
1146    /// Sets the channel to shutdown if an error occurs.
1147    pub fn send(
1148        self,
1149        mut result: Result<&GainControlSetGainResponse, GainError>,
1150    ) -> Result<(), fidl::Error> {
1151        let _result = self.send_raw(result);
1152        if _result.is_err() {
1153            self.control_handle.shutdown();
1154        }
1155        self.drop_without_shutdown();
1156        _result
1157    }
1158
1159    /// Similar to "send" but does not shutdown the channel if an error occurs.
1160    pub fn send_no_shutdown_on_err(
1161        self,
1162        mut result: Result<&GainControlSetGainResponse, GainError>,
1163    ) -> Result<(), fidl::Error> {
1164        let _result = self.send_raw(result);
1165        self.drop_without_shutdown();
1166        _result
1167    }
1168
1169    fn send_raw(
1170        &self,
1171        mut result: Result<&GainControlSetGainResponse, GainError>,
1172    ) -> Result<(), fidl::Error> {
1173        self.control_handle
1174            .inner
1175            .send::<fidl::encoding::ResultType<GainControlSetGainResponse, GainError>>(
1176                result,
1177                self.tx_id,
1178                0x6ece305e4a5823dc,
1179                fidl::encoding::DynamicFlags::empty(),
1180            )
1181    }
1182}
1183
1184#[must_use = "FIDL methods require a response to be sent"]
1185#[derive(Debug)]
1186pub struct GainControlSetMuteResponder {
1187    control_handle: std::mem::ManuallyDrop<GainControlControlHandle>,
1188    tx_id: u32,
1189}
1190
1191/// Set the the channel to be shutdown (see [`GainControlControlHandle::shutdown`])
1192/// if the responder is dropped without sending a response, so that the client
1193/// doesn't hang. To prevent this behavior, call `drop_without_shutdown`.
1194impl std::ops::Drop for GainControlSetMuteResponder {
1195    fn drop(&mut self) {
1196        self.control_handle.shutdown();
1197        // Safety: drops once, never accessed again
1198        unsafe { std::mem::ManuallyDrop::drop(&mut self.control_handle) };
1199    }
1200}
1201
1202impl fidl::endpoints::Responder for GainControlSetMuteResponder {
1203    type ControlHandle = GainControlControlHandle;
1204
1205    fn control_handle(&self) -> &GainControlControlHandle {
1206        &self.control_handle
1207    }
1208
1209    fn drop_without_shutdown(mut self) {
1210        // Safety: drops once, never accessed again due to mem::forget
1211        unsafe { std::mem::ManuallyDrop::drop(&mut self.control_handle) };
1212        // Prevent Drop from running (which would shut down the channel)
1213        std::mem::forget(self);
1214    }
1215}
1216
1217impl GainControlSetMuteResponder {
1218    /// Sends a response to the FIDL transaction.
1219    ///
1220    /// Sets the channel to shutdown if an error occurs.
1221    pub fn send(
1222        self,
1223        mut result: Result<&GainControlSetMuteResponse, GainError>,
1224    ) -> Result<(), fidl::Error> {
1225        let _result = self.send_raw(result);
1226        if _result.is_err() {
1227            self.control_handle.shutdown();
1228        }
1229        self.drop_without_shutdown();
1230        _result
1231    }
1232
1233    /// Similar to "send" but does not shutdown the channel if an error occurs.
1234    pub fn send_no_shutdown_on_err(
1235        self,
1236        mut result: Result<&GainControlSetMuteResponse, GainError>,
1237    ) -> Result<(), fidl::Error> {
1238        let _result = self.send_raw(result);
1239        self.drop_without_shutdown();
1240        _result
1241    }
1242
1243    fn send_raw(
1244        &self,
1245        mut result: Result<&GainControlSetMuteResponse, GainError>,
1246    ) -> Result<(), fidl::Error> {
1247        self.control_handle
1248            .inner
1249            .send::<fidl::encoding::ResultType<GainControlSetMuteResponse, GainError>>(
1250                result,
1251                self.tx_id,
1252                0xed03d88ce4f8965,
1253                fidl::encoding::DynamicFlags::empty(),
1254            )
1255    }
1256}
1257
1258#[derive(Debug, Copy, Clone, Eq, PartialEq, Ord, PartialOrd, Hash)]
1259pub struct StreamSinkMarker;
1260
1261impl fidl::endpoints::ProtocolMarker for StreamSinkMarker {
1262    type Proxy = StreamSinkProxy;
1263    type RequestStream = StreamSinkRequestStream;
1264    #[cfg(target_os = "fuchsia")]
1265    type SynchronousProxy = StreamSinkSynchronousProxy;
1266
1267    const DEBUG_NAME: &'static str = "(anonymous) StreamSink";
1268}
1269
1270pub trait StreamSinkProxyInterface: Send + Sync {
1271    fn r#put_packet(&self, payload: StreamSinkPutPacketRequest) -> Result<(), fidl::Error>;
1272    fn r#start_segment(&self, payload: &StreamSinkStartSegmentRequest) -> Result<(), fidl::Error>;
1273    fn r#end(&self) -> Result<(), fidl::Error>;
1274    fn r#will_close(&self, payload: &StreamSinkWillCloseRequest) -> Result<(), fidl::Error>;
1275}
1276#[derive(Debug)]
1277#[cfg(target_os = "fuchsia")]
1278pub struct StreamSinkSynchronousProxy {
1279    client: fidl::client::sync::Client,
1280}
1281
1282#[cfg(target_os = "fuchsia")]
1283impl fidl::endpoints::SynchronousProxy for StreamSinkSynchronousProxy {
1284    type Proxy = StreamSinkProxy;
1285    type Protocol = StreamSinkMarker;
1286
1287    fn from_channel(inner: fidl::Channel) -> Self {
1288        Self::new(inner)
1289    }
1290
1291    fn into_channel(self) -> fidl::Channel {
1292        self.client.into_channel()
1293    }
1294
1295    fn as_channel(&self) -> &fidl::Channel {
1296        self.client.as_channel()
1297    }
1298}
1299
1300#[cfg(target_os = "fuchsia")]
1301impl StreamSinkSynchronousProxy {
1302    pub fn new(channel: fidl::Channel) -> Self {
1303        let protocol_name = <StreamSinkMarker as fidl::endpoints::ProtocolMarker>::DEBUG_NAME;
1304        Self { client: fidl::client::sync::Client::new(channel, protocol_name) }
1305    }
1306
1307    pub fn into_channel(self) -> fidl::Channel {
1308        self.client.into_channel()
1309    }
1310
1311    /// Waits until an event arrives and returns it. It is safe for other
1312    /// threads to make concurrent requests while waiting for an event.
1313    pub fn wait_for_event(
1314        &self,
1315        deadline: zx::MonotonicInstant,
1316    ) -> Result<StreamSinkEvent, fidl::Error> {
1317        StreamSinkEvent::decode(self.client.wait_for_event(deadline)?)
1318    }
1319
1320    /// Puts a packet to the sink.
1321    pub fn r#put_packet(&self, mut payload: StreamSinkPutPacketRequest) -> Result<(), fidl::Error> {
1322        self.client.send::<StreamSinkPutPacketRequest>(
1323            &mut payload,
1324            0x558d757afd726899,
1325            fidl::encoding::DynamicFlags::empty(),
1326        )
1327    }
1328
1329    /// Starts a new segment. Packets following this request and preceding the next such request
1330    /// are assigned to the segment.
1331    pub fn r#start_segment(
1332        &self,
1333        mut payload: &StreamSinkStartSegmentRequest,
1334    ) -> Result<(), fidl::Error> {
1335        self.client.send::<StreamSinkStartSegmentRequest>(
1336            payload,
1337            0x6dd9bc66aa9f715f,
1338            fidl::encoding::DynamicFlags::empty(),
1339        )
1340    }
1341
1342    /// Indicates that the end of the stream has been reached. Consumers such as audio renderers
1343    /// signal their clients when the last packet before end-of-stream has been rendered, so the
1344    /// client knows when to, for example, change the UI state of a player to let the user know the
1345    /// content is done playing. This method is logically scoped to the current segment. A
1346    /// `SetSegment` request and (typically) more packets may follow this request.
1347    pub fn r#end(&self) -> Result<(), fidl::Error> {
1348        self.client.send::<fidl::encoding::EmptyPayload>(
1349            (),
1350            0x1a3a528e83b32f6e,
1351            fidl::encoding::DynamicFlags::empty(),
1352        )
1353    }
1354
1355    /// Sent immediately before the producer closes to indicate why the producer is closing the
1356    /// connection. After sending this request, the producer must refrain from sending any more
1357    /// messages and close the connection promptly.
1358    pub fn r#will_close(
1359        &self,
1360        mut payload: &StreamSinkWillCloseRequest,
1361    ) -> Result<(), fidl::Error> {
1362        self.client.send::<StreamSinkWillCloseRequest>(
1363            payload,
1364            0x6303ee33dbb0fd11,
1365            fidl::encoding::DynamicFlags::empty(),
1366        )
1367    }
1368}
1369
1370#[cfg(target_os = "fuchsia")]
1371impl From<StreamSinkSynchronousProxy> for zx::Handle {
1372    fn from(value: StreamSinkSynchronousProxy) -> Self {
1373        value.into_channel().into()
1374    }
1375}
1376
1377#[cfg(target_os = "fuchsia")]
1378impl From<fidl::Channel> for StreamSinkSynchronousProxy {
1379    fn from(value: fidl::Channel) -> Self {
1380        Self::new(value)
1381    }
1382}
1383
1384#[derive(Debug, Clone)]
1385pub struct StreamSinkProxy {
1386    client: fidl::client::Client<fidl::encoding::DefaultFuchsiaResourceDialect>,
1387}
1388
1389impl fidl::endpoints::Proxy for StreamSinkProxy {
1390    type Protocol = StreamSinkMarker;
1391
1392    fn from_channel(inner: ::fidl::AsyncChannel) -> Self {
1393        Self::new(inner)
1394    }
1395
1396    fn into_channel(self) -> Result<::fidl::AsyncChannel, Self> {
1397        self.client.into_channel().map_err(|client| Self { client })
1398    }
1399
1400    fn as_channel(&self) -> &::fidl::AsyncChannel {
1401        self.client.as_channel()
1402    }
1403}
1404
1405impl StreamSinkProxy {
1406    /// Create a new Proxy for fuchsia.audio/StreamSink.
1407    pub fn new(channel: ::fidl::AsyncChannel) -> Self {
1408        let protocol_name = <StreamSinkMarker as fidl::endpoints::ProtocolMarker>::DEBUG_NAME;
1409        Self { client: fidl::client::Client::new(channel, protocol_name) }
1410    }
1411
1412    /// Get a Stream of events from the remote end of the protocol.
1413    ///
1414    /// # Panics
1415    ///
1416    /// Panics if the event stream was already taken.
1417    pub fn take_event_stream(&self) -> StreamSinkEventStream {
1418        StreamSinkEventStream { event_receiver: self.client.take_event_receiver() }
1419    }
1420
1421    /// Puts a packet to the sink.
1422    pub fn r#put_packet(&self, mut payload: StreamSinkPutPacketRequest) -> Result<(), fidl::Error> {
1423        StreamSinkProxyInterface::r#put_packet(self, payload)
1424    }
1425
1426    /// Starts a new segment. Packets following this request and preceding the next such request
1427    /// are assigned to the segment.
1428    pub fn r#start_segment(
1429        &self,
1430        mut payload: &StreamSinkStartSegmentRequest,
1431    ) -> Result<(), fidl::Error> {
1432        StreamSinkProxyInterface::r#start_segment(self, payload)
1433    }
1434
1435    /// Indicates that the end of the stream has been reached. Consumers such as audio renderers
1436    /// signal their clients when the last packet before end-of-stream has been rendered, so the
1437    /// client knows when to, for example, change the UI state of a player to let the user know the
1438    /// content is done playing. This method is logically scoped to the current segment. A
1439    /// `SetSegment` request and (typically) more packets may follow this request.
1440    pub fn r#end(&self) -> Result<(), fidl::Error> {
1441        StreamSinkProxyInterface::r#end(self)
1442    }
1443
1444    /// Sent immediately before the producer closes to indicate why the producer is closing the
1445    /// connection. After sending this request, the producer must refrain from sending any more
1446    /// messages and close the connection promptly.
1447    pub fn r#will_close(
1448        &self,
1449        mut payload: &StreamSinkWillCloseRequest,
1450    ) -> Result<(), fidl::Error> {
1451        StreamSinkProxyInterface::r#will_close(self, payload)
1452    }
1453}
1454
1455impl StreamSinkProxyInterface for StreamSinkProxy {
1456    fn r#put_packet(&self, mut payload: StreamSinkPutPacketRequest) -> Result<(), fidl::Error> {
1457        self.client.send::<StreamSinkPutPacketRequest>(
1458            &mut payload,
1459            0x558d757afd726899,
1460            fidl::encoding::DynamicFlags::empty(),
1461        )
1462    }
1463
1464    fn r#start_segment(
1465        &self,
1466        mut payload: &StreamSinkStartSegmentRequest,
1467    ) -> Result<(), fidl::Error> {
1468        self.client.send::<StreamSinkStartSegmentRequest>(
1469            payload,
1470            0x6dd9bc66aa9f715f,
1471            fidl::encoding::DynamicFlags::empty(),
1472        )
1473    }
1474
1475    fn r#end(&self) -> Result<(), fidl::Error> {
1476        self.client.send::<fidl::encoding::EmptyPayload>(
1477            (),
1478            0x1a3a528e83b32f6e,
1479            fidl::encoding::DynamicFlags::empty(),
1480        )
1481    }
1482
1483    fn r#will_close(&self, mut payload: &StreamSinkWillCloseRequest) -> Result<(), fidl::Error> {
1484        self.client.send::<StreamSinkWillCloseRequest>(
1485            payload,
1486            0x6303ee33dbb0fd11,
1487            fidl::encoding::DynamicFlags::empty(),
1488        )
1489    }
1490}
1491
1492pub struct StreamSinkEventStream {
1493    event_receiver: fidl::client::EventReceiver<fidl::encoding::DefaultFuchsiaResourceDialect>,
1494}
1495
1496impl std::marker::Unpin for StreamSinkEventStream {}
1497
1498impl futures::stream::FusedStream for StreamSinkEventStream {
1499    fn is_terminated(&self) -> bool {
1500        self.event_receiver.is_terminated()
1501    }
1502}
1503
1504impl futures::Stream for StreamSinkEventStream {
1505    type Item = Result<StreamSinkEvent, fidl::Error>;
1506
1507    fn poll_next(
1508        mut self: std::pin::Pin<&mut Self>,
1509        cx: &mut std::task::Context<'_>,
1510    ) -> std::task::Poll<Option<Self::Item>> {
1511        match futures::ready!(futures::stream::StreamExt::poll_next_unpin(
1512            &mut self.event_receiver,
1513            cx
1514        )?) {
1515            Some(buf) => std::task::Poll::Ready(Some(StreamSinkEvent::decode(buf))),
1516            None => std::task::Poll::Ready(None),
1517        }
1518    }
1519}
1520
1521#[derive(Debug)]
1522pub enum StreamSinkEvent {
1523    OnWillClose { payload: StreamSinkOnWillCloseRequest },
1524}
1525
1526impl StreamSinkEvent {
1527    #[allow(irrefutable_let_patterns)]
1528    pub fn into_on_will_close(self) -> Option<StreamSinkOnWillCloseRequest> {
1529        if let StreamSinkEvent::OnWillClose { payload } = self {
1530            Some((payload))
1531        } else {
1532            None
1533        }
1534    }
1535
1536    /// Decodes a message buffer as a [`StreamSinkEvent`].
1537    fn decode(
1538        mut buf: <fidl::encoding::DefaultFuchsiaResourceDialect as fidl::encoding::ResourceDialect>::MessageBufEtc,
1539    ) -> Result<StreamSinkEvent, fidl::Error> {
1540        let (bytes, _handles) = buf.split_mut();
1541        let (tx_header, _body_bytes) = fidl::encoding::decode_transaction_header(bytes)?;
1542        debug_assert_eq!(tx_header.tx_id, 0);
1543        match tx_header.ordinal {
1544            0x77093453926bce5b => {
1545                let mut out = fidl::new_empty!(
1546                    StreamSinkOnWillCloseRequest,
1547                    fidl::encoding::DefaultFuchsiaResourceDialect
1548                );
1549                fidl::encoding::Decoder::<fidl::encoding::DefaultFuchsiaResourceDialect>::decode_into::<StreamSinkOnWillCloseRequest>(&tx_header, _body_bytes, _handles, &mut out)?;
1550                Ok((StreamSinkEvent::OnWillClose { payload: out }))
1551            }
1552            _ => Err(fidl::Error::UnknownOrdinal {
1553                ordinal: tx_header.ordinal,
1554                protocol_name: <StreamSinkMarker as fidl::endpoints::ProtocolMarker>::DEBUG_NAME,
1555            }),
1556        }
1557    }
1558}
1559
1560/// A Stream of incoming requests for fuchsia.audio/StreamSink.
1561pub struct StreamSinkRequestStream {
1562    inner: std::sync::Arc<fidl::ServeInner<fidl::encoding::DefaultFuchsiaResourceDialect>>,
1563    is_terminated: bool,
1564}
1565
1566impl std::marker::Unpin for StreamSinkRequestStream {}
1567
1568impl futures::stream::FusedStream for StreamSinkRequestStream {
1569    fn is_terminated(&self) -> bool {
1570        self.is_terminated
1571    }
1572}
1573
1574impl fidl::endpoints::RequestStream for StreamSinkRequestStream {
1575    type Protocol = StreamSinkMarker;
1576    type ControlHandle = StreamSinkControlHandle;
1577
1578    fn from_channel(channel: ::fidl::AsyncChannel) -> Self {
1579        Self { inner: std::sync::Arc::new(fidl::ServeInner::new(channel)), is_terminated: false }
1580    }
1581
1582    fn control_handle(&self) -> Self::ControlHandle {
1583        StreamSinkControlHandle { inner: self.inner.clone() }
1584    }
1585
1586    fn into_inner(
1587        self,
1588    ) -> (::std::sync::Arc<fidl::ServeInner<fidl::encoding::DefaultFuchsiaResourceDialect>>, bool)
1589    {
1590        (self.inner, self.is_terminated)
1591    }
1592
1593    fn from_inner(
1594        inner: std::sync::Arc<fidl::ServeInner<fidl::encoding::DefaultFuchsiaResourceDialect>>,
1595        is_terminated: bool,
1596    ) -> Self {
1597        Self { inner, is_terminated }
1598    }
1599}
1600
1601impl futures::Stream for StreamSinkRequestStream {
1602    type Item = Result<StreamSinkRequest, fidl::Error>;
1603
1604    fn poll_next(
1605        mut self: std::pin::Pin<&mut Self>,
1606        cx: &mut std::task::Context<'_>,
1607    ) -> std::task::Poll<Option<Self::Item>> {
1608        let this = &mut *self;
1609        if this.inner.check_shutdown(cx) {
1610            this.is_terminated = true;
1611            return std::task::Poll::Ready(None);
1612        }
1613        if this.is_terminated {
1614            panic!("polled StreamSinkRequestStream after completion");
1615        }
1616        fidl::encoding::with_tls_decode_buf::<_, fidl::encoding::DefaultFuchsiaResourceDialect>(
1617            |bytes, handles| {
1618                match this.inner.channel().read_etc(cx, bytes, handles) {
1619                    std::task::Poll::Ready(Ok(())) => {}
1620                    std::task::Poll::Pending => return std::task::Poll::Pending,
1621                    std::task::Poll::Ready(Err(zx_status::Status::PEER_CLOSED)) => {
1622                        this.is_terminated = true;
1623                        return std::task::Poll::Ready(None);
1624                    }
1625                    std::task::Poll::Ready(Err(e)) => {
1626                        return std::task::Poll::Ready(Some(Err(fidl::Error::ServerRequestRead(
1627                            e.into(),
1628                        ))))
1629                    }
1630                }
1631
1632                // A message has been received from the channel
1633                let (header, _body_bytes) = fidl::encoding::decode_transaction_header(bytes)?;
1634
1635                std::task::Poll::Ready(Some(match header.ordinal {
1636                    0x558d757afd726899 => {
1637                        header.validate_request_tx_id(fidl::MethodType::OneWay)?;
1638                        let mut req = fidl::new_empty!(
1639                            StreamSinkPutPacketRequest,
1640                            fidl::encoding::DefaultFuchsiaResourceDialect
1641                        );
1642                        fidl::encoding::Decoder::<fidl::encoding::DefaultFuchsiaResourceDialect>::decode_into::<StreamSinkPutPacketRequest>(&header, _body_bytes, handles, &mut req)?;
1643                        let control_handle = StreamSinkControlHandle { inner: this.inner.clone() };
1644                        Ok(StreamSinkRequest::PutPacket { payload: req, control_handle })
1645                    }
1646                    0x6dd9bc66aa9f715f => {
1647                        header.validate_request_tx_id(fidl::MethodType::OneWay)?;
1648                        let mut req = fidl::new_empty!(
1649                            StreamSinkStartSegmentRequest,
1650                            fidl::encoding::DefaultFuchsiaResourceDialect
1651                        );
1652                        fidl::encoding::Decoder::<fidl::encoding::DefaultFuchsiaResourceDialect>::decode_into::<StreamSinkStartSegmentRequest>(&header, _body_bytes, handles, &mut req)?;
1653                        let control_handle = StreamSinkControlHandle { inner: this.inner.clone() };
1654                        Ok(StreamSinkRequest::StartSegment { payload: req, control_handle })
1655                    }
1656                    0x1a3a528e83b32f6e => {
1657                        header.validate_request_tx_id(fidl::MethodType::OneWay)?;
1658                        let mut req = fidl::new_empty!(
1659                            fidl::encoding::EmptyPayload,
1660                            fidl::encoding::DefaultFuchsiaResourceDialect
1661                        );
1662                        fidl::encoding::Decoder::<fidl::encoding::DefaultFuchsiaResourceDialect>::decode_into::<fidl::encoding::EmptyPayload>(&header, _body_bytes, handles, &mut req)?;
1663                        let control_handle = StreamSinkControlHandle { inner: this.inner.clone() };
1664                        Ok(StreamSinkRequest::End { control_handle })
1665                    }
1666                    0x6303ee33dbb0fd11 => {
1667                        header.validate_request_tx_id(fidl::MethodType::OneWay)?;
1668                        let mut req = fidl::new_empty!(
1669                            StreamSinkWillCloseRequest,
1670                            fidl::encoding::DefaultFuchsiaResourceDialect
1671                        );
1672                        fidl::encoding::Decoder::<fidl::encoding::DefaultFuchsiaResourceDialect>::decode_into::<StreamSinkWillCloseRequest>(&header, _body_bytes, handles, &mut req)?;
1673                        let control_handle = StreamSinkControlHandle { inner: this.inner.clone() };
1674                        Ok(StreamSinkRequest::WillClose { payload: req, control_handle })
1675                    }
1676                    _ => Err(fidl::Error::UnknownOrdinal {
1677                        ordinal: header.ordinal,
1678                        protocol_name:
1679                            <StreamSinkMarker as fidl::endpoints::ProtocolMarker>::DEBUG_NAME,
1680                    }),
1681                }))
1682            },
1683        )
1684    }
1685}
1686
1687/// A packet sink for cross-process audio stream transport, implemented by audio consumers and used
1688/// by audio producers.
1689#[derive(Debug)]
1690pub enum StreamSinkRequest {
1691    /// Puts a packet to the sink.
1692    PutPacket { payload: StreamSinkPutPacketRequest, control_handle: StreamSinkControlHandle },
1693    /// Starts a new segment. Packets following this request and preceding the next such request
1694    /// are assigned to the segment.
1695    StartSegment { payload: StreamSinkStartSegmentRequest, control_handle: StreamSinkControlHandle },
1696    /// Indicates that the end of the stream has been reached. Consumers such as audio renderers
1697    /// signal their clients when the last packet before end-of-stream has been rendered, so the
1698    /// client knows when to, for example, change the UI state of a player to let the user know the
1699    /// content is done playing. This method is logically scoped to the current segment. A
1700    /// `SetSegment` request and (typically) more packets may follow this request.
1701    End { control_handle: StreamSinkControlHandle },
1702    /// Sent immediately before the producer closes to indicate why the producer is closing the
1703    /// connection. After sending this request, the producer must refrain from sending any more
1704    /// messages and close the connection promptly.
1705    WillClose { payload: StreamSinkWillCloseRequest, control_handle: StreamSinkControlHandle },
1706}
1707
1708impl StreamSinkRequest {
1709    #[allow(irrefutable_let_patterns)]
1710    pub fn into_put_packet(self) -> Option<(StreamSinkPutPacketRequest, StreamSinkControlHandle)> {
1711        if let StreamSinkRequest::PutPacket { payload, control_handle } = self {
1712            Some((payload, control_handle))
1713        } else {
1714            None
1715        }
1716    }
1717
1718    #[allow(irrefutable_let_patterns)]
1719    pub fn into_start_segment(
1720        self,
1721    ) -> Option<(StreamSinkStartSegmentRequest, StreamSinkControlHandle)> {
1722        if let StreamSinkRequest::StartSegment { payload, control_handle } = self {
1723            Some((payload, control_handle))
1724        } else {
1725            None
1726        }
1727    }
1728
1729    #[allow(irrefutable_let_patterns)]
1730    pub fn into_end(self) -> Option<(StreamSinkControlHandle)> {
1731        if let StreamSinkRequest::End { control_handle } = self {
1732            Some((control_handle))
1733        } else {
1734            None
1735        }
1736    }
1737
1738    #[allow(irrefutable_let_patterns)]
1739    pub fn into_will_close(self) -> Option<(StreamSinkWillCloseRequest, StreamSinkControlHandle)> {
1740        if let StreamSinkRequest::WillClose { payload, control_handle } = self {
1741            Some((payload, control_handle))
1742        } else {
1743            None
1744        }
1745    }
1746
1747    /// Name of the method defined in FIDL
1748    pub fn method_name(&self) -> &'static str {
1749        match *self {
1750            StreamSinkRequest::PutPacket { .. } => "put_packet",
1751            StreamSinkRequest::StartSegment { .. } => "start_segment",
1752            StreamSinkRequest::End { .. } => "end",
1753            StreamSinkRequest::WillClose { .. } => "will_close",
1754        }
1755    }
1756}
1757
1758#[derive(Debug, Clone)]
1759pub struct StreamSinkControlHandle {
1760    inner: std::sync::Arc<fidl::ServeInner<fidl::encoding::DefaultFuchsiaResourceDialect>>,
1761}
1762
1763impl fidl::endpoints::ControlHandle for StreamSinkControlHandle {
1764    fn shutdown(&self) {
1765        self.inner.shutdown()
1766    }
1767    fn shutdown_with_epitaph(&self, status: zx_status::Status) {
1768        self.inner.shutdown_with_epitaph(status)
1769    }
1770
1771    fn is_closed(&self) -> bool {
1772        self.inner.channel().is_closed()
1773    }
1774    fn on_closed(&self) -> fidl::OnSignalsRef<'_> {
1775        self.inner.channel().on_closed()
1776    }
1777
1778    #[cfg(target_os = "fuchsia")]
1779    fn signal_peer(
1780        &self,
1781        clear_mask: zx::Signals,
1782        set_mask: zx::Signals,
1783    ) -> Result<(), zx_status::Status> {
1784        use fidl::Peered;
1785        self.inner.channel().signal_peer(clear_mask, set_mask)
1786    }
1787}
1788
1789impl StreamSinkControlHandle {
1790    pub fn send_on_will_close(
1791        &self,
1792        mut payload: &StreamSinkOnWillCloseRequest,
1793    ) -> Result<(), fidl::Error> {
1794        self.inner.send::<StreamSinkOnWillCloseRequest>(
1795            payload,
1796            0,
1797            0x77093453926bce5b,
1798            fidl::encoding::DynamicFlags::empty(),
1799        )
1800    }
1801}
1802
1803mod internal {
1804    use super::*;
1805
1806    impl RingBuffer {
1807        #[inline(always)]
1808        fn max_ordinal_present(&self) -> u64 {
1809            if let Some(_) = self.reference_clock_domain {
1810                return 6;
1811            }
1812            if let Some(_) = self.reference_clock {
1813                return 5;
1814            }
1815            if let Some(_) = self.consumer_bytes {
1816                return 4;
1817            }
1818            if let Some(_) = self.producer_bytes {
1819                return 3;
1820            }
1821            if let Some(_) = self.format {
1822                return 2;
1823            }
1824            if let Some(_) = self.buffer {
1825                return 1;
1826            }
1827            0
1828        }
1829    }
1830
1831    impl fidl::encoding::ResourceTypeMarker for RingBuffer {
1832        type Borrowed<'a> = &'a mut Self;
1833        fn take_or_borrow<'a>(
1834            value: &'a mut <Self as fidl::encoding::TypeMarker>::Owned,
1835        ) -> Self::Borrowed<'a> {
1836            value
1837        }
1838    }
1839
1840    unsafe impl fidl::encoding::TypeMarker for RingBuffer {
1841        type Owned = Self;
1842
1843        #[inline(always)]
1844        fn inline_align(_context: fidl::encoding::Context) -> usize {
1845            8
1846        }
1847
1848        #[inline(always)]
1849        fn inline_size(_context: fidl::encoding::Context) -> usize {
1850            16
1851        }
1852    }
1853
1854    unsafe impl fidl::encoding::Encode<RingBuffer, fidl::encoding::DefaultFuchsiaResourceDialect>
1855        for &mut RingBuffer
1856    {
1857        unsafe fn encode(
1858            self,
1859            encoder: &mut fidl::encoding::Encoder<
1860                '_,
1861                fidl::encoding::DefaultFuchsiaResourceDialect,
1862            >,
1863            offset: usize,
1864            mut depth: fidl::encoding::Depth,
1865        ) -> fidl::Result<()> {
1866            encoder.debug_check_bounds::<RingBuffer>(offset);
1867            // Vector header
1868            let max_ordinal: u64 = self.max_ordinal_present();
1869            encoder.write_num(max_ordinal, offset);
1870            encoder.write_num(fidl::encoding::ALLOC_PRESENT_U64, offset + 8);
1871            // Calling encoder.out_of_line_offset(0) is not allowed.
1872            if max_ordinal == 0 {
1873                return Ok(());
1874            }
1875            depth.increment()?;
1876            let envelope_size = 8;
1877            let bytes_len = max_ordinal as usize * envelope_size;
1878            #[allow(unused_variables)]
1879            let offset = encoder.out_of_line_offset(bytes_len);
1880            let mut _prev_end_offset: usize = 0;
1881            if 1 > max_ordinal {
1882                return Ok(());
1883            }
1884
1885            // Write at offset+(ordinal-1)*envelope_size, since ordinals are one-based and envelopes
1886            // are envelope_size bytes.
1887            let cur_offset: usize = (1 - 1) * envelope_size;
1888
1889            // Zero reserved fields.
1890            encoder.padding(offset + _prev_end_offset, cur_offset - _prev_end_offset);
1891
1892            // Safety:
1893            // - bytes_len is calculated to fit envelope_size*max(member.ordinal).
1894            // - Since cur_offset is envelope_size*(member.ordinal - 1) and the envelope takes
1895            //   envelope_size bytes, there is always sufficient room.
1896            fidl::encoding::encode_in_envelope_optional::<fidl_fuchsia_mem::Buffer, fidl::encoding::DefaultFuchsiaResourceDialect>(
1897            self.buffer.as_mut().map(<fidl_fuchsia_mem::Buffer as fidl::encoding::ResourceTypeMarker>::take_or_borrow),
1898            encoder, offset + cur_offset, depth
1899        )?;
1900
1901            _prev_end_offset = cur_offset + envelope_size;
1902            if 2 > max_ordinal {
1903                return Ok(());
1904            }
1905
1906            // Write at offset+(ordinal-1)*envelope_size, since ordinals are one-based and envelopes
1907            // are envelope_size bytes.
1908            let cur_offset: usize = (2 - 1) * envelope_size;
1909
1910            // Zero reserved fields.
1911            encoder.padding(offset + _prev_end_offset, cur_offset - _prev_end_offset);
1912
1913            // Safety:
1914            // - bytes_len is calculated to fit envelope_size*max(member.ordinal).
1915            // - Since cur_offset is envelope_size*(member.ordinal - 1) and the envelope takes
1916            //   envelope_size bytes, there is always sufficient room.
1917            fidl::encoding::encode_in_envelope_optional::<
1918                Format,
1919                fidl::encoding::DefaultFuchsiaResourceDialect,
1920            >(
1921                self.format.as_ref().map(<Format as fidl::encoding::ValueTypeMarker>::borrow),
1922                encoder,
1923                offset + cur_offset,
1924                depth,
1925            )?;
1926
1927            _prev_end_offset = cur_offset + envelope_size;
1928            if 3 > max_ordinal {
1929                return Ok(());
1930            }
1931
1932            // Write at offset+(ordinal-1)*envelope_size, since ordinals are one-based and envelopes
1933            // are envelope_size bytes.
1934            let cur_offset: usize = (3 - 1) * envelope_size;
1935
1936            // Zero reserved fields.
1937            encoder.padding(offset + _prev_end_offset, cur_offset - _prev_end_offset);
1938
1939            // Safety:
1940            // - bytes_len is calculated to fit envelope_size*max(member.ordinal).
1941            // - Since cur_offset is envelope_size*(member.ordinal - 1) and the envelope takes
1942            //   envelope_size bytes, there is always sufficient room.
1943            fidl::encoding::encode_in_envelope_optional::<
1944                u64,
1945                fidl::encoding::DefaultFuchsiaResourceDialect,
1946            >(
1947                self.producer_bytes.as_ref().map(<u64 as fidl::encoding::ValueTypeMarker>::borrow),
1948                encoder,
1949                offset + cur_offset,
1950                depth,
1951            )?;
1952
1953            _prev_end_offset = cur_offset + envelope_size;
1954            if 4 > max_ordinal {
1955                return Ok(());
1956            }
1957
1958            // Write at offset+(ordinal-1)*envelope_size, since ordinals are one-based and envelopes
1959            // are envelope_size bytes.
1960            let cur_offset: usize = (4 - 1) * envelope_size;
1961
1962            // Zero reserved fields.
1963            encoder.padding(offset + _prev_end_offset, cur_offset - _prev_end_offset);
1964
1965            // Safety:
1966            // - bytes_len is calculated to fit envelope_size*max(member.ordinal).
1967            // - Since cur_offset is envelope_size*(member.ordinal - 1) and the envelope takes
1968            //   envelope_size bytes, there is always sufficient room.
1969            fidl::encoding::encode_in_envelope_optional::<
1970                u64,
1971                fidl::encoding::DefaultFuchsiaResourceDialect,
1972            >(
1973                self.consumer_bytes.as_ref().map(<u64 as fidl::encoding::ValueTypeMarker>::borrow),
1974                encoder,
1975                offset + cur_offset,
1976                depth,
1977            )?;
1978
1979            _prev_end_offset = cur_offset + envelope_size;
1980            if 5 > max_ordinal {
1981                return Ok(());
1982            }
1983
1984            // Write at offset+(ordinal-1)*envelope_size, since ordinals are one-based and envelopes
1985            // are envelope_size bytes.
1986            let cur_offset: usize = (5 - 1) * envelope_size;
1987
1988            // Zero reserved fields.
1989            encoder.padding(offset + _prev_end_offset, cur_offset - _prev_end_offset);
1990
1991            // Safety:
1992            // - bytes_len is calculated to fit envelope_size*max(member.ordinal).
1993            // - Since cur_offset is envelope_size*(member.ordinal - 1) and the envelope takes
1994            //   envelope_size bytes, there is always sufficient room.
1995            fidl::encoding::encode_in_envelope_optional::<
1996                fidl::encoding::HandleType<
1997                    fidl::Clock,
1998                    { fidl::ObjectType::CLOCK.into_raw() },
1999                    2147483648,
2000                >,
2001                fidl::encoding::DefaultFuchsiaResourceDialect,
2002            >(
2003                self.reference_clock.as_mut().map(
2004                    <fidl::encoding::HandleType<
2005                        fidl::Clock,
2006                        { fidl::ObjectType::CLOCK.into_raw() },
2007                        2147483648,
2008                    > as fidl::encoding::ResourceTypeMarker>::take_or_borrow,
2009                ),
2010                encoder,
2011                offset + cur_offset,
2012                depth,
2013            )?;
2014
2015            _prev_end_offset = cur_offset + envelope_size;
2016            if 6 > max_ordinal {
2017                return Ok(());
2018            }
2019
2020            // Write at offset+(ordinal-1)*envelope_size, since ordinals are one-based and envelopes
2021            // are envelope_size bytes.
2022            let cur_offset: usize = (6 - 1) * envelope_size;
2023
2024            // Zero reserved fields.
2025            encoder.padding(offset + _prev_end_offset, cur_offset - _prev_end_offset);
2026
2027            // Safety:
2028            // - bytes_len is calculated to fit envelope_size*max(member.ordinal).
2029            // - Since cur_offset is envelope_size*(member.ordinal - 1) and the envelope takes
2030            //   envelope_size bytes, there is always sufficient room.
2031            fidl::encoding::encode_in_envelope_optional::<
2032                u32,
2033                fidl::encoding::DefaultFuchsiaResourceDialect,
2034            >(
2035                self.reference_clock_domain
2036                    .as_ref()
2037                    .map(<u32 as fidl::encoding::ValueTypeMarker>::borrow),
2038                encoder,
2039                offset + cur_offset,
2040                depth,
2041            )?;
2042
2043            _prev_end_offset = cur_offset + envelope_size;
2044
2045            Ok(())
2046        }
2047    }
2048
2049    impl fidl::encoding::Decode<Self, fidl::encoding::DefaultFuchsiaResourceDialect> for RingBuffer {
2050        #[inline(always)]
2051        fn new_empty() -> Self {
2052            Self::default()
2053        }
2054
2055        unsafe fn decode(
2056            &mut self,
2057            decoder: &mut fidl::encoding::Decoder<
2058                '_,
2059                fidl::encoding::DefaultFuchsiaResourceDialect,
2060            >,
2061            offset: usize,
2062            mut depth: fidl::encoding::Depth,
2063        ) -> fidl::Result<()> {
2064            decoder.debug_check_bounds::<Self>(offset);
2065            let len = match fidl::encoding::decode_vector_header(decoder, offset)? {
2066                None => return Err(fidl::Error::NotNullable),
2067                Some(len) => len,
2068            };
2069            // Calling decoder.out_of_line_offset(0) is not allowed.
2070            if len == 0 {
2071                return Ok(());
2072            };
2073            depth.increment()?;
2074            let envelope_size = 8;
2075            let bytes_len = len * envelope_size;
2076            let offset = decoder.out_of_line_offset(bytes_len)?;
2077            // Decode the envelope for each type.
2078            let mut _next_ordinal_to_read = 0;
2079            let mut next_offset = offset;
2080            let end_offset = offset + bytes_len;
2081            _next_ordinal_to_read += 1;
2082            if next_offset >= end_offset {
2083                return Ok(());
2084            }
2085
2086            // Decode unknown envelopes for gaps in ordinals.
2087            while _next_ordinal_to_read < 1 {
2088                fidl::encoding::decode_unknown_envelope(decoder, next_offset, depth)?;
2089                _next_ordinal_to_read += 1;
2090                next_offset += envelope_size;
2091            }
2092
2093            let next_out_of_line = decoder.next_out_of_line();
2094            let handles_before = decoder.remaining_handles();
2095            if let Some((inlined, num_bytes, num_handles)) =
2096                fidl::encoding::decode_envelope_header(decoder, next_offset)?
2097            {
2098                let member_inline_size =
2099                    <fidl_fuchsia_mem::Buffer as fidl::encoding::TypeMarker>::inline_size(
2100                        decoder.context,
2101                    );
2102                if inlined != (member_inline_size <= 4) {
2103                    return Err(fidl::Error::InvalidInlineBitInEnvelope);
2104                }
2105                let inner_offset;
2106                let mut inner_depth = depth.clone();
2107                if inlined {
2108                    decoder.check_inline_envelope_padding(next_offset, member_inline_size)?;
2109                    inner_offset = next_offset;
2110                } else {
2111                    inner_offset = decoder.out_of_line_offset(member_inline_size)?;
2112                    inner_depth.increment()?;
2113                }
2114                let val_ref = self.buffer.get_or_insert_with(|| {
2115                    fidl::new_empty!(
2116                        fidl_fuchsia_mem::Buffer,
2117                        fidl::encoding::DefaultFuchsiaResourceDialect
2118                    )
2119                });
2120                fidl::decode!(
2121                    fidl_fuchsia_mem::Buffer,
2122                    fidl::encoding::DefaultFuchsiaResourceDialect,
2123                    val_ref,
2124                    decoder,
2125                    inner_offset,
2126                    inner_depth
2127                )?;
2128                if !inlined && decoder.next_out_of_line() != next_out_of_line + (num_bytes as usize)
2129                {
2130                    return Err(fidl::Error::InvalidNumBytesInEnvelope);
2131                }
2132                if handles_before != decoder.remaining_handles() + (num_handles as usize) {
2133                    return Err(fidl::Error::InvalidNumHandlesInEnvelope);
2134                }
2135            }
2136
2137            next_offset += envelope_size;
2138            _next_ordinal_to_read += 1;
2139            if next_offset >= end_offset {
2140                return Ok(());
2141            }
2142
2143            // Decode unknown envelopes for gaps in ordinals.
2144            while _next_ordinal_to_read < 2 {
2145                fidl::encoding::decode_unknown_envelope(decoder, next_offset, depth)?;
2146                _next_ordinal_to_read += 1;
2147                next_offset += envelope_size;
2148            }
2149
2150            let next_out_of_line = decoder.next_out_of_line();
2151            let handles_before = decoder.remaining_handles();
2152            if let Some((inlined, num_bytes, num_handles)) =
2153                fidl::encoding::decode_envelope_header(decoder, next_offset)?
2154            {
2155                let member_inline_size =
2156                    <Format as fidl::encoding::TypeMarker>::inline_size(decoder.context);
2157                if inlined != (member_inline_size <= 4) {
2158                    return Err(fidl::Error::InvalidInlineBitInEnvelope);
2159                }
2160                let inner_offset;
2161                let mut inner_depth = depth.clone();
2162                if inlined {
2163                    decoder.check_inline_envelope_padding(next_offset, member_inline_size)?;
2164                    inner_offset = next_offset;
2165                } else {
2166                    inner_offset = decoder.out_of_line_offset(member_inline_size)?;
2167                    inner_depth.increment()?;
2168                }
2169                let val_ref = self.format.get_or_insert_with(|| {
2170                    fidl::new_empty!(Format, fidl::encoding::DefaultFuchsiaResourceDialect)
2171                });
2172                fidl::decode!(
2173                    Format,
2174                    fidl::encoding::DefaultFuchsiaResourceDialect,
2175                    val_ref,
2176                    decoder,
2177                    inner_offset,
2178                    inner_depth
2179                )?;
2180                if !inlined && decoder.next_out_of_line() != next_out_of_line + (num_bytes as usize)
2181                {
2182                    return Err(fidl::Error::InvalidNumBytesInEnvelope);
2183                }
2184                if handles_before != decoder.remaining_handles() + (num_handles as usize) {
2185                    return Err(fidl::Error::InvalidNumHandlesInEnvelope);
2186                }
2187            }
2188
2189            next_offset += envelope_size;
2190            _next_ordinal_to_read += 1;
2191            if next_offset >= end_offset {
2192                return Ok(());
2193            }
2194
2195            // Decode unknown envelopes for gaps in ordinals.
2196            while _next_ordinal_to_read < 3 {
2197                fidl::encoding::decode_unknown_envelope(decoder, next_offset, depth)?;
2198                _next_ordinal_to_read += 1;
2199                next_offset += envelope_size;
2200            }
2201
2202            let next_out_of_line = decoder.next_out_of_line();
2203            let handles_before = decoder.remaining_handles();
2204            if let Some((inlined, num_bytes, num_handles)) =
2205                fidl::encoding::decode_envelope_header(decoder, next_offset)?
2206            {
2207                let member_inline_size =
2208                    <u64 as fidl::encoding::TypeMarker>::inline_size(decoder.context);
2209                if inlined != (member_inline_size <= 4) {
2210                    return Err(fidl::Error::InvalidInlineBitInEnvelope);
2211                }
2212                let inner_offset;
2213                let mut inner_depth = depth.clone();
2214                if inlined {
2215                    decoder.check_inline_envelope_padding(next_offset, member_inline_size)?;
2216                    inner_offset = next_offset;
2217                } else {
2218                    inner_offset = decoder.out_of_line_offset(member_inline_size)?;
2219                    inner_depth.increment()?;
2220                }
2221                let val_ref = self.producer_bytes.get_or_insert_with(|| {
2222                    fidl::new_empty!(u64, fidl::encoding::DefaultFuchsiaResourceDialect)
2223                });
2224                fidl::decode!(
2225                    u64,
2226                    fidl::encoding::DefaultFuchsiaResourceDialect,
2227                    val_ref,
2228                    decoder,
2229                    inner_offset,
2230                    inner_depth
2231                )?;
2232                if !inlined && decoder.next_out_of_line() != next_out_of_line + (num_bytes as usize)
2233                {
2234                    return Err(fidl::Error::InvalidNumBytesInEnvelope);
2235                }
2236                if handles_before != decoder.remaining_handles() + (num_handles as usize) {
2237                    return Err(fidl::Error::InvalidNumHandlesInEnvelope);
2238                }
2239            }
2240
2241            next_offset += envelope_size;
2242            _next_ordinal_to_read += 1;
2243            if next_offset >= end_offset {
2244                return Ok(());
2245            }
2246
2247            // Decode unknown envelopes for gaps in ordinals.
2248            while _next_ordinal_to_read < 4 {
2249                fidl::encoding::decode_unknown_envelope(decoder, next_offset, depth)?;
2250                _next_ordinal_to_read += 1;
2251                next_offset += envelope_size;
2252            }
2253
2254            let next_out_of_line = decoder.next_out_of_line();
2255            let handles_before = decoder.remaining_handles();
2256            if let Some((inlined, num_bytes, num_handles)) =
2257                fidl::encoding::decode_envelope_header(decoder, next_offset)?
2258            {
2259                let member_inline_size =
2260                    <u64 as fidl::encoding::TypeMarker>::inline_size(decoder.context);
2261                if inlined != (member_inline_size <= 4) {
2262                    return Err(fidl::Error::InvalidInlineBitInEnvelope);
2263                }
2264                let inner_offset;
2265                let mut inner_depth = depth.clone();
2266                if inlined {
2267                    decoder.check_inline_envelope_padding(next_offset, member_inline_size)?;
2268                    inner_offset = next_offset;
2269                } else {
2270                    inner_offset = decoder.out_of_line_offset(member_inline_size)?;
2271                    inner_depth.increment()?;
2272                }
2273                let val_ref = self.consumer_bytes.get_or_insert_with(|| {
2274                    fidl::new_empty!(u64, fidl::encoding::DefaultFuchsiaResourceDialect)
2275                });
2276                fidl::decode!(
2277                    u64,
2278                    fidl::encoding::DefaultFuchsiaResourceDialect,
2279                    val_ref,
2280                    decoder,
2281                    inner_offset,
2282                    inner_depth
2283                )?;
2284                if !inlined && decoder.next_out_of_line() != next_out_of_line + (num_bytes as usize)
2285                {
2286                    return Err(fidl::Error::InvalidNumBytesInEnvelope);
2287                }
2288                if handles_before != decoder.remaining_handles() + (num_handles as usize) {
2289                    return Err(fidl::Error::InvalidNumHandlesInEnvelope);
2290                }
2291            }
2292
2293            next_offset += envelope_size;
2294            _next_ordinal_to_read += 1;
2295            if next_offset >= end_offset {
2296                return Ok(());
2297            }
2298
2299            // Decode unknown envelopes for gaps in ordinals.
2300            while _next_ordinal_to_read < 5 {
2301                fidl::encoding::decode_unknown_envelope(decoder, next_offset, depth)?;
2302                _next_ordinal_to_read += 1;
2303                next_offset += envelope_size;
2304            }
2305
2306            let next_out_of_line = decoder.next_out_of_line();
2307            let handles_before = decoder.remaining_handles();
2308            if let Some((inlined, num_bytes, num_handles)) =
2309                fidl::encoding::decode_envelope_header(decoder, next_offset)?
2310            {
2311                let member_inline_size = <fidl::encoding::HandleType<
2312                    fidl::Clock,
2313                    { fidl::ObjectType::CLOCK.into_raw() },
2314                    2147483648,
2315                > as fidl::encoding::TypeMarker>::inline_size(
2316                    decoder.context
2317                );
2318                if inlined != (member_inline_size <= 4) {
2319                    return Err(fidl::Error::InvalidInlineBitInEnvelope);
2320                }
2321                let inner_offset;
2322                let mut inner_depth = depth.clone();
2323                if inlined {
2324                    decoder.check_inline_envelope_padding(next_offset, member_inline_size)?;
2325                    inner_offset = next_offset;
2326                } else {
2327                    inner_offset = decoder.out_of_line_offset(member_inline_size)?;
2328                    inner_depth.increment()?;
2329                }
2330                let val_ref =
2331                self.reference_clock.get_or_insert_with(|| fidl::new_empty!(fidl::encoding::HandleType<fidl::Clock, { fidl::ObjectType::CLOCK.into_raw() }, 2147483648>, fidl::encoding::DefaultFuchsiaResourceDialect));
2332                fidl::decode!(fidl::encoding::HandleType<fidl::Clock, { fidl::ObjectType::CLOCK.into_raw() }, 2147483648>, fidl::encoding::DefaultFuchsiaResourceDialect, val_ref, decoder, inner_offset, inner_depth)?;
2333                if !inlined && decoder.next_out_of_line() != next_out_of_line + (num_bytes as usize)
2334                {
2335                    return Err(fidl::Error::InvalidNumBytesInEnvelope);
2336                }
2337                if handles_before != decoder.remaining_handles() + (num_handles as usize) {
2338                    return Err(fidl::Error::InvalidNumHandlesInEnvelope);
2339                }
2340            }
2341
2342            next_offset += envelope_size;
2343            _next_ordinal_to_read += 1;
2344            if next_offset >= end_offset {
2345                return Ok(());
2346            }
2347
2348            // Decode unknown envelopes for gaps in ordinals.
2349            while _next_ordinal_to_read < 6 {
2350                fidl::encoding::decode_unknown_envelope(decoder, next_offset, depth)?;
2351                _next_ordinal_to_read += 1;
2352                next_offset += envelope_size;
2353            }
2354
2355            let next_out_of_line = decoder.next_out_of_line();
2356            let handles_before = decoder.remaining_handles();
2357            if let Some((inlined, num_bytes, num_handles)) =
2358                fidl::encoding::decode_envelope_header(decoder, next_offset)?
2359            {
2360                let member_inline_size =
2361                    <u32 as fidl::encoding::TypeMarker>::inline_size(decoder.context);
2362                if inlined != (member_inline_size <= 4) {
2363                    return Err(fidl::Error::InvalidInlineBitInEnvelope);
2364                }
2365                let inner_offset;
2366                let mut inner_depth = depth.clone();
2367                if inlined {
2368                    decoder.check_inline_envelope_padding(next_offset, member_inline_size)?;
2369                    inner_offset = next_offset;
2370                } else {
2371                    inner_offset = decoder.out_of_line_offset(member_inline_size)?;
2372                    inner_depth.increment()?;
2373                }
2374                let val_ref = self.reference_clock_domain.get_or_insert_with(|| {
2375                    fidl::new_empty!(u32, fidl::encoding::DefaultFuchsiaResourceDialect)
2376                });
2377                fidl::decode!(
2378                    u32,
2379                    fidl::encoding::DefaultFuchsiaResourceDialect,
2380                    val_ref,
2381                    decoder,
2382                    inner_offset,
2383                    inner_depth
2384                )?;
2385                if !inlined && decoder.next_out_of_line() != next_out_of_line + (num_bytes as usize)
2386                {
2387                    return Err(fidl::Error::InvalidNumBytesInEnvelope);
2388                }
2389                if handles_before != decoder.remaining_handles() + (num_handles as usize) {
2390                    return Err(fidl::Error::InvalidNumHandlesInEnvelope);
2391                }
2392            }
2393
2394            next_offset += envelope_size;
2395
2396            // Decode the remaining unknown envelopes.
2397            while next_offset < end_offset {
2398                _next_ordinal_to_read += 1;
2399                fidl::encoding::decode_unknown_envelope(decoder, next_offset, depth)?;
2400                next_offset += envelope_size;
2401            }
2402
2403            Ok(())
2404        }
2405    }
2406
2407    impl StreamSinkPutPacketRequest {
2408        #[inline(always)]
2409        fn max_ordinal_present(&self) -> u64 {
2410            if let Some(_) = self.release_fence {
2411                return 2;
2412            }
2413            if let Some(_) = self.packet {
2414                return 1;
2415            }
2416            0
2417        }
2418    }
2419
2420    impl fidl::encoding::ResourceTypeMarker for StreamSinkPutPacketRequest {
2421        type Borrowed<'a> = &'a mut Self;
2422        fn take_or_borrow<'a>(
2423            value: &'a mut <Self as fidl::encoding::TypeMarker>::Owned,
2424        ) -> Self::Borrowed<'a> {
2425            value
2426        }
2427    }
2428
2429    unsafe impl fidl::encoding::TypeMarker for StreamSinkPutPacketRequest {
2430        type Owned = Self;
2431
2432        #[inline(always)]
2433        fn inline_align(_context: fidl::encoding::Context) -> usize {
2434            8
2435        }
2436
2437        #[inline(always)]
2438        fn inline_size(_context: fidl::encoding::Context) -> usize {
2439            16
2440        }
2441    }
2442
2443    unsafe impl
2444        fidl::encoding::Encode<
2445            StreamSinkPutPacketRequest,
2446            fidl::encoding::DefaultFuchsiaResourceDialect,
2447        > for &mut StreamSinkPutPacketRequest
2448    {
2449        unsafe fn encode(
2450            self,
2451            encoder: &mut fidl::encoding::Encoder<
2452                '_,
2453                fidl::encoding::DefaultFuchsiaResourceDialect,
2454            >,
2455            offset: usize,
2456            mut depth: fidl::encoding::Depth,
2457        ) -> fidl::Result<()> {
2458            encoder.debug_check_bounds::<StreamSinkPutPacketRequest>(offset);
2459            // Vector header
2460            let max_ordinal: u64 = self.max_ordinal_present();
2461            encoder.write_num(max_ordinal, offset);
2462            encoder.write_num(fidl::encoding::ALLOC_PRESENT_U64, offset + 8);
2463            // Calling encoder.out_of_line_offset(0) is not allowed.
2464            if max_ordinal == 0 {
2465                return Ok(());
2466            }
2467            depth.increment()?;
2468            let envelope_size = 8;
2469            let bytes_len = max_ordinal as usize * envelope_size;
2470            #[allow(unused_variables)]
2471            let offset = encoder.out_of_line_offset(bytes_len);
2472            let mut _prev_end_offset: usize = 0;
2473            if 1 > max_ordinal {
2474                return Ok(());
2475            }
2476
2477            // Write at offset+(ordinal-1)*envelope_size, since ordinals are one-based and envelopes
2478            // are envelope_size bytes.
2479            let cur_offset: usize = (1 - 1) * envelope_size;
2480
2481            // Zero reserved fields.
2482            encoder.padding(offset + _prev_end_offset, cur_offset - _prev_end_offset);
2483
2484            // Safety:
2485            // - bytes_len is calculated to fit envelope_size*max(member.ordinal).
2486            // - Since cur_offset is envelope_size*(member.ordinal - 1) and the envelope takes
2487            //   envelope_size bytes, there is always sufficient room.
2488            fidl::encoding::encode_in_envelope_optional::<
2489                Packet,
2490                fidl::encoding::DefaultFuchsiaResourceDialect,
2491            >(
2492                self.packet.as_ref().map(<Packet as fidl::encoding::ValueTypeMarker>::borrow),
2493                encoder,
2494                offset + cur_offset,
2495                depth,
2496            )?;
2497
2498            _prev_end_offset = cur_offset + envelope_size;
2499            if 2 > max_ordinal {
2500                return Ok(());
2501            }
2502
2503            // Write at offset+(ordinal-1)*envelope_size, since ordinals are one-based and envelopes
2504            // are envelope_size bytes.
2505            let cur_offset: usize = (2 - 1) * envelope_size;
2506
2507            // Zero reserved fields.
2508            encoder.padding(offset + _prev_end_offset, cur_offset - _prev_end_offset);
2509
2510            // Safety:
2511            // - bytes_len is calculated to fit envelope_size*max(member.ordinal).
2512            // - Since cur_offset is envelope_size*(member.ordinal - 1) and the envelope takes
2513            //   envelope_size bytes, there is always sufficient room.
2514            fidl::encoding::encode_in_envelope_optional::<
2515                fidl::encoding::HandleType<
2516                    fidl::EventPair,
2517                    { fidl::ObjectType::EVENTPAIR.into_raw() },
2518                    2147483648,
2519                >,
2520                fidl::encoding::DefaultFuchsiaResourceDialect,
2521            >(
2522                self.release_fence.as_mut().map(
2523                    <fidl::encoding::HandleType<
2524                        fidl::EventPair,
2525                        { fidl::ObjectType::EVENTPAIR.into_raw() },
2526                        2147483648,
2527                    > as fidl::encoding::ResourceTypeMarker>::take_or_borrow,
2528                ),
2529                encoder,
2530                offset + cur_offset,
2531                depth,
2532            )?;
2533
2534            _prev_end_offset = cur_offset + envelope_size;
2535
2536            Ok(())
2537        }
2538    }
2539
2540    impl fidl::encoding::Decode<Self, fidl::encoding::DefaultFuchsiaResourceDialect>
2541        for StreamSinkPutPacketRequest
2542    {
2543        #[inline(always)]
2544        fn new_empty() -> Self {
2545            Self::default()
2546        }
2547
2548        unsafe fn decode(
2549            &mut self,
2550            decoder: &mut fidl::encoding::Decoder<
2551                '_,
2552                fidl::encoding::DefaultFuchsiaResourceDialect,
2553            >,
2554            offset: usize,
2555            mut depth: fidl::encoding::Depth,
2556        ) -> fidl::Result<()> {
2557            decoder.debug_check_bounds::<Self>(offset);
2558            let len = match fidl::encoding::decode_vector_header(decoder, offset)? {
2559                None => return Err(fidl::Error::NotNullable),
2560                Some(len) => len,
2561            };
2562            // Calling decoder.out_of_line_offset(0) is not allowed.
2563            if len == 0 {
2564                return Ok(());
2565            };
2566            depth.increment()?;
2567            let envelope_size = 8;
2568            let bytes_len = len * envelope_size;
2569            let offset = decoder.out_of_line_offset(bytes_len)?;
2570            // Decode the envelope for each type.
2571            let mut _next_ordinal_to_read = 0;
2572            let mut next_offset = offset;
2573            let end_offset = offset + bytes_len;
2574            _next_ordinal_to_read += 1;
2575            if next_offset >= end_offset {
2576                return Ok(());
2577            }
2578
2579            // Decode unknown envelopes for gaps in ordinals.
2580            while _next_ordinal_to_read < 1 {
2581                fidl::encoding::decode_unknown_envelope(decoder, next_offset, depth)?;
2582                _next_ordinal_to_read += 1;
2583                next_offset += envelope_size;
2584            }
2585
2586            let next_out_of_line = decoder.next_out_of_line();
2587            let handles_before = decoder.remaining_handles();
2588            if let Some((inlined, num_bytes, num_handles)) =
2589                fidl::encoding::decode_envelope_header(decoder, next_offset)?
2590            {
2591                let member_inline_size =
2592                    <Packet as fidl::encoding::TypeMarker>::inline_size(decoder.context);
2593                if inlined != (member_inline_size <= 4) {
2594                    return Err(fidl::Error::InvalidInlineBitInEnvelope);
2595                }
2596                let inner_offset;
2597                let mut inner_depth = depth.clone();
2598                if inlined {
2599                    decoder.check_inline_envelope_padding(next_offset, member_inline_size)?;
2600                    inner_offset = next_offset;
2601                } else {
2602                    inner_offset = decoder.out_of_line_offset(member_inline_size)?;
2603                    inner_depth.increment()?;
2604                }
2605                let val_ref = self.packet.get_or_insert_with(|| {
2606                    fidl::new_empty!(Packet, fidl::encoding::DefaultFuchsiaResourceDialect)
2607                });
2608                fidl::decode!(
2609                    Packet,
2610                    fidl::encoding::DefaultFuchsiaResourceDialect,
2611                    val_ref,
2612                    decoder,
2613                    inner_offset,
2614                    inner_depth
2615                )?;
2616                if !inlined && decoder.next_out_of_line() != next_out_of_line + (num_bytes as usize)
2617                {
2618                    return Err(fidl::Error::InvalidNumBytesInEnvelope);
2619                }
2620                if handles_before != decoder.remaining_handles() + (num_handles as usize) {
2621                    return Err(fidl::Error::InvalidNumHandlesInEnvelope);
2622                }
2623            }
2624
2625            next_offset += envelope_size;
2626            _next_ordinal_to_read += 1;
2627            if next_offset >= end_offset {
2628                return Ok(());
2629            }
2630
2631            // Decode unknown envelopes for gaps in ordinals.
2632            while _next_ordinal_to_read < 2 {
2633                fidl::encoding::decode_unknown_envelope(decoder, next_offset, depth)?;
2634                _next_ordinal_to_read += 1;
2635                next_offset += envelope_size;
2636            }
2637
2638            let next_out_of_line = decoder.next_out_of_line();
2639            let handles_before = decoder.remaining_handles();
2640            if let Some((inlined, num_bytes, num_handles)) =
2641                fidl::encoding::decode_envelope_header(decoder, next_offset)?
2642            {
2643                let member_inline_size = <fidl::encoding::HandleType<
2644                    fidl::EventPair,
2645                    { fidl::ObjectType::EVENTPAIR.into_raw() },
2646                    2147483648,
2647                > as fidl::encoding::TypeMarker>::inline_size(
2648                    decoder.context
2649                );
2650                if inlined != (member_inline_size <= 4) {
2651                    return Err(fidl::Error::InvalidInlineBitInEnvelope);
2652                }
2653                let inner_offset;
2654                let mut inner_depth = depth.clone();
2655                if inlined {
2656                    decoder.check_inline_envelope_padding(next_offset, member_inline_size)?;
2657                    inner_offset = next_offset;
2658                } else {
2659                    inner_offset = decoder.out_of_line_offset(member_inline_size)?;
2660                    inner_depth.increment()?;
2661                }
2662                let val_ref =
2663                self.release_fence.get_or_insert_with(|| fidl::new_empty!(fidl::encoding::HandleType<fidl::EventPair, { fidl::ObjectType::EVENTPAIR.into_raw() }, 2147483648>, fidl::encoding::DefaultFuchsiaResourceDialect));
2664                fidl::decode!(fidl::encoding::HandleType<fidl::EventPair, { fidl::ObjectType::EVENTPAIR.into_raw() }, 2147483648>, fidl::encoding::DefaultFuchsiaResourceDialect, val_ref, decoder, inner_offset, inner_depth)?;
2665                if !inlined && decoder.next_out_of_line() != next_out_of_line + (num_bytes as usize)
2666                {
2667                    return Err(fidl::Error::InvalidNumBytesInEnvelope);
2668                }
2669                if handles_before != decoder.remaining_handles() + (num_handles as usize) {
2670                    return Err(fidl::Error::InvalidNumHandlesInEnvelope);
2671                }
2672            }
2673
2674            next_offset += envelope_size;
2675
2676            // Decode the remaining unknown envelopes.
2677            while next_offset < end_offset {
2678                _next_ordinal_to_read += 1;
2679                fidl::encoding::decode_unknown_envelope(decoder, next_offset, depth)?;
2680                next_offset += envelope_size;
2681            }
2682
2683            Ok(())
2684        }
2685    }
2686}