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
//! The `Keccak` hash functions. use super::{bits_to_rate, keccakf::KeccakF, Hasher, KeccakState}; /// The `Keccak` hash functions defined in [`Keccak SHA3 submission`]. /// /// # Usage /// /// ```toml /// [dependencies] /// tiny-keccak = { version = "2.0.0", features = ["keccak"] } /// ``` /// /// [`Keccak SHA3 submission`]: https://keccak.team/files/Keccak-submission-3.pdf #[derive(Clone)] pub struct Keccak { state: KeccakState<KeccakF>, } impl Keccak { const DELIM: u8 = 0x01; /// Creates new [`Keccak`] hasher with a security level of 224 bits. /// /// [`Keccak`]: struct.Keccak.html pub fn v224() -> Keccak { Keccak::new(224) } /// Creates new [`Keccak`] hasher with a security level of 256 bits. /// /// [`Keccak`]: struct.Keccak.html pub fn v256() -> Keccak { Keccak::new(256) } /// Creates new [`Keccak`] hasher with a security level of 384 bits. /// /// [`Keccak`]: struct.Keccak.html pub fn v384() -> Keccak { Keccak::new(384) } /// Creates new [`Keccak`] hasher with a security level of 512 bits. /// /// [`Keccak`]: struct.Keccak.html pub fn v512() -> Keccak { Keccak::new(512) } fn new(bits: usize) -> Keccak { Keccak { state: KeccakState::new(bits_to_rate(bits), Self::DELIM), } } } impl Hasher for Keccak { /// Absorb additional input. Can be called multiple times. /// /// # Example /// /// ``` /// # use tiny_keccak::{Hasher, Keccak}; /// # /// # fn main() { /// # let mut keccak = Keccak::v256(); /// keccak.update(b"hello"); /// keccak.update(b" world"); /// # } /// ``` fn update(&mut self, input: &[u8]) { self.state.update(input); } /// Pad and squeeze the state to the output. /// /// # Example /// /// ``` /// # use tiny_keccak::{Hasher, Keccak}; /// # /// # fn main() { /// # let keccak = Keccak::v256(); /// # let mut output = [0u8; 32]; /// keccak.finalize(&mut output); /// # } /// # /// ``` fn finalize(self, output: &mut [u8]) { self.state.finalize(output); } }