Skip to main content

tor_bytes/
lib.rs

1#![cfg_attr(docsrs, feature(doc_cfg))]
2#![doc = include_str!("../README.md")]
3// @@ begin lint list maintained by maint/add_warning @@
4#![allow(renamed_and_removed_lints)] // @@REMOVE_WHEN(ci_arti_stable)
5#![allow(unknown_lints)] // @@REMOVE_WHEN(ci_arti_nightly)
6#![warn(missing_docs)]
7#![warn(noop_method_call)]
8#![warn(unreachable_pub)]
9#![warn(clippy::all)]
10#![deny(clippy::await_holding_lock)]
11#![deny(clippy::cargo_common_metadata)]
12#![deny(clippy::cast_lossless)]
13#![deny(clippy::checked_conversions)]
14#![warn(clippy::cognitive_complexity)]
15#![deny(clippy::debug_assert_with_mut_call)]
16#![deny(clippy::exhaustive_enums)]
17#![deny(clippy::exhaustive_structs)]
18#![deny(clippy::expl_impl_clone_on_copy)]
19#![deny(clippy::fallible_impl_from)]
20#![deny(clippy::implicit_clone)]
21#![deny(clippy::large_stack_arrays)]
22#![warn(clippy::manual_ok_or)]
23#![deny(clippy::missing_docs_in_private_items)]
24#![warn(clippy::needless_borrow)]
25#![warn(clippy::needless_pass_by_value)]
26#![warn(clippy::option_option)]
27#![deny(clippy::print_stderr)]
28#![deny(clippy::print_stdout)]
29#![warn(clippy::rc_buffer)]
30#![deny(clippy::ref_option_ref)]
31#![warn(clippy::semicolon_if_nothing_returned)]
32#![warn(clippy::trait_duplication_in_bounds)]
33#![deny(clippy::unchecked_time_subtraction)]
34#![deny(clippy::unnecessary_wraps)]
35#![warn(clippy::unseparated_literal_suffix)]
36#![deny(clippy::unwrap_used)]
37#![deny(clippy::mod_module_files)]
38#![allow(clippy::let_unit_value)] // This can reasonably be done for explicitness
39#![allow(clippy::uninlined_format_args)]
40#![allow(clippy::significant_drop_in_scrutinee)] // arti/-/merge_requests/588/#note_2812945
41#![allow(clippy::result_large_err)] // temporary workaround for arti#587
42#![allow(clippy::needless_raw_string_hashes)] // complained-about code is fine, often best
43#![allow(clippy::needless_lifetimes)] // See arti#1765
44#![allow(mismatched_lifetime_syntaxes)] // temporary workaround for arti#2060
45#![deny(clippy::unused_async)]
46//! <!-- @@ end lint list maintained by maint/add_warning @@ -->
47
48mod err;
49mod impls;
50mod reader;
51mod secretbuf;
52mod writer;
53
54pub use err::{EncodeError, Error};
55pub use reader::{Cursor, Reader};
56pub use secretbuf::SecretBuf;
57pub use writer::Writer;
58
59/// Result type returned by this crate for [`Reader`]-related methods.
60pub type Result<T> = std::result::Result<T, Error>;
61/// Result type returned by this crate for [`Writer`]-related methods.
62pub type EncodeResult<T> = std::result::Result<T, EncodeError>;
63
64/// Trait for an object that can be encoded onto a Writer by reference.
65///
66/// Implement this trait in order to make an object writeable.
67///
68/// Most code won't need to call this directly, but will instead use
69/// it implicitly via the Writer::write() method.
70///
71/// # Example
72///
73/// ```
74/// use tor_bytes::{Writeable, Writer, EncodeResult};
75/// #[derive(Debug, Eq, PartialEq)]
76/// struct Message {
77///   flags: u32,
78///   cmd: u8
79/// }
80///
81/// impl Writeable for Message {
82///     fn write_onto<B:Writer+?Sized>(&self, b: &mut B) -> EncodeResult<()> {
83///         // We'll say that a "Message" is encoded as flags, then command.
84///         b.write_u32(self.flags);
85///         b.write_u8(self.cmd);
86///         Ok(())
87///     }
88/// }
89///
90/// let msg = Message { flags: 0x43, cmd: 0x07 };
91/// let mut writer: Vec<u8> = Vec::new();
92/// writer.write(&msg);
93/// assert_eq!(writer, &[0x00, 0x00, 0x00, 0x43, 0x07 ]);
94/// ```
95pub trait Writeable {
96    /// Encode this object into the writer `b`.
97    fn write_onto<B: Writer + ?Sized>(&self, b: &mut B) -> EncodeResult<()>;
98}
99
100/// Trait for an object that can be encoded and consumed by a Writer.
101///
102/// Implement this trait in order to make an object that can be
103/// written more efficiently by absorbing it into the writer.
104///
105/// Most code won't need to call this directly, but will instead use
106/// it implicitly via the Writer::write_and_consume() method.
107pub trait WriteableOnce: Sized {
108    /// Encode this object into the writer `b`, and consume it.
109    fn write_into<B: Writer + ?Sized>(self, b: &mut B) -> EncodeResult<()>;
110}
111
112impl<W: Writeable + Sized> WriteableOnce for W {
113    fn write_into<B: Writer + ?Sized>(self, b: &mut B) -> EncodeResult<()> {
114        self.write_onto(b)
115    }
116}
117
118impl<W: Writeable + ?Sized> Writeable for &W {
119    fn write_onto<B: Writer + ?Sized>(&self, b: &mut B) -> EncodeResult<()> {
120        (*self).write_onto(b)
121    }
122}
123
124// ----------------------------------------------------------------------
125
126/// Trait for an object that can be extracted from a Reader.
127///
128/// Implement this trait in order to make an object that can (maybe)
129/// be decoded from a reader.
130//
131/// Most code won't need to call this directly, but will instead use
132/// it implicitly via the Reader::extract() method.
133///
134/// # Correctness (determinism), and error handling
135///
136/// The `take_from` method should produce consistent and deterministic results.
137///
138/// If `take_from` returns `Ok`, consuming some data,
139/// a future call with a reader which has that consumed data as a prefix,
140/// must consume the same data and succeed with an equivalent value.
141///
142/// If `take_from` returns `Err`, it is allowed to have consumed
143/// none, any, or all, of the `Reader`.
144///
145/// If `take_from` returns `Error::Incomplete`:
146/// then calling `take_from` again on a similar `Reader`
147/// (ie, where the old reader is a prefix of the new, or vice versa)
148/// must do one of the following:
149///  * Succeed, consuming at least as many bytes as
150///    were available in the previous reader plus `deficit`.
151///  * Return `Error::Incomplete` with a consistent value of `deficit`.
152///
153/// If `take_from` fails another way with some reader, it must fail the same way
154/// with all other readers which have that reader as a prefix.
155///
156/// (Here, "prefix" and "length" relate only to the remaining bytes in the `Reader`,
157/// irrespective of the length or value of any bytes which were previously consumed.)
158///
159/// (tor-socksproto relies on these properties.)
160///
161/// Specific implementations may provide stronger guarantees.
162///
163/// # Example
164///
165/// ```
166/// use tor_bytes::{Readable,Reader,Result};
167/// #[derive(Debug, Eq, PartialEq)]
168/// struct Message {
169///   flags: u32,
170///   cmd: u8
171/// }
172///
173/// impl Readable for Message {
174///     fn take_from(r: &mut Reader<'_>) -> Result<Self> {
175///         // A "Message" is encoded as flags, then command.
176///         let flags = r.take_u32()?;
177///         let cmd = r.take_u8()?;
178///         Ok(Message{ flags, cmd })
179///     }
180/// }
181///
182/// let encoded = [0x00, 0x00, 0x00, 0x43, 0x07 ];
183/// let mut reader = Reader::from_slice(&encoded);
184/// let m: Message = reader.extract()?;
185/// assert_eq!(m, Message { flags: 0x43, cmd: 0x07 });
186/// reader.should_be_exhausted()?; // make sure there are no bytes left over
187/// # Result::Ok(())
188/// ```
189pub trait Readable: Sized {
190    /// Try to extract an object of this type from a Reader.
191    ///
192    /// Implementations should generally try to be efficient: this is
193    /// not the right place to check signatures or perform expensive
194    /// operations.  If you have an object that must not be used until
195    /// it is finally validated, consider making this function return
196    /// a wrapped type that can be unwrapped later on once it gets
197    /// checked.
198    fn take_from(b: &mut Reader<'_>) -> Result<Self>;
199}
200
201// ----------------------------------------------------------------------
202
203#[cfg(test)]
204mod test {
205    // @@ begin test lint list maintained by maint/add_warning @@
206    #![allow(clippy::bool_assert_comparison)]
207    #![allow(clippy::clone_on_copy)]
208    #![allow(clippy::dbg_macro)]
209    #![allow(clippy::mixed_attributes_style)]
210    #![allow(clippy::print_stderr)]
211    #![allow(clippy::print_stdout)]
212    #![allow(clippy::single_char_pattern)]
213    #![allow(clippy::unwrap_used)]
214    #![allow(clippy::unchecked_time_subtraction)]
215    #![allow(clippy::useless_vec)]
216    #![allow(clippy::needless_pass_by_value)]
217    //! <!-- @@ end test lint list maintained by maint/add_warning @@ -->
218    use super::*;
219
220    #[test]
221    fn writer() {
222        let mut v: Vec<u8> = Vec::new();
223        v.write_u8(0x57);
224        v.write_u16(0x6520);
225        v.write_u32(0x68617665);
226        v.write_u64(0x2061206d61636869);
227        v.write_all(b"ne in a plexiglass dome");
228        v.write_zeros(3);
229        assert_eq!(&v[..], &b"We have a machine in a plexiglass dome\0\0\0"[..]);
230    }
231}