1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
// Correctness and logic
// Detects comparing unit types
// Duplicate match arms
// Performance-focused
// `format!("{}", x)` vs `x.to_string()`
// Cloning inside `map()` unnecessarily
// Detects redundant `.to_owned()` or `.clone()`
// Helps avoid stack overflows
// Warns on boxed `Vec`, `String`, etc.
// Avoids using `Vec<Box<T>>` when unnecessary
// Avoids `.collect().iter()` chains
// Style and idiomatic Rust
// Detects unnecessary `.clone()`
// e.g., `x + 0`, `x * 1`
// Avoids `return` at the end of functions
// Avoids binding `()` to variables
// Use `.map()` instead of manual `match`
// Avoids using `unwrap()`
// Avoids using `panic!` in production code
// Maintainability
// Warns on missing documentation. Everything should be documented!
// Docs for functions that might panic
// Docs for `unsafe` functions
// Suggests making eligible functions `const`
//! # i24: Integer Types for Rust (i24, u24)
//!
//! The `i24` crate provides specialized integer types for Rust: **i24** (24-bit signed) and **u24** (24-bit unsigned).
//! These types fill precision gaps in Rust's integer types
//! and are particularly useful in audio processing, embedded systems, network protocols, and other scenarios where
//! specific bit-width precision is required.
//!
//! ## Features
//!
//! ### Integer Types
//! - **i24**: 24-bit signed integer (range: -8,388,608 to 8,388,607)
//! - **u24**: 24-bit unsigned integer (range: 0 to 16,777,215)
//!
//! ### Core Functionality
//! - Seamless conversion to/from standard Rust integer types
//! - Complete arithmetic operations with overflow checking
//! - Bitwise operations
//! - Conversions from various byte representations (little-endian, big-endian, native)
//! - Wire/packed format support for binary protocols
//! - Compile-time macros: `i24!()` and `u24!()` for checked construction
//! - Implements standard traits: `Debug`, `Display`, `PartialEq`, `Eq`, `PartialOrd`, `Ord`, `Hash`
//!
//! This crate came about as a part of the [Wavers](https://crates.io/crates/wavers) project, which is a Wav file reader and writer for Rust.
//! All integer types have Python bindings available via the `pyo3` feature.
//!
//! ## Usage
//!
//! Add this to your `Cargo.toml`:
//!
//! ```toml
//! [dependencies]
//! i24 = "2.2.0"
//! ```
//!
//! ### Basic Usage
//!
//! ```rust
//! use i24::{i24, u24};
//!
//! // Using macros for compile-time checked construction
//! let signed_24 = i24!(1000);
//! let unsigned_24 = u24!(2000);
//!
//! // Arithmetic operations
//! let sum_24 = signed_24 + i24!(500);
//! assert_eq!(sum_24.to_i32(), 1500);
//!
//! // Conversions
//! let as_i32: i32 = signed_24.into();
//! let as_u32: u32 = unsigned_24.into();
//! ```
//!
//! The `i24!()` and `u24!()` macros allow you to create values at compile time, ensuring they're within the valid range.
//!
//! ### Binary Data and Wire Formats
//!
//! For working with binary data, all types support reading/writing from byte arrays:
//!
//! ```rust
//! use i24::{I24, U24};
//!
//! // Reading from bytes (little-endian, big-endian, native)
//! let bytes_le = [0x00, 0x01, 0x02]; // 3-byte representation
//! let value = I24::from_le_bytes(bytes_le);
//!
//! // Writing to bytes
//! let bytes: [u8; 3] = value.to_be_bytes();
//!
//! // Bulk operations for slices
//! # #[cfg(feature = "alloc")]
//! # {
//! let raw_data: &[u8] = &[0x00, 0x01, 0x02, 0x00, 0x01, 0xFF];
//! let values: Vec<I24> = I24::read_i24s_be(raw_data).expect("valid buffer");
//! let encoded: Vec<u8> = I24::write_i24s_be(&values);
//! # }
//! ```
//!
//! ## Safety and Limitations
//!
//! All integer types strive to behave similarly to Rust's built-in integer types, with some important considerations:
//!
//! ### Value Ranges
//! - **i24**: [-8,388,608, 8,388,607]
//! - **u24**: [0, 16,777,215]
//! ### Overflow Behavior
//! - Arithmetic operations match the behavior of their closest standard Rust integer type
//! - Bitwise operations are performed on the actual bit-width representation
//! - Always use checked arithmetic operations when dealing with untrusted input
//!
//! ### Memory Safety
//! All types align with `bytemuck` safety requirements (`NoUninit`, `Zeroable`, `AnyBitPattern`), ensuring safe byte-to-value conversions.
//! The bulk I/O operations use `bytemuck::cast_slice` internally for efficient, safe conversions.
//!
//! ## Feature Flags
//! - **pyo3**: Enables Python bindings for all integer types (i24, u24)
//! - **serde**: Enables `Serialize` and `Deserialize` traits for all integer types
//! - **alloc**: Enables bulk I/O operations and `PackedStruct` functionality
//! - **ndarray**: Enables `ScalarOperand` trait for use with ndarray operations
//! - **num-cast**: Enables `NumCast` trait implementations for safe numeric type conversion
//!
//! ## Contributing
//!
//! Contributions are welcome! Please feel free to submit a Pull Request. This really needs more testing and verification.
//!
//! ## License
//!
//! This project is licensed under MIT - see the [LICENSE](https://github.com/jmg049/i24/blob/main/LICENSE) file for details.
//!
//! ## Benchmarks
//! See the [benchmark report](https://github.com/jmg049/i24/i24_benches/benchmark_analysis/benchmark_report.md).
//!
pub use ;
pub
pub type TryFromIntError = Error;
// Intentional use of unwrap
pub
/// creates an `i24` from a constant expression
/// will give a compile error if the expression overflows an i24
/// creates an `u24` from a constant expression
/// will give a compile error if the expression overflows an u24
/// Helper utilities for working with packed structures containing `I24` values.
///
/// This module provides utilities to work around the limitation where Rust doesn't
/// allow nested `#[repr(packed)]` attributes. Since `I24` uses internal packing,
/// you cannot directly use `#[repr(packed, C)]` on structures containing `I24`.
///
/// These utilities provide safe alternatives for serializing and deserializing
/// mixed structures containing `I24` and native types.
extern crate alloc;
use Vec;
use ;
/// A trait for types that can be read from and written to packed byte representations.
///
/// This trait provides methods for handling structures that contain `I24` values
/// mixed with native types, working around the nested packing limitation.
/// Helper function to safely cast native types in mixed structures.
///
/// When you have a portion of your structure that contains only native types
/// (no I24), you can use this function to safely cast that portion using bytemuck.
///
/// # Arguments
///
/// * `bytes` - Byte slice containing the native types.
///
/// # Returns
///
/// A slice of the target type, or an error if the cast fails.
pub use crate;
use *;