serde_arrays/
lib.rs

1// Copyright 2021 Travis Veazey
2//
3// Licensed under the Apache License, Version 2.0, <LICENSE-APACHE or
4// https://apache.org/licenses/LICENSE-2.0> or the MIT license <LICENSE-MIT or
5// https://opensource.org/licenses/MIT>, at your option. This file may not be
6// copied, modified, or distributed except according to those terms.
7
8//! Serialize and deserialize const generic or arbitrarily-large arrays with [Serde].
9//!
10//! Out of the box, Serde supports [a lot of types](https://serde.rs/data-model.html#types), but
11//! unfortunately lacks support for arrays that use const generics. This library provides a module
12//! that, in combination with Serde's [`with`](https://serde.rs/field-attrs.html#with) attribute,
13//! adds that support.
14//!
15//! # Example usage
16//!
17//! ```
18//! use serde::{Serialize, Deserialize};
19//! use serde_json;
20//!
21//! #[derive(Serialize, Deserialize, Debug, PartialEq, Eq)]
22//! struct GenericArray<const N: usize> {
23//!     #[serde(with = "serde_arrays")]
24//!     arr: [u32; N],
25//! }
26//!
27//! let data = GenericArray{ arr: [1; 16] };
28//! let json = serde_json::to_string(&data)?;
29//! let de_data = serde_json::from_str(&json)?;
30//!
31//! assert_eq!(data, de_data);
32//! # Ok::<(), serde_json::Error>(())
33//! ```
34//!
35//! As an added bonus, this also adds support for arbitrarily large arrays beyond the 32 elements
36//! that Serde supports:
37//!
38//! ```
39//! # use serde::{Serialize, Deserialize};
40//! # use serde_json;
41//! #[derive(Serialize, Deserialize, Debug, PartialEq, Eq)]
42//! struct LargeArray {
43//!     #[serde(with = "serde_arrays")]
44//!     arr: [u32; 64],
45//! }
46//! # let data = LargeArray{ arr: [1; 64] };
47//! # let json = serde_json::to_string(&data)?;
48//! # let de_data = serde_json::from_str(&json)?;
49//! # assert_eq!(data, de_data);
50//! # Ok::<(), serde_json::Error>(())
51//! ```
52//!
53//! Tuple structs are supported just as easily:
54//!
55//! ```
56//! # use serde::{Serialize, Deserialize};
57//! # use serde_json;
58//! #[derive(Serialize, Deserialize, Debug, PartialEq, Eq)]
59//! struct TupleStruct<const N: usize>(
60//!     #[serde(with = "serde_arrays")]
61//!     [u32; N],
62//! );
63//! # let data = TupleStruct([1; 64]);
64//! # let json = serde_json::to_string(&data)?;
65//! # let de_data = serde_json::from_str(&json)?;
66//! # assert_eq!(data, de_data);
67//! # Ok::<(), serde_json::Error>(())
68//! ```
69//!
70//! # MSRV
71//!
72//! This library relies on the const generics feature introduced in Rust 1.51.0.
73//!
74//! # Relevant links
75//!
76//!  * The [Serde issue](https://github.com/serde-rs/serde/issues/1937) for const generics support
77//!  * [serde-big-array](https://crates.io/crates/serde-big-array) is a similar crate, but it
78//!    depends on `unsafe` code (whether its use of such is safe or not is beyond this scope)
79//!
80//! [Serde]: https://serde.rs/
81
82use serde::{
83    de::{self, Deserialize, Deserializer, SeqAccess, Visitor},
84    ser::{Serialize, SerializeTuple, Serializer},
85};
86use std::{convert::TryInto, fmt, marker::PhantomData};
87
88/// Serialize const generic or arbitrarily-large arrays
89///
90/// For any array up to length `usize::MAX`, this function will allow Serde to properly serialize
91/// it, provided of course that the type `T` is itself serializable.
92///
93/// This implementation is adapted from the [Serde documentataion][serialize_map]
94///
95/// [serialize_map]: https://serde.rs/impl-serialize.html#serializing-a-sequence-or-map
96pub fn serialize<S, T, const N: usize>(data: &[T; N], ser: S) -> Result<S::Ok, S::Error>
97where
98    S: Serializer,
99    T: Serialize,
100{
101    // Fixed-length structures, including arrays, are supported in Serde as tuples
102    // See: https://serde.rs/impl-serialize.html#serializing-a-tuple
103    let mut s = ser.serialize_tuple(N)?;
104    for item in data {
105        s.serialize_element(item)?;
106    }
107    s.end()
108}
109
110/// A Serde Deserializer `Visitor` for [T; N] arrays
111struct ArrayVisitor<T, const N: usize> {
112    // Literally nothing (a "phantom"), but stops Rust complaining about the "unused" T parameter
113    _marker: PhantomData<T>,
114}
115
116impl<'de, T, const N: usize> Visitor<'de> for ArrayVisitor<T, N>
117where
118    T: Deserialize<'de>,
119{
120    type Value = [T; N];
121
122    /// Format a message stating we expect an array of size `N`
123    fn expecting(&self, formatter: &mut fmt::Formatter) -> fmt::Result {
124        write!(formatter, "an array of size {}", N)
125    }
126
127    /// Process a sequence into an array
128    fn visit_seq<A>(self, mut seq: A) -> Result<Self::Value, A::Error>
129    where
130        A: SeqAccess<'de>,
131    {
132        // Build a temporary container to hold our data as we deserialize it
133        // We can't rely on a Default<T> implementation, so we can't use an array here
134        let mut arr = Vec::with_capacity(N);
135
136        while let Some(val) = seq.next_element()? {
137            arr.push(val);
138        }
139
140        // We can convert a Vec into an array via TryInto, which will fail if the length of the Vec
141        // doesn't match that of the array.
142        match arr.try_into() {
143            Ok(arr) => Ok(arr),
144            Err(arr) => Err(de::Error::invalid_length(arr.len(), &self)),
145        }
146    }
147}
148
149/// Deserialize const generic or arbitrarily-large arrays
150///
151/// For any array up to length `usize::MAX`, this function will allow Serde to properly deserialize
152/// it, provided the type `T` itself is deserializable.
153///
154/// This implementation is adapted from the [Serde documentation][deserialize_map].
155///
156/// [deserialize_map]: https://serde.rs/deserialize-map.html
157pub fn deserialize<'de, D, T, const N: usize>(deserialize: D) -> Result<[T; N], D::Error>
158where
159    D: Deserializer<'de>,
160    T: Deserialize<'de>,
161{
162    deserialize.deserialize_tuple(
163        N,
164        ArrayVisitor {
165            _marker: PhantomData,
166        },
167    )
168}
169
170/// Hacky way to include README in doc-tests, but works until #[doc(include...)] is stabilized
171/// https://github.com/rust-lang/cargo/issues/383#issuecomment-720873790
172#[cfg(doctest)]
173mod test_readme {
174    macro_rules! external_doc_test {
175        ($x:expr) => {
176            #[doc = $x]
177            extern "C" {}
178        };
179    }
180
181    external_doc_test!(include_str!("../README.md"));
182}