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
#![allow(clippy::collapsible_if)] // See arti#2342
46
#![deny(clippy::unused_async)]
47
//! <!-- @@ end lint list maintained by maint/add_warning @@ -->
48

            
49
mod err;
50
mod impls;
51
mod reader;
52
mod secretbuf;
53
mod writer;
54

            
55
pub use err::{EncodeError, Error};
56
pub use reader::{Cursor, Reader};
57
pub use secretbuf::SecretBuf;
58
pub use writer::Writer;
59

            
60
/// Result type returned by this crate for [`Reader`]-related methods.
61
pub type Result<T> = std::result::Result<T, Error>;
62
/// Result type returned by this crate for [`Writer`]-related methods.
63
pub type EncodeResult<T> = std::result::Result<T, EncodeError>;
64

            
65
/// Trait for an object that can be encoded onto a Writer by reference.
66
///
67
/// Implement this trait in order to make an object writeable.
68
///
69
/// Most code won't need to call this directly, but will instead use
70
/// it implicitly via the Writer::write() method.
71
///
72
/// # Example
73
///
74
/// ```
75
/// use tor_bytes::{Writeable, Writer, EncodeResult};
76
/// #[derive(Debug, Eq, PartialEq)]
77
/// struct Message {
78
///   flags: u32,
79
///   cmd: u8
80
/// }
81
///
82
/// impl Writeable for Message {
83
///     fn write_onto<B:Writer+?Sized>(&self, b: &mut B) -> EncodeResult<()> {
84
///         // We'll say that a "Message" is encoded as flags, then command.
85
///         b.write_u32(self.flags);
86
///         b.write_u8(self.cmd);
87
///         Ok(())
88
///     }
89
/// }
90
///
91
/// let msg = Message { flags: 0x43, cmd: 0x07 };
92
/// let mut writer: Vec<u8> = Vec::new();
93
/// writer.write(&msg);
94
/// assert_eq!(writer, &[0x00, 0x00, 0x00, 0x43, 0x07 ]);
95
/// ```
96
pub trait Writeable {
97
    /// Encode this object into the writer `b`.
98
    fn write_onto<B: Writer + ?Sized>(&self, b: &mut B) -> EncodeResult<()>;
99
}
100

            
101
/// Trait for an object that can be encoded and consumed by a Writer.
102
///
103
/// Implement this trait in order to make an object that can be
104
/// written more efficiently by absorbing it into the writer.
105
///
106
/// Most code won't need to call this directly, but will instead use
107
/// it implicitly via the Writer::write_and_consume() method.
108
pub trait WriteableOnce: Sized {
109
    /// Encode this object into the writer `b`, and consume it.
110
    fn write_into<B: Writer + ?Sized>(self, b: &mut B) -> EncodeResult<()>;
111
}
112

            
113
impl<W: Writeable + Sized> WriteableOnce for W {
114
11719
    fn write_into<B: Writer + ?Sized>(self, b: &mut B) -> EncodeResult<()> {
115
11719
        self.write_onto(b)
116
11719
    }
117
}
118

            
119
impl<W: Writeable + ?Sized> Writeable for &W {
120
1104
    fn write_onto<B: Writer + ?Sized>(&self, b: &mut B) -> EncodeResult<()> {
121
1104
        (*self).write_onto(b)
122
1104
    }
123
}
124

            
125
// ----------------------------------------------------------------------
126

            
127
/// Trait for an object that can be extracted from a Reader.
128
///
129
/// Implement this trait in order to make an object that can (maybe)
130
/// be decoded from a reader.
131
//
132
/// Most code won't need to call this directly, but will instead use
133
/// it implicitly via the Reader::extract() method.
134
///
135
/// # Correctness (determinism), and error handling
136
///
137
/// The `take_from` method should produce consistent and deterministic results.
138
///
139
/// If `take_from` returns `Ok`, consuming some data,
140
/// a future call with a reader which has that consumed data as a prefix,
141
/// must consume the same data and succeed with an equivalent value.
142
///
143
/// If `take_from` returns `Err`, it is allowed to have consumed
144
/// none, any, or all, of the `Reader`.
145
///
146
/// If `take_from` returns `Error::Incomplete`:
147
/// then calling `take_from` again on a similar `Reader`
148
/// (ie, where the old reader is a prefix of the new, or vice versa)
149
/// must do one of the following:
150
///  * Succeed, consuming at least as many bytes as
151
///    were available in the previous reader plus `deficit`.
152
///  * Return `Error::Incomplete` with a consistent value of `deficit`.
153
///
154
/// If `take_from` fails another way with some reader, it must fail the same way
155
/// with all other readers which have that reader as a prefix.
156
///
157
/// (Here, "prefix" and "length" relate only to the remaining bytes in the `Reader`,
158
/// irrespective of the length or value of any bytes which were previously consumed.)
159
///
160
/// (tor-socksproto relies on these properties.)
161
///
162
/// Specific implementations may provide stronger guarantees.
163
///
164
/// # Example
165
///
166
/// ```
167
/// use tor_bytes::{Readable,Reader,Result};
168
/// #[derive(Debug, Eq, PartialEq)]
169
/// struct Message {
170
///   flags: u32,
171
///   cmd: u8
172
/// }
173
///
174
/// impl Readable for Message {
175
///     fn take_from(r: &mut Reader<'_>) -> Result<Self> {
176
///         // A "Message" is encoded as flags, then command.
177
///         let flags = r.take_u32()?;
178
///         let cmd = r.take_u8()?;
179
///         Ok(Message{ flags, cmd })
180
///     }
181
/// }
182
///
183
/// let encoded = [0x00, 0x00, 0x00, 0x43, 0x07 ];
184
/// let mut reader = Reader::from_slice(&encoded);
185
/// let m: Message = reader.extract()?;
186
/// assert_eq!(m, Message { flags: 0x43, cmd: 0x07 });
187
/// reader.should_be_exhausted()?; // make sure there are no bytes left over
188
/// # Result::Ok(())
189
/// ```
190
pub trait Readable: Sized {
191
    /// Try to extract an object of this type from a Reader.
192
    ///
193
    /// Implementations should generally try to be efficient: this is
194
    /// not the right place to check signatures or perform expensive
195
    /// operations.  If you have an object that must not be used until
196
    /// it is finally validated, consider making this function return
197
    /// a wrapped type that can be unwrapped later on once it gets
198
    /// checked.
199
    fn take_from(b: &mut Reader<'_>) -> Result<Self>;
200
}
201

            
202
// ----------------------------------------------------------------------
203

            
204
#[cfg(test)]
205
mod test {
206
    // @@ begin test lint list maintained by maint/add_warning @@
207
    #![allow(clippy::bool_assert_comparison)]
208
    #![allow(clippy::clone_on_copy)]
209
    #![allow(clippy::dbg_macro)]
210
    #![allow(clippy::mixed_attributes_style)]
211
    #![allow(clippy::print_stderr)]
212
    #![allow(clippy::print_stdout)]
213
    #![allow(clippy::single_char_pattern)]
214
    #![allow(clippy::unwrap_used)]
215
    #![allow(clippy::unchecked_time_subtraction)]
216
    #![allow(clippy::useless_vec)]
217
    #![allow(clippy::needless_pass_by_value)]
218
    //! <!-- @@ end test lint list maintained by maint/add_warning @@ -->
219
    use super::*;
220

            
221
    #[test]
222
    fn writer() {
223
        let mut v: Vec<u8> = Vec::new();
224
        v.write_u8(0x57);
225
        v.write_u16(0x6520);
226
        v.write_u32(0x68617665);
227
        v.write_u64(0x2061206d61636869);
228
        v.write_all(b"ne in a plexiglass dome");
229
        v.write_zeros(3);
230
        assert_eq!(&v[..], &b"We have a machine in a plexiglass dome\0\0\0"[..]);
231
    }
232
}