1//! Traits for [Universal Hash Functions].
2//!
3//! # About universal hashes
4//!
5//! Universal hash functions provide a "universal family" of possible
6//! hash functions where a given member of a family is selected by a key.
7//!
8//! They are well suited to the purpose of "one time authenticators" for a
9//! sequence of bytestring inputs, as their construction has a number of
10//! desirable properties such as pairwise independence as well as amenability
11//! to efficient implementations, particularly when implemented using SIMD
12//! instructions.
13//!
14//! When combined with a cipher, such as in Galois/Counter Mode (GCM) or the
15//! Salsa20 family AEAD constructions, they can provide the core functionality
16//! for a Message Authentication Code (MAC).
17//!
18//! [Universal Hash Functions]: https://en.wikipedia.org/wiki/Universal_hashing
1920#![no_std]
21#![forbid(unsafe_code)]
22#![doc(
23 html_logo_url = "https://raw.githubusercontent.com/RustCrypto/media/8f1a9894/logo.svg",
24 html_favicon_url = "https://raw.githubusercontent.com/RustCrypto/media/8f1a9894/logo.svg",
25 html_root_url = "https://docs.rs/universal-hash/0.4.1"
26)]
27#![warn(missing_docs, rust_2018_idioms)]
2829#[cfg(feature = "std")]
30extern crate std;
3132pub use generic_array::{self, typenum::consts};
3334use generic_array::typenum::Unsigned;
35use generic_array::{ArrayLength, GenericArray};
36use subtle::{Choice, ConstantTimeEq};
3738/// Keys to a [`UniversalHash`].
39pub type Key<U> = GenericArray<u8, <U as NewUniversalHash>::KeySize>;
4041/// Blocks are inputs to a [`UniversalHash`].
42pub type Block<U> = GenericArray<u8, <U as UniversalHash>::BlockSize>;
4344/// Instantiate a [`UniversalHash`] algorithm.
45pub trait NewUniversalHash: Sized {
46/// Size of the key for the universal hash function.
47type KeySize: ArrayLength<u8>;
4849/// Instantiate a universal hash function with the given key.
50fn new(key: &Key<Self>) -> Self;
51}
5253/// The [`UniversalHash`] trait defines a generic interface for universal hash
54/// functions.
55pub trait UniversalHash: Clone {
56/// Size of the inputs to and outputs from the universal hash function
57type BlockSize: ArrayLength<u8>;
5859/// Input a block into the universal hash function
60fn update(&mut self, block: &Block<Self>);
6162/// Input data into the universal hash function. If the length of the
63 /// data is not a multiple of the block size, the remaining data is
64 /// padded with zeroes up to the `BlockSize`.
65 ///
66 /// This approach is frequently used by AEAD modes which use
67 /// Message Authentication Codes (MACs) based on universal hashing.
68fn update_padded(&mut self, data: &[u8]) {
69let mut chunks = data.chunks_exact(Self::BlockSize::to_usize());
7071for chunk in &mut chunks {
72self.update(GenericArray::from_slice(chunk));
73 }
7475let rem = chunks.remainder();
7677if !rem.is_empty() {
78let mut padded_block = GenericArray::default();
79 padded_block[..rem.len()].copy_from_slice(rem);
80self.update(&padded_block);
81 }
82 }
8384/// Reset [`UniversalHash`] instance.
85fn reset(&mut self);
8687/// Obtain the [`Output`] of a [`UniversalHash`] function and consume it.
88fn finalize(self) -> Output<Self>;
8990/// Obtain the [`Output`] of a [`UniversalHash`] computation and reset it back
91 /// to its initial state.
92fn finalize_reset(&mut self) -> Output<Self> {
93let res = self.clone().finalize();
94self.reset();
95 res
96 }
9798/// Verify the [`UniversalHash`] of the processed input matches a given [`Output`].
99 /// This is useful when constructing Message Authentication Codes (MACs)
100 /// from universal hash functions.
101fn verify(self, other: &Block<Self>) -> Result<(), Error> {
102if self.finalize() == other.into() {
103Ok(())
104 } else {
105Err(Error)
106 }
107 }
108}
109110/// Outputs of universal hash functions which are a thin wrapper around a
111/// byte array. Provides a safe [`Eq`] implementation that runs in constant time,
112/// which is useful for implementing Message Authentication Codes (MACs) based
113/// on universal hashing.
114#[derive(Clone)]
115pub struct Output<U: UniversalHash> {
116 bytes: GenericArray<u8, U::BlockSize>,
117}
118119impl<U> Output<U>
120where
121U: UniversalHash,
122{
123/// Create a new [`Output`] block.
124pub fn new(bytes: Block<U>) -> Output<U> {
125 Output { bytes }
126 }
127128/// Get the inner [`GenericArray`] this type wraps
129pub fn into_bytes(self) -> Block<U> {
130self.bytes
131 }
132}
133134impl<U> From<Block<U>> for Output<U>
135where
136U: UniversalHash,
137{
138fn from(bytes: Block<U>) -> Self {
139 Output { bytes }
140 }
141}
142143impl<'a, U> From<&'a Block<U>> for Output<U>
144where
145U: UniversalHash,
146{
147fn from(bytes: &'a Block<U>) -> Self {
148 bytes.clone().into()
149 }
150}
151152impl<U> ConstantTimeEq for Output<U>
153where
154U: UniversalHash,
155{
156fn ct_eq(&self, other: &Self) -> Choice {
157self.bytes.ct_eq(&other.bytes)
158 }
159}
160161impl<U> PartialEq for Output<U>
162where
163U: UniversalHash,
164{
165fn eq(&self, x: &Output<U>) -> bool {
166self.ct_eq(x).unwrap_u8() == 1
167}
168}
169170impl<U: UniversalHash> Eq for Output<U> {}
171172/// Error type for when the [`Output`] of a [`UniversalHash`]
173/// is not equal to the expected value.
174#[derive(Default, Debug, Copy, Clone, Eq, PartialEq)]
175pub struct Error;
176177impl core::fmt::Display for Error {
178fn fmt(&self, f: &mut core::fmt::Formatter<'_>) -> core::fmt::Result {
179 f.write_str("UHF output mismatch")
180 }
181}
182183#[cfg(feature = "std")]
184impl std::error::Error for Error {}