Coverage Report

Created: 2024-06-18 07:39

/rust/registry/src/index.crates.io-6f17d22bba15001f/crc32fast-1.4.2/src/lib.rs
Line
Count
Source (jump to first uncovered line)
1
//! Fast, SIMD-accelerated CRC32 (IEEE) checksum computation.
2
//!
3
//! ## Usage
4
//!
5
//! ### Simple usage
6
//!
7
//! For simple use-cases, you can call the [`hash()`] convenience function to
8
//! directly compute the CRC32 checksum for a given byte slice:
9
//!
10
//! ```rust
11
//! let checksum = crc32fast::hash(b"foo bar baz");
12
//! ```
13
//!
14
//! ### Advanced usage
15
//!
16
//! For use-cases that require more flexibility or performance, for example when
17
//! processing large amounts of data, you can create and manipulate a [`Hasher`]:
18
//!
19
//! ```rust
20
//! use crc32fast::Hasher;
21
//!
22
//! let mut hasher = Hasher::new();
23
//! hasher.update(b"foo bar baz");
24
//! let checksum = hasher.finalize();
25
//! ```
26
//!
27
//! ## Performance
28
//!
29
//! This crate contains multiple CRC32 implementations:
30
//!
31
//! - A fast baseline implementation which processes up to 16 bytes per iteration
32
//! - An optimized implementation for modern `x86` using `sse` and `pclmulqdq` instructions
33
//!
34
//! Calling the [`Hasher::new`] constructor at runtime will perform a feature detection to select the most
35
//! optimal implementation for the current CPU feature set.
36
37
#![cfg_attr(not(feature = "std"), no_std)]
38
39
#[deny(missing_docs)]
40
#[cfg(test)]
41
#[macro_use]
42
extern crate quickcheck;
43
44
#[macro_use]
45
extern crate cfg_if;
46
47
#[cfg(feature = "std")]
48
use std as core;
49
50
use core::fmt;
51
use core::hash;
52
53
mod baseline;
54
mod combine;
55
mod specialized;
56
mod table;
57
58
/// Computes the CRC32 hash of a byte slice.
59
///
60
/// Check out [`Hasher`] for more advanced use-cases.
61
0
pub fn hash(buf: &[u8]) -> u32 {
62
0
    let mut h = Hasher::new();
63
0
    h.update(buf);
64
0
    h.finalize()
65
0
}
66
67
531k
#[derive(Clone)]
<crc32fast::State as core::clone::Clone>::clone
Line
Count
Source
67
531k
#[derive(Clone)]
Unexecuted instantiation: <crc32fast::State as core::clone::Clone>::clone
Unexecuted instantiation: <crc32fast::State as core::clone::Clone>::clone
68
enum State {
69
    Baseline(baseline::State),
70
    Specialized(specialized::State),
71
}
72
73
531k
#[derive(Clone)]
<crc32fast::Hasher as core::clone::Clone>::clone
Line
Count
Source
73
531k
#[derive(Clone)]
Unexecuted instantiation: <crc32fast::Hasher as core::clone::Clone>::clone
Unexecuted instantiation: <crc32fast::Hasher as core::clone::Clone>::clone
74
/// Represents an in-progress CRC32 computation.
75
pub struct Hasher {
76
    amount: u64,
77
    state: State,
78
}
79
80
const DEFAULT_INIT_STATE: u32 = 0;
81
82
impl Hasher {
83
    /// Create a new `Hasher`.
84
    ///
85
    /// This will perform a CPU feature detection at runtime to select the most
86
    /// optimal implementation for the current processor architecture.
87
21.7k
    pub fn new() -> Self {
88
21.7k
        Self::new_with_initial(DEFAULT_INIT_STATE)
89
21.7k
    }
90
91
    /// Create a new `Hasher` with an initial CRC32 state.
92
    ///
93
    /// This works just like `Hasher::new`, except that it allows for an initial
94
    /// CRC32 state to be passed in.
95
21.7k
    pub fn new_with_initial(init: u32) -> Self {
96
21.7k
        Self::new_with_initial_len(init, 0)
97
21.7k
    }
98
99
    /// Create a new `Hasher` with an initial CRC32 state.
100
    ///
101
    /// As `new_with_initial`, but also accepts a length (in bytes). The
102
    /// resulting object can then be used with `combine` to compute `crc(a ||
103
    /// b)` from `crc(a)`, `crc(b)`, and `len(b)`.
104
21.7k
    pub fn new_with_initial_len(init: u32, amount: u64) -> Self {
105
21.7k
        Self::internal_new_specialized(init, amount)
106
21.7k
            .unwrap_or_else(|| Self::internal_new_baseline(init, amount))
107
21.7k
    }
108
109
    #[doc(hidden)]
110
    // Internal-only API. Don't use.
111
0
    pub fn internal_new_baseline(init: u32, amount: u64) -> Self {
112
0
        Hasher {
113
0
            amount,
114
0
            state: State::Baseline(baseline::State::new(init)),
115
0
        }
116
0
    }
117
118
    #[doc(hidden)]
119
    // Internal-only API. Don't use.
120
21.7k
    pub fn internal_new_specialized(init: u32, amount: u64) -> Option<Self> {
121
        {
122
21.7k
            if let Some(state) = specialized::State::new(init) {
123
21.7k
                return Some(Hasher {
124
21.7k
                    amount,
125
21.7k
                    state: State::Specialized(state),
126
21.7k
                });
127
0
            }
128
0
        }
129
0
        None
130
21.7k
    }
131
132
    /// Process the given byte slice and update the hash state.
133
15.9M
    pub fn update(&mut self, buf: &[u8]) {
134
15.9M
        self.amount += buf.len() as u64;
135
15.9M
        match self.state {
136
0
            State::Baseline(ref mut state) => state.update(buf),
137
15.9M
            State::Specialized(ref mut state) => state.update(buf),
138
        }
139
15.9M
    }
140
141
    /// Finalize the hash state and return the computed CRC32 value.
142
531k
    pub fn finalize(self) -> u32 {
143
531k
        match self.state {
144
0
            State::Baseline(state) => state.finalize(),
145
531k
            State::Specialized(state) => state.finalize(),
146
        }
147
531k
    }
148
149
    /// Reset the hash state.
150
550k
    pub fn reset(&mut self) {
151
550k
        self.amount = 0;
152
550k
        match self.state {
153
0
            State::Baseline(ref mut state) => state.reset(),
154
550k
            State::Specialized(ref mut state) => state.reset(),
155
        }
156
550k
    }
157
158
    /// Combine the hash state with the hash state for the subsequent block of bytes.
159
0
    pub fn combine(&mut self, other: &Self) {
160
0
        self.amount += other.amount;
161
0
        let other_crc = other.clone().finalize();
162
0
        match self.state {
163
0
            State::Baseline(ref mut state) => state.combine(other_crc, other.amount),
164
0
            State::Specialized(ref mut state) => state.combine(other_crc, other.amount),
165
        }
166
0
    }
167
}
168
169
impl fmt::Debug for Hasher {
170
0
    fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
171
0
        f.debug_struct("crc32fast::Hasher").finish()
172
0
    }
