spinel_pack/lib.rs
1// Copyright 2020 The Fuchsia Authors. All rights reserved.
2// Use of this source code is governed by a BSD-style license that can be
3// found in the LICENSE file.
4
5//! This Rust crate allows you to easily and safely serialize/deserialize
6//! data structures into the byte format specified in [section 3][1]
7//! of the [Spinel Protocol Documentation][2]. This documentation assumes
8//! some familiarity with that documentation. The behavior of this crate was
9//! inspired by the [`spinel_datatype_pack`/`spinel_datatype_unpack`][3] methods
10//! from [OpenThread][4].
11//!
12//! [1]: https://tools.ietf.org/html/draft-rquattle-spinel-unified-00#section-3
13//! [2]: https://tools.ietf.org/html/draft-rquattle-spinel-unified-00
14//! [3]: https://github.com/openthread/openthread/blob/5b622e690e6dd441498b57e4cafe034937f43629/src/lib/spinel/spinel.h#L4042..L4111
15//! [4]: https://github.com/openthread/openthread/
16//!
17//! # Key Features
18//!
19//! * Ability to deserialize to borrowed types (like `&str`) in addition to owned types.
20//! * Convenient attribute macro (`#[spinel_packed("...")]`) for automatically implementing
21//! pack/unpack traits on datatypes, including structs with borrowed references and nested
22//! Spinel data types.
23//! * Convenient in-line macros (`spinel_read!(...)`/`spinel_write!(...)`) for parsing arbitrary
24//! Spinel data immediately in place without the need to define new types.
25//! * All macros check the format strings against the types being serialized/deserialized at
26//! compile-time, generating compiler errors whenever there is a mismatch.
27//!
28//! # Packing/Serialization
29//!
30//! Serialization is performed via two traits:
31//!
32//! * [`TryPack`] for serializing to the natural Spinel byte format
33//! for the given type. The key method on the trait is `try_pack()`.
34//! * [`TryPackAs<MarkerType>`][TryPackAs] for serializing to one of the specific
35//! Spinel format types. Since this trait is generic, a given type can
36//! have multiple implementations of this trait for serializing to the
37//! byte format specified by `MarkerType`. The key method on the trait
38//! is `try_pack_as()`.
39//!
40//! The `TryPack`/`TryPackAs` traits operate on types that implement `std::io::Write`,
41//! which includes `Vec<u8>` and `&mut&mut[u8]`.
42//!
43//! # Unpacking/Deserialization
44//!
45//! Deserialization is performed via three traits:
46//!
47//! * [`TryUnpack`] for deserializing bytes into an instance of the
48//! associated type `Self::Unpacked` (which is usually `Self`), inferring
49//! the byte format from the type.
50//! This trait supports deserializing to both borrowed types (like `&str`)
51//! and owned types (like `String`), and thus has a lifetime parameter.
52//! The key method on the trait is `try_unpack()`.
53//! * [`TryUnpackAs<MarkerType>`][TryUnpackAs] for deserializing a spinel
54//! field that is encoded as a `MarkerType` into an instance of the
55//! associated type `Self::Unpacked` (which is usually `Self`).
56//! This trait supports deserializing to both borrowed types (like `&str`)
57//! and owned types (like `String`), and thus has a lifetime parameter.
58//! The key method on the trait is `try_unpack_as()`.
59//! * [`TryOwnedUnpack`], which is similar to [`TryUnpack`] except that
60//! it supports *owned* types only (like `String`). The key method on the
61//! trait is `try_owned_unpack()`.
62//!
63//! The `TryUnpack`/`TryOwnedUnpack` traits operate on byte slices (`&[u8]`) and
64//! byte slice iterators (`std::slice::Iter<u8>`).
65//!
66//! # Supported Primitive Types
67//!
68//! This crate supports the following raw Spinel types:
69//!
70//! Char | Name | Type | Marker Type (if different)
71//! -----|-------------|-------------------|-------------------
72//! `.` | VOID | `()`
73//! `b` | BOOL | `bool`
74//! `C` | UINT8 | `u8`
75//! `c` | INT8 | `i8`
76//! `S` | UINT16 | `u16`
77//! `s` | INT16 | `i16`
78//! `L` | UINT32 | `u32`
79//! `l` | INT32 | `i32`
80//! `i` | UINT_PACKED | `u32` | [`SpinelUint`]
81//! `6` | IPv6ADDR | `std::net::Ipv6Addr`
82//! `E` | EUI64 | [`EUI64`]
83//! `e` | EUI48 | [`EUI48`]
84//! `D` | DATA | `&[u8]`/`Vec<u8>` | `[u8]`
85//! `d` | DATA_WLEN | `&[u8]`/`Vec<u8>` | [`SpinelDataWlen`]
86//! `U` | UTF8 | `&str`/`String` | `str`
87//!
88//! The Spinel *struct* (`t(...)`) and *array* (`A(...)`) types are not
89//! directly supported and will result in a compiler error if used
90//! in a Spinel format string. However, you can emulate the behavior of
91//! spinel structs by replacing the `t(...)` with a `d` and using another
92//! Spinel datatype (like one created with the `spinel_packed` attribute)
93//! instead of `&[u8]` or `Vec<u8>`.
94//!
95//! # How Format Strings Work
96//!
97//! The macro `spinel_write!(...)` can be used to directly unpack Spinel-encoded
98//! data into individual fields, with the encoded type being defined by a
99//! *format string*. This macro will parse the *format string*, associating each
100//! character in the string with a specific *Marker Type* and field argument. For each
101//! of the fields in the format, the macro will make a call into
102//! `TryPackAs<MarkerType>::try_pack_as(...)` for the given field's argument.
103//! If there is no implementation of `TryPackAs<MarkerType>` for the type of
104//! the field's argument, a compile-time error is generated.
105//!
106//! # Examples
107//!
108//! Struct example:
109//!
110//! ```
111//! use spinel_pack::prelude::*;
112//!
113//! #[spinel_packed("CiiLUE")]
114//! #[derive(Debug, Eq, PartialEq)]
115//! pub struct SomePackedData<'a> {
116//! foo: u8,
117//! bar: u32,
118//! blah: u32,
119//! bleh: u32,
120//! name: &'a str,
121//! addr: spinel_pack::EUI64,
122//! }
123//! ```
124//!
125//! Packing into a new `Vec`:
126//!
127//! ```
128//! # use spinel_pack::prelude::*;
129//! #
130//! # #[spinel_packed("CiiLUE")]
131//! # #[derive(Debug)]
132//! # pub struct SomePackedData<'a> {
133//! # foo: u8,
134//! # bar: u32,
135//! # blah: u32,
136//! # bleh: u32,
137//! # name: &'a str,
138//! # addr: spinel_pack::EUI64,
139//! # }
140//! #
141//! # fn main() -> std::io::Result<()> {
142//! let data = SomePackedData {
143//! foo: 10,
144//! bar: 20,
145//! blah: 30,
146//! bleh: 40,
147//! name: "This is a string",
148//! addr: spinel_pack::EUI64([0,0,0,0,0,0,0,0]),
149//! };
150//!
151//! let packed: Vec<u8> = data.try_packed()?;
152//! # let _ = packed;
153//! # Ok(())
154//! # }
155//! ```
156//!
157//! Packing into an existing array:
158//!
159//! ```
160//! # use spinel_pack::prelude::*;
161//! #
162//! # #[spinel_packed("CiiLUE")]
163//! # #[derive(Debug)]
164//! # pub struct SomePackedData<'a> {
165//! # foo: u8,
166//! # bar: u32,
167//! # blah: u32,
168//! # bleh: u32,
169//! # name: &'a str,
170//! # addr: spinel_pack::EUI64,
171//! # }
172//! #
173//! # fn main() -> std::io::Result<()> {
174//! let data = SomePackedData {
175//! foo: 10,
176//! bar: 20,
177//! blah: 30,
178//! bleh: 40,
179//! name: "This is a string",
180//! addr: spinel_pack::EUI64([0,0,0,0,0,0,0,0]),
181//! };
182//!
183//! let mut bytes = [0u8; 500];
184//! let length = data.try_pack(&mut &mut bytes[..])?;
185//! # let _ = length;
186//! # Ok(())
187//! # }
188//! ```
189//!
190//! Unpacking:
191//!
192//! ```
193//! # use spinel_pack::prelude::*;
194//! #
195//! # #[spinel_packed("CiiLUE")]
196//! # #[derive(Debug)]
197//! # pub struct SomePackedData<'a> {
198//! # foo: u8,
199//! # bar: u32,
200//! # blah: u32,
201//! # bleh: u32,
202//! # name: &'a str,
203//! # addr: spinel_pack::EUI64,
204//! # }
205//! #
206//! # fn main() -> anyhow::Result<()> {
207//! let bytes: &[u8] = &[0x01, 0x02, 0x03, 0xef, 0xbe, 0xad, 0xde, 0x31, 0x32, 0x33, 0x00, 0x02,
208//! 0xff, 0xff, 0xff, 0xff, 0xff, 0xff, 0xff, 0xff];
209//!
210//! let data = SomePackedData::try_unpack(&mut bytes.iter())?;
211//!
212//! assert_eq!(data.foo, 1);
213//! assert_eq!(data.bar, 2);
214//! assert_eq!(data.blah, 3);
215//! assert_eq!(data.bleh, 0xdeadbeef);
216//! assert_eq!(data.name, "123");
217//! assert_eq!(data.addr, spinel_pack::EUI64([0x02,0xff,0xff,0xff,0xff,0xff,0xff,0xff]));
218//! # Ok(())
219//! # }
220//! ```
221//!
222//! Spinel packed structs can be nested:
223//!
224//! ```
225//! # use spinel_pack::prelude::*;
226//! #
227//! # #[spinel_packed("CiiLUE")]
228//! # #[derive(Debug, Eq, PartialEq)]
229//! # pub struct SomePackedData<'a> {
230//! # foo: u8,
231//! # bar: u32,
232//! # blah: u32,
233//! # bleh: u32,
234//! # name: &'a str,
235//! # addr: spinel_pack::EUI64,
236//! # }
237//! #
238//! #[spinel_packed("idU")]
239//! #[derive(Debug, Eq, PartialEq)]
240//! pub struct SomeNestedData<'a> {
241//! foo: u32,
242//! test_struct_1: SomePackedData<'a>,
243//! name: String,
244//! }
245//! ```
246//!
247//! Each field of a struct must have an associated format type indicator:
248//!
249//! ```compile_fail
250//! # use spinel_pack::prelude::*;
251//! #[spinel_packed("i")]
252//! #[derive(Debug, Eq, PartialEq)]
253//! pub struct SomePackedData {
254//! foo: u32,
255//! data: &'a [u8], // Compiler error, no format type
256//! }
257//! ```
258//!
259//! Likewise, each format type indicator must have a field:
260//!
261//! ```compile_fail
262//! # use spinel_pack::prelude::*;
263//! #[spinel_packed("id")]
264//! #[derive(Debug, Eq, PartialEq)]
265//! pub struct SomePackedData {
266//! foo: u32,
267//! } // Compiler error, missing field for 'd'
268//! ```
269//!
270//! ```compile_fail
271//! #use spinel_pack::prelude::*;
272//! #[spinel_packed("id")]
273//! #[derive(Debug, Eq, PartialEq)]
274//! pub struct SomePackedData; // Compiler error, no fields at all
275//! ```
276//!
277//! Using `spinel_write!()`:
278//!
279//! ```
280//! # use spinel_pack::prelude::*;
281//! let mut target: Vec<u8> = vec![];
282//!
283//! spinel_write!(&mut target, "isc", 1, 2, 3)
284//! .expect("spinel_write failed");
285//!
286//! assert_eq!(target, vec![1u8,2u8,0u8,3u8]);
287//! ```
288//!
289//! Using `spinel_read!()`:
290//!
291//! ```
292//! # use spinel_pack::prelude::*;
293//! // The data to parse.
294//! let bytes: &[u8] = &[
295//! 0x01, 0x02, 0x83, 0x03, 0xef, 0xbe, 0xad, 0xde,
296//! 0x31, 0x32, 0x33, 0x00, 0x02, 0xf1, 0xf2, 0xf3,
297//! 0xf4, 0xf5, 0xf6, 0xf7,
298//! ];
299//!
300//! // The variables that we will place
301//! // the parsed values into. Note that
302//! // currently these need to be initialized
303//! // before they can be used with `spinel_read`.
304//! let mut foo: u8 = 0;
305//! let mut bar: u32 = 0;
306//! let mut blah: u32 = 0;
307//! let mut bleh: u32 = 0;
308//! let mut name: String = Default::default();
309//! let mut addr: spinel_pack::EUI64 = Default::default();
310//!
311//! // Parse the data.
312//! spinel_read!(&mut bytes.iter(), "CiiLUE", foo, bar, blah, bleh, name, addr)
313//! .expect("spinel_read failed");
314//!
315//! // Verify that the variables match
316//! // the values we expect.
317//! assert_eq!(foo, 1);
318//! assert_eq!(bar, 2);
319//! assert_eq!(blah, 387);
320//! assert_eq!(bleh, 0xdeadbeef);
321//! assert_eq!(name, "123");
322//! assert_eq!(addr, spinel_pack::EUI64([0x02, 0xf1, 0xf2, 0xf3, 0xf4, 0xf5, 0xf6, 0xf7]));
323//! ```
324
325#![warn(missing_docs)]
326#![warn(missing_debug_implementations)]
327#![warn(rust_2018_idioms)]
328// TODO(https://fxbug.dev/42126855): Remove
329#![allow(elided_lifetimes_in_paths)]
330#![allow(unused_mut)]
331// TODO(https://fxbug.dev/42073005): Remove this allow once the lint is fixed.
332#![allow(unknown_lints, clippy::extra_unused_type_parameters)]
333
334mod eui;
335mod primitives;
336
337use std::fmt::Debug;
338use std::io;
339
340pub use eui::{EUI48, EUI64};
341
342/// Attribute macro which takes a Spinel format string as an argument
343/// and automatically defines the `TryPack`/`TryUnpack` traits for the
344/// given struct.
345///
346/// The full list of traits implemented by this macro include:
347///
348/// * `TryPack`/`TryUnpack`
349/// * `TryPackAs<SpinelDataWlen>`/`TryUnpackAs<SpinelDataWlen>`
350/// * `TryPackAs<[u8]>`/`TryUnpackAs<[u8]>`
351///
352/// Additionally, if no lifetimes are specified, the following trait is
353/// also implemented:
354///
355/// * `TryOwnedUnpack`
356///
357pub use spinel_pack_macros::spinel_packed;
358
359/// In-line proc macro for writing spinel-formatted data fields to a type
360/// implementing `std::io::Write`.
361///
362/// ## Example ##
363///
364/// ```
365/// # use spinel_pack::prelude::*;
366/// let mut target: Vec<u8> = vec![];
367///
368/// spinel_write!(&mut target, "isc", 1, 2, 3)
369/// .expect("spinel_write failed");
370///
371/// assert_eq!(target, vec![1u8,2u8,0u8,3u8]);
372/// ```
373pub use spinel_pack_macros::spinel_write;
374
375/// In-line proc macro for determining the written length of spinel-formatted
376/// data fields.
377///
378/// ## Example ##
379///
380/// ```
381/// # use spinel_pack::prelude::*;
382/// let len = spinel_write_len!("isc", 1, 2, 3)
383/// .expect("spinel_write_len failed");
384///
385/// assert_eq!(len, 4);
386/// ```
387pub use spinel_pack_macros::spinel_write_len;
388
389/// In-line proc macro for parsing spinel-formatted data fields from
390/// a byte slice iterator.
391///
392/// ## Example ##
393///
394/// ```
395/// # use spinel_pack::prelude::*;
396/// // The data to parse.
397/// let bytes: &[u8] = &[
398/// 0x01, 0x02, 0x83, 0x03, 0xef, 0xbe, 0xad, 0xde,
399/// 0x31, 0x32, 0x33, 0x00, 0x02, 0xf1, 0xf2, 0xf3,
400/// 0xf4, 0xf5, 0xf6, 0xf7,
401/// ];
402///
403/// // The variables that we will place
404/// // the parsed values into. Note that
405/// // currently these need to be initialized
406/// // before they can be used with `spinel_read`.
407/// let mut foo: u8 = 0;
408/// let mut bar: u32 = 0;
409/// let mut blah: u32 = 0;
410/// let mut bleh: u32 = 0;
411/// let mut name: String = Default::default();
412/// let mut addr: spinel_pack::EUI64 = Default::default();
413///
414/// // Parse the data.
415/// spinel_read!(&mut bytes.iter(), "CiiLUE", foo, bar, blah, bleh, name, addr)
416/// .expect("spinel_read failed");
417///
418/// // Verify that the variables match
419/// // the values we expect.
420/// assert_eq!(foo, 1);
421/// assert_eq!(bar, 2);
422/// assert_eq!(blah, 387);
423/// assert_eq!(bleh, 0xdeadbeef);
424/// assert_eq!(name, "123");
425/// assert_eq!(addr, spinel_pack::EUI64([0x02, 0xf1, 0xf2, 0xf3, 0xf4, 0xf5, 0xf6, 0xf7]));
426/// ```
427pub use spinel_pack_macros::spinel_read;
428
429/// Error type for unpacking operations.
430///
431/// These errors end up being wrapped in an `anyhow::Error` type.
432#[derive(Debug, Eq, PartialEq, Hash, thiserror::Error)]
433pub enum UnpackingError {
434 /// A length field in the data overflowed the length of its container.
435 #[error("InvalidInternalLength")]
436 InvalidInternalLength,
437
438 /// One or more of the encoded fields contained an invalid value.
439 #[error("InvalidValue")]
440 InvalidValue,
441
442 /// The text string was not zero terminated.
443 #[error("UnterminatedString")]
444 UnterminatedString,
445}
446
447/// Marker trait for types which always serialize to the same length.
448pub trait SpinelFixedLen {
449 /// The length of the type, in bytes.
450 const FIXED_LEN: usize;
451}
452
453/// Trait implemented by data types that support being serialized
454/// to a spinel-based byte encoding.
455pub trait TryPack {
456 /// Uses Spinel encoding to serialize to a given `std::io::Write` reference.
457 fn try_pack<T: std::io::Write + ?Sized>(&self, buffer: &mut T) -> io::Result<usize>;
458
459 /// Calculates how many bytes this type will use when serialized.
460 fn pack_len(&self) -> io::Result<usize>;
461
462 /// Uses Spinel array encoding to serialize to a given `std::io::Write` reference.
463 ///
464 /// Array encoding is occasionally different than single-value encoding,
465 /// hence the need for a separate method.
466 ///
467 /// Default behavior is the same as `try_pack()`.
468 fn try_array_pack<T: std::io::Write + ?Sized>(&self, buffer: &mut T) -> io::Result<usize> {
469 self.try_pack(buffer)
470 }
471
472 /// Calculates how many bytes this type will use when serialized into an array.
473 ///
474 /// Array encoding is occasionally different than single-value encoding,
475 /// hence the need for a separate method.
476 ///
477 /// Default behavior is the same as `pack_len()`.
478 fn array_pack_len(&self) -> io::Result<usize> {
479 self.pack_len()
480 }
481
482 /// Convenience method which serializes to a new `Vec<u8>`.
483 fn try_packed(&self) -> io::Result<Vec<u8>> {
484 let mut packed = Vec::with_capacity(self.pack_len()?);
485 self.try_pack(&mut packed)?;
486 Ok(packed)
487 }
488}
489
490/// Trait implemented by data types that support being serialized
491/// to a specific spinel-based byte encoding, based on the marker type.
492///
493/// The generic parameter `Marker` is effectiely a part of the name of the
494/// trait and is not used directly by the trait. Types may implement more than
495/// one instance of this trait, each with a different marker type.
496/// For example, structs that use the `spinel_packed` attribute macro
497/// will implement both `TryPackAs<[u8]>` and `TryPackAs<SpinelDataWlen>`
498/// for handling the `D` and `d` Spinel field formats respectively when
499/// serializing.
500pub trait TryPackAs<Marker: ?Sized> {
501 /// Uses Spinel encoding to serialize to a given `std::io::Write` reference as the
502 /// Spinel type identified by `Marker`.
503 fn try_pack_as<T: std::io::Write + ?Sized>(&self, buffer: &mut T) -> io::Result<usize>;
504
505 /// Calculates how many bytes this type will use when serialized.
506 fn pack_as_len(&self) -> io::Result<usize>;
507}
508
509/// Trait for unpacking a spinel-encoded buffer to a specific type.
510///
511/// Similar to `TryOwnedUnpack`, except that it can also unpack into borrowed
512/// types, like `&[u8]` and `&str`.
513pub trait TryUnpack<'a> {
514 /// The type of the unpacked result. This can be the same as `Self`,
515 /// but in some cases it can be different. This is because `Self` is
516 /// a *marker type*, and may not even be `Sized`. For example, if `Self` is
517 /// `SpinelUint`, then `Unpacked` would be `u32` (because `SpinelUint` is just
518 /// a marker trait indicating a variably-sized unsigned integer).
519 type Unpacked: Send + Sized + Debug;
520
521 /// Attempts to decode the data at the given iterator into an instance
522 /// of `Self`.
523 fn try_unpack(iter: &mut std::slice::Iter<'a, u8>) -> anyhow::Result<Self::Unpacked>;
524
525 /// Attempts to decode an item from an array at the given iterator into
526 /// an instance of `Self`.
527 ///
528 /// Array encoding is occasionally different than single-value encoding,
529 /// hence the need for a separate method.
530 ///
531 /// Default behavior is the same as `try_unpack()`.
532 fn try_array_unpack(iter: &mut std::slice::Iter<'a, u8>) -> anyhow::Result<Self::Unpacked> {
533 Self::try_unpack(iter)
534 }
535
536 /// Convenience method for unpacking directly from a borrowed slice.
537 fn try_unpack_from_slice(slice: &'a [u8]) -> anyhow::Result<Self::Unpacked> {
538 Self::try_unpack(&mut slice.iter())
539 }
540}
541
542/// Trait for unpacking only into owned types, like `Vec<u8>` or `String`.
543///
544/// Similar to `TryUnpack`, except that this trait cannot unpack into borrowed
545/// types like `&[u8]` or `&str`.
546///
547/// If you have a `TryOwnedUnpack` implementation, you can automatically implement
548/// `TryUnpack` using the `impl_try_unpack_for_owned!` macro.
549pub trait TryOwnedUnpack: Send {
550 /// The type of the unpacked result. This can be the same as `Self`,
551 /// but in some cases it can be different. This is because `Self` is
552 /// a *marker type*, and may not even be `Sized`. For example, if `Self` is
553 /// `SpinelUint`, then `Unpacked` would be `u32` (because `SpinelUint` is just
554 /// a marker trait indicating a variably-sized unsigned integer).
555 type Unpacked: Send + Sized + Debug;
556
557 /// Attempts to decode the data at the given iterator into an instance
558 /// of `Self`, where `Self` must be an "owned" type.
559 fn try_owned_unpack(iter: &mut std::slice::Iter<'_, u8>) -> anyhow::Result<Self::Unpacked>;
560
561 /// Attempts to decode an item from an array at the given iterator into
562 /// an instance of `Self`, where `Self` must be an "owned" type.
563 ///
564 /// Array encoding is occasionally different than single-value encoding,
565 /// hence the need for a separate method.
566 ///
567 /// Default behavior is the same as `try_owned_unpack()`.
568 fn try_array_owned_unpack(
569 iter: &mut std::slice::Iter<'_, u8>,
570 ) -> anyhow::Result<Self::Unpacked> {
571 Self::try_owned_unpack(iter)
572 }
573
574 /// Convenience method for unpacking directly from a borrowed slice.
575 fn try_owned_unpack_from_slice(slice: &'_ [u8]) -> anyhow::Result<Self::Unpacked> {
576 Self::try_owned_unpack(&mut slice.iter())
577 }
578}
579
580/// Trait for unpacking a spinel-encoded buffer to a specific type when the field
581/// type is known.
582///
583/// The generic parameter `Marker` is effectiely a part of the name of the
584/// trait and is not used directly by the trait. Types may implement more than
585/// one instance of this trait, each with a different marker type.
586/// For example, structs that use the `spinel_packed` attribute macro
587/// will implement both `TryUnpackAs<[u8]>` and `TryUnpackAs<SpinelDataWlen>`
588/// for handling the `D` and `d` Spinel field formats respectively when
589/// deserializing.
590pub trait TryUnpackAs<'a, Marker: ?Sized>: Sized {
591 /// Attempts to decode the data (with a format determined by `Marker`) at the given
592 /// iterator into an instance of `Self`.
593 fn try_unpack_as(iter: &mut std::slice::Iter<'a, u8>) -> anyhow::Result<Self>;
594
595 /// Convenience method for unpacking directly from a borrowed slice.
596 fn try_unpack_as_from_slice(slice: &'a [u8]) -> anyhow::Result<Self> {
597 Self::try_unpack_as(&mut slice.iter())
598 }
599}
600
601/// Provides an automatic implementation of [`TryUnpack`] when
602/// wrapped around an implementation of [`TryOwnedUnpack`].
603///
604/// ## Example ##
605///
606/// The following usage will create an implementation of the `TryUnpack`
607/// trait for `Vec<u8>` that uses the given implementation of `TryOwnedUnpack`:
608///
609/// ```no_compile
610/// # use spinel_pack::{TryOwnedUnpack, prelude::*};
611/// impl_try_unpack_for_owned! {
612/// impl TryOwnedUnpack for Vec<u8> {
613/// type Unpacked = Self;
614/// fn try_owned_unpack(iter: &mut std::slice::Iter<'_, u8>) -> anyhow::Result<Self::Unpacked> {
615/// Ok(<&[u8]>::try_unpack(iter)?.to_owned())
616/// }
617/// }
618/// }
619/// ```
620#[macro_export]
621macro_rules! impl_try_unpack_for_owned(
622 (impl TryOwnedUnpack for $t:ty { $($rest:tt)* }) => {
623 impl_try_unpack_for_owned!($t);
624 impl TryOwnedUnpack for $t { $($rest)* }
625 };
626 ($t:ty) => {
627 impl<'a> TryUnpack<'a> for $t {
628 type Unpacked = <$t as TryOwnedUnpack>::Unpacked;
629 fn try_unpack(iter: &mut std::slice::Iter<'a, u8>) -> anyhow::Result<Self::Unpacked> {
630 <$t as TryOwnedUnpack>::try_owned_unpack(iter)
631 }
632 }
633 };
634);
635
636/// Marker type used to specify integers encoded with Spinel's variable-length unsigned
637/// integer encoding.
638///
639/// This type is necessary because `u32` is defined to mean a fixed-length
640/// encoding, whereas this type can be encoded with a variable length.
641///
642/// This type has no size and is used only with the [`TryPackAs`]/[`TryUnpackAs`] traits
643/// and in the base type for [`TryUnpack`]/[`TryOwnedUnpack`].
644#[derive(Debug)]
645pub enum SpinelUint {}
646
647/// Marker type used to specify data fields that are prepended with its length.
648///
649/// This type is necessary because `[u8]` is already defined to assume the
650/// remaining length of the buffer.
651///
652/// This type has no size and is used only with the [`TryPackAs`]/[`TryUnpackAs`] traits
653/// and in the base type for [`TryUnpack`]/[`TryOwnedUnpack`].
654#[derive(Debug)]
655pub enum SpinelDataWlen {}
656
657/// Prelude module intended for blanket inclusion to make the crate
658/// easier to use.
659///
660/// ```
661/// # #[allow(unused)]
662/// use spinel_pack::prelude::*;
663/// ```
664pub mod prelude {
665 pub use super::{
666 spinel_read, spinel_write, spinel_write_len, TryOwnedUnpack as _, TryPack as _,
667 TryPackAs as _, TryUnpack as _, TryUnpackAs as _,
668 };
669 pub use impl_try_unpack_for_owned;
670 pub use spinel_pack_macros::spinel_packed;
671}
672
673#[cfg(test)]
674use crate as spinel_pack;
675
676#[cfg(test)]
677mod tests {
678
679 use super::*;
680
681 #[spinel_packed("CiiLUE")]
682 #[derive(Debug, Eq, PartialEq)]
683 pub struct TestStruct1<'a> {
684 foo: u8,
685 bar: u32,
686 blah: u32,
687 bleh: u32,
688 name: &'a str,
689 addr: spinel_pack::EUI64,
690 }
691
692 #[test]
693 fn test_spinel_write_1() {
694 let bytes: &[u8] = &[
695 0x01, 0x02, 0x83, 0x03, 0xef, 0xbe, 0xad, 0xde, 0x31, 0x32, 0x33, 0x00, 0x02, 0xf1,
696 0xf2, 0xf3, 0xf4, 0xf5, 0xf6, 0xf7,
697 ];
698
699 let mut target: Vec<u8> = vec![];
700
701 let _x = spinel_write!(
702 &mut target,
703 "CiiLUE",
704 1,
705 2,
706 387,
707 0xdeadbeef,
708 "123",
709 spinel_pack::EUI64([0x02, 0xf1, 0xf2, 0xf3, 0xf4, 0xf5, 0xf6, 0xf7])
710 )
711 .unwrap();
712
713 assert_eq!(bytes, target.as_slice());
714 }
715
716 #[test]
717 fn test_spinel_read_1() {
718 let bytes: &[u8] = &[
719 0x01, 0x02, 0x83, 0x03, 0xef, 0xbe, 0xad, 0xde, 0x31, 0x32, 0x33, 0x00, 0x02, 0xf1,
720 0xf2, 0xf3, 0xf4, 0xf5, 0xf6, 0xf7,
721 ];
722
723 let mut foo: u8 = 0;
724 let mut bar: u32 = 0;
725 let mut blah: u32 = 0;
726 let mut bleh: u32 = 0;
727 let mut name: String = Default::default();
728 let mut addr: EUI64 = Default::default();
729 spinel_read!(&mut bytes.iter(), "CiiLUE", foo, bar, blah, bleh, name, addr).unwrap();
730
731 assert_eq!(foo, 1);
732 assert_eq!(bar, 2);
733 assert_eq!(blah, 387);
734 assert_eq!(bleh, 0xdeadbeef);
735 assert_eq!(name, "123");
736 assert_eq!(addr, spinel_pack::EUI64([0x02, 0xf1, 0xf2, 0xf3, 0xf4, 0xf5, 0xf6, 0xf7]));
737 }
738
739 #[test]
740 fn test_struct_1() {
741 let bytes: &[u8] = &[
742 0x01, 0x02, 0x83, 0x03, 0xef, 0xbe, 0xad, 0xde, 0x31, 0x32, 0x33, 0x00, 0x02, 0xf1,
743 0xf2, 0xf3, 0xf4, 0xf5, 0xf6, 0xf7,
744 ];
745
746 let data = TestStruct1::try_unpack(&mut bytes.iter()).expect("unpack failed");
747
748 assert_eq!(data.foo, 1);
749 assert_eq!(data.bar, 2);
750 assert_eq!(data.blah, 387);
751 assert_eq!(data.bleh, 0xdeadbeef);
752 assert_eq!(data.name, "123");
753 assert_eq!(data.addr, spinel_pack::EUI64([0x02, 0xf1, 0xf2, 0xf3, 0xf4, 0xf5, 0xf6, 0xf7]));
754 }
755
756 #[spinel_packed("idU")]
757 #[derive(Debug, Eq, PartialEq)]
758 pub struct TestStruct2<'a> {
759 foo: u32,
760 test_struct_1: TestStruct1<'a>,
761 name: String,
762 }
763
764 #[test]
765 fn test_struct_2() {
766 let struct_2 = TestStruct2 {
767 foo: 31337,
768 test_struct_1: TestStruct1 {
769 foo: 100,
770 bar: 200,
771 blah: 300,
772 bleh: 400,
773 name: "Test Struct 1",
774 addr: spinel_pack::EUI64([0x02, 0xff, 0xff, 0xff, 0xff, 0xff, 0xff, 0xff]),
775 },
776 name: "Test Struct 2".to_string(),
777 };
778
779 let packed = struct_2.try_packed().unwrap();
780
781 println!("packed: {packed:?}");
782
783 let unpacked = TestStruct2::try_unpack(&mut packed.iter()).unwrap();
784
785 assert_eq!(struct_2, unpacked);
786 }
787
788 #[spinel_packed("idU")]
789 #[derive(Debug, Eq, PartialEq)]
790 pub struct TestStruct3<'a>(pub u32, pub TestStruct1<'a>, pub String);
791
792 #[test]
793 fn test_struct_3() {
794 let struct_3 = TestStruct3(
795 31337,
796 TestStruct1 {
797 foo: 100,
798 bar: 200,
799 blah: 300,
800 bleh: 400,
801 name: "Test Struct 1",
802 addr: spinel_pack::EUI64([0x02, 0xff, 0xff, 0xff, 0xff, 0xff, 0xff, 0xff]),
803 },
804 "Test Struct 2".to_string(),
805 );
806
807 let packed = struct_3.try_packed().unwrap();
808
809 println!("packed: {packed:?}");
810
811 let unpacked = TestStruct3::try_unpack(&mut packed.iter()).unwrap();
812
813 assert_eq!(struct_3, unpacked);
814 }
815
816 #[spinel_packed("bCcSsLlXxidD")]
817 #[derive(Debug, Eq, PartialEq)]
818 pub struct TestStruct4(bool, u8, i8, u16, i16, u32, i32, u64, i64, u32, Vec<u8>, Vec<u8>);
819
820 #[test]
821 fn test_struct_4() {
822 let struct_4 = TestStruct4(
823 false,
824 123,
825 -123,
826 1337,
827 -1337,
828 41337,
829 -41337,
830 123123123123,
831 -123123123123,
832 31337,
833 vec![0xde, 0xad, 0xbe, 0xef],
834 vec![0xba, 0xdc, 0x0f, 0xfe],
835 );
836
837 let packed = struct_4.try_packed().unwrap();
838
839 println!("packed: {packed:?}");
840
841 let unpacked = TestStruct4::try_unpack(&mut packed.iter()).unwrap();
842
843 assert_eq!(struct_4, unpacked);
844 }
845}