173
}
174
175
impl Default for Hasher {
176
0
    fn default() -> Self {
177
0
        Self::new()
178
0
    }
179
}
180
181
impl hash::Hasher for Hasher {
182
0
    fn write(&mut self, bytes: &[u8]) {
183
0
        self.update(bytes)
184
0
    }
185
186
0
    fn finish(&self) -> u64 {
187
0
        u64::from(self.clone().finalize())
188
0
    }
189
}
190
191
#[cfg(test)]
192
mod test {
193
    use super::Hasher;
194
195
    quickcheck! {
196
        fn combine(bytes_1: Vec<u8>, bytes_2: Vec<u8>) -> bool {
197
            let mut hash_a = Hasher::new();
198
            hash_a.update(&bytes_1);
199
            hash_a.update(&bytes_2);
200
            let mut hash_b = Hasher::new();
201
            hash_b.update(&bytes_2);
202
            let mut hash_c = Hasher::new();
203
            hash_c.update(&bytes_1);
204
            hash_c.combine(&hash_b);
205
206
            hash_a.finalize() == hash_c.finalize()
207
        }
208
209
        fn combine_from_len(bytes_1: Vec<u8>, bytes_2: Vec<u8>) -> bool {
210
            let mut hash_a = Hasher::new();
211
            hash_a.update(&bytes_1);
212
            let a = hash_a.finalize();
213
214
            let mut hash_b = Hasher::new();
215
            hash_b.update(&bytes_2);
216
            let b = hash_b.finalize();
217
218
            let mut hash_ab = Hasher::new();
219
            hash_ab.update(&bytes_1);
220
            hash_ab.update(&bytes_2);
221
            let ab = hash_ab.finalize();
222
223
            let mut reconstructed = Hasher::new_with_initial_len(a, bytes_1.len() as u64);
224
            let hash_b_reconstructed = Hasher::new_with_initial_len(b, bytes_2.len() as u64);
225
226
            reconstructed.combine(&hash_b_reconstructed);
227
228
            reconstructed.finalize() == ab
229
        }
230
    }
231
}