password_hash/
salt.rs

1//! Salt string support.
2
3use crate::{Encoding, Error, Result, Value};
4use core::{fmt, str};
5
6use crate::errors::InvalidValue;
7#[cfg(feature = "rand_core")]
8use rand_core::CryptoRngCore;
9
10/// Error message used with `expect` for when internal invariants are violated
11/// (i.e. the contents of a [`Salt`] should always be valid)
12const INVARIANT_VIOLATED_MSG: &str = "salt string invariant violated";
13
14/// Salt string.
15///
16/// In password hashing, a "salt" is an additional value used to
17/// personalize/tweak the output of a password hashing function for a given
18/// input password.
19///
20/// Salts help defend against attacks based on precomputed tables of hashed
21/// passwords, i.e. "[rainbow tables][1]".
22///
23/// The [`Salt`] type implements the RECOMMENDED best practices for salts
24/// described in the [PHC string format specification][2], namely:
25///
26/// > - Maximum lengths for salt, output and parameter values are meant to help
27/// >   consumer implementations, in particular written in C and using
28/// >   stack-allocated buffers. These buffers must account for the worst case,
29/// >   i.e. the maximum defined length. Therefore, keep these lengths low.
30/// > - The role of salts is to achieve uniqueness. A random salt is fine for
31/// >   that as long as its length is sufficient; a 16-byte salt would work well
32/// >   (by definition, UUID are very good salts, and they encode over exactly
33/// >   16 bytes). 16 bytes encode as 22 characters in B64. Functions should
34/// >   disallow salt values that are too small for security (4 bytes should be
35/// >   viewed as an absolute minimum).
36///
37/// # Recommended length
38/// The recommended default length for a salt string is **16-bytes** (128-bits).
39///
40/// See [`Salt::RECOMMENDED_LENGTH`] for more information.
41///
42/// # Constraints
43/// Salt strings are constrained to the following set of characters per the
44/// PHC spec:
45///
46/// > The salt consists in a sequence of characters in: `[a-zA-Z0-9/+.-]`
47/// > (lowercase letters, uppercase letters, digits, /, +, . and -).
48///
49/// Additionally the following length restrictions are enforced based on the
50/// guidelines from the spec:
51///
52/// - Minimum length: **4**-bytes
53/// - Maximum length: **64**-bytes
54///
55/// A maximum length is enforced based on the above recommendation for
56/// supporting stack-allocated buffers (which this library uses), and the
57/// specific determination of 64-bytes is taken as a best practice from the
58/// [Argon2 Encoding][3] specification in the same document:
59///
60/// > The length in bytes of the salt is between 8 and 64 bytes<sup>†</sup>, thus
61/// > yielding a length in characters between 11 and 64 characters (and that
62/// > length is never equal to 1 modulo 4). The default byte length of the salt
63/// > is 16 bytes (22 characters in B64 encoding). An encoded UUID, or a
64/// > sequence of 16 bytes produced with a cryptographically strong PRNG, are
65/// > appropriate salt values.
66/// >
67/// > <sup>†</sup>The Argon2 specification states that the salt can be much longer, up
68/// > to 2^32-1 bytes, but this makes little sense for password hashing.
69/// > Specifying a relatively small maximum length allows for parsing with a
70/// > stack allocated buffer.)
71///
72/// Based on this guidance, this type enforces an upper bound of 64-bytes
73/// as a reasonable maximum, and recommends using 16-bytes.
74///
75/// [1]: https://en.wikipedia.org/wiki/Rainbow_table
76/// [2]: https://github.com/P-H-C/phc-string-format/blob/master/phc-sf-spec.md#function-duties
77/// [3]: https://github.com/P-H-C/phc-string-format/blob/master/phc-sf-spec.md#argon2-encoding
78#[derive(Copy, Clone, Eq, PartialEq)]
79pub struct Salt<'a>(Value<'a>);
80
81#[allow(clippy::len_without_is_empty)]
82impl<'a> Salt<'a> {
83    /// Minimum length of a [`Salt`] string: 4-bytes.
84    pub const MIN_LENGTH: usize = 4;
85
86    /// Maximum length of a [`Salt`] string: 64-bytes.
87    ///
88    /// See type-level documentation about [`Salt`] for more information.
89    pub const MAX_LENGTH: usize = 64;
90
91    /// Recommended length of a salt: 16-bytes.
92    ///
93    /// This recommendation comes from the [PHC string format specification]:
94    ///
95    /// > The role of salts is to achieve uniqueness. A *random* salt is fine
96    /// > for that as long as its length is sufficient; a 16-byte salt would
97    /// > work well (by definition, UUID are very good salts, and they encode
98    /// > over exactly 16 bytes). 16 bytes encode as 22 characters in B64.
99    ///
100    /// [PHC string format specification]: https://github.com/P-H-C/phc-string-format/blob/master/phc-sf-spec.md#function-duties
101    pub const RECOMMENDED_LENGTH: usize = 16;
102
103    /// Create a [`Salt`] from the given B64-encoded input string, validating
104    /// [`Salt::MIN_LENGTH`] and [`Salt::MAX_LENGTH`] restrictions.
105    pub fn from_b64(input: &'a str) -> Result<Self> {
106        let length = input.as_bytes().len();
107
108        if length < Self::MIN_LENGTH {
109            return Err(Error::SaltInvalid(InvalidValue::TooShort));
110        }
111
112        if length > Self::MAX_LENGTH {
113            return Err(Error::SaltInvalid(InvalidValue::TooLong));
114        }
115
116        // TODO(tarcieri): full B64 decoding check?
117        for char in input.chars() {
118            // From the PHC string format spec:
119            //
120            // > The salt consists in a sequence of characters in: `[a-zA-Z0-9/+.-]`
121            // > (lowercase letters, uppercase letters, digits, /, +, . and -).
122            if !matches!(char, 'a'..='z' | 'A'..='Z' | '0'..='9' | '/' | '+' | '.' | '-') {
123                return Err(Error::SaltInvalid(InvalidValue::InvalidChar(char)));
124            }
125        }
126
127        input.try_into().map(Self).map_err(|e| match e {
128            Error::ParamValueInvalid(value_err) => Error::SaltInvalid(value_err),
129            err => err,
130        })
131    }
132
133    /// Attempt to decode a B64-encoded [`Salt`] into bytes, writing the
134    /// decoded output into the provided buffer, and returning a slice of the
135    /// portion of the buffer containing the decoded result on success.
136    pub fn decode_b64<'b>(&self, buf: &'b mut [u8]) -> Result<&'b [u8]> {
137        self.0.b64_decode(buf)
138    }
139
140    /// Borrow this value as a `str`.
141    pub fn as_str(&self) -> &'a str {
142        self.0.as_str()
143    }
144
145    /// Get the length of this value in ASCII characters.
146    pub fn len(&self) -> usize {
147        self.as_str().len()
148    }
149
150    /// Create a [`Salt`] from the given B64-encoded input string, validating
151    /// [`Salt::MIN_LENGTH`] and [`Salt::MAX_LENGTH`] restrictions.
152    #[deprecated(since = "0.5.0", note = "use `from_b64` instead")]
153    pub fn new(input: &'a str) -> Result<Self> {
154        Self::from_b64(input)
155    }
156
157    /// Attempt to decode a B64-encoded [`Salt`] into bytes, writing the
158    /// decoded output into the provided buffer, and returning a slice of the
159    /// portion of the buffer containing the decoded result on success.
160    #[deprecated(since = "0.5.0", note = "use `decode_b64` instead")]
161    pub fn b64_decode<'b>(&self, buf: &'b mut [u8]) -> Result<&'b [u8]> {
162        self.decode_b64(buf)
163    }
164}
165
166impl<'a> AsRef<str> for Salt<'a> {
167    fn as_ref(&self) -> &str {
168        self.as_str()
169    }
170}
171
172impl<'a> TryFrom<&'a str> for Salt<'a> {
173    type Error = Error;
174
175    fn try_from(input: &'a str) -> Result<Self> {
176        Self::from_b64(input)
177    }
178}
179
180impl<'a> fmt::Display for Salt<'a> {
181    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
182        f.write_str(self.as_str())
183    }
184}
185
186impl<'a> fmt::Debug for Salt<'a> {
187    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
188        write!(f, "Salt({:?})", self.as_str())
189    }
190}
191
192/// Owned stack-allocated equivalent of [`Salt`].
193#[derive(Clone, Eq)]
194pub struct SaltString {
195    /// ASCII-encoded characters which comprise the salt.
196    chars: [u8; Salt::MAX_LENGTH],
197
198    /// Length of the string in ASCII characters (i.e. bytes).
199    length: u8,
200}
201
202#[allow(clippy::len_without_is_empty)]
203impl SaltString {
204    /// Generate a random B64-encoded [`SaltString`].
205    #[cfg(feature = "rand_core")]
206    pub fn generate(mut rng: impl CryptoRngCore) -> Self {
207        let mut bytes = [0u8; Salt::RECOMMENDED_LENGTH];
208        rng.fill_bytes(&mut bytes);
209        Self::encode_b64(&bytes).expect(INVARIANT_VIOLATED_MSG)
210    }
211
212    /// Create a new [`SaltString`] from the given B64-encoded input string,
213    /// validating [`Salt::MIN_LENGTH`] and [`Salt::MAX_LENGTH`] restrictions.
214    pub fn from_b64(s: &str) -> Result<Self> {
215        // Assert `s` parses successfully as a `Salt`
216        Salt::from_b64(s)?;
217
218        let len = s.as_bytes().len();
219
220        let mut bytes = [0u8; Salt::MAX_LENGTH];
221        bytes[..len].copy_from_slice(s.as_bytes());
222
223        Ok(SaltString {
224            chars: bytes,
225            length: len as u8, // `Salt::from_b64` check prevents overflow
226        })
227    }
228
229    /// Decode this [`SaltString`] from B64 into the provided output buffer.
230    pub fn decode_b64<'a>(&self, buf: &'a mut [u8]) -> Result<&'a [u8]> {
231        self.as_salt().decode_b64(buf)
232    }
233
234    /// Encode the given byte slice as B64 into a new [`SaltString`].
235    ///
236    /// Returns `Error` if the slice is too long.
237    pub fn encode_b64(input: &[u8]) -> Result<Self> {
238        let mut bytes = [0u8; Salt::MAX_LENGTH];
239        let length = Encoding::B64.encode(input, &mut bytes)?.len() as u8;
240        Ok(Self {
241            chars: bytes,
242            length,
243        })
244    }
245
246    /// Borrow the contents of a [`SaltString`] as a [`Salt`].
247    pub fn as_salt(&self) -> Salt<'_> {
248        Salt::from_b64(self.as_str()).expect(INVARIANT_VIOLATED_MSG)
249    }
250
251    /// Borrow the contents of a [`SaltString`] as a `str`.
252    pub fn as_str(&self) -> &str {
253        str::from_utf8(&self.chars[..(self.length as usize)]).expect(INVARIANT_VIOLATED_MSG)
254    }
255
256    /// Get the length of this value in ASCII characters.
257    pub fn len(&self) -> usize {
258        self.as_str().len()
259    }
260
261    /// Create a new [`SaltString`] from the given B64-encoded input string,
262    /// validating [`Salt::MIN_LENGTH`] and [`Salt::MAX_LENGTH`] restrictions.
263    #[deprecated(since = "0.5.0", note = "use `from_b64` instead")]
264    pub fn new(s: &str) -> Result<Self> {
265        Self::from_b64(s)
266    }
267
268    /// Decode this [`SaltString`] from B64 into the provided output buffer.
269    #[deprecated(since = "0.5.0", note = "use `decode_b64` instead")]
270    pub fn b64_decode<'a>(&self, buf: &'a mut [u8]) -> Result<&'a [u8]> {
271        self.decode_b64(buf)
272    }
273
274    /// Encode the given byte slice as B64 into a new [`SaltString`].
275    ///
276    /// Returns `Error` if the slice is too long.
277    #[deprecated(since = "0.5.0", note = "use `encode_b64` instead")]
278    pub fn b64_encode(input: &[u8]) -> Result<Self> {
279        Self::encode_b64(input)
280    }
281}
282
283impl AsRef<str> for SaltString {
284    fn as_ref(&self) -> &str {
285        self.as_str()
286    }
287}
288
289impl PartialEq for SaltString {
290    fn eq(&self, other: &Self) -> bool {
291        // Ensure comparisons always honor the initialized portion of the buffer
292        self.as_ref().eq(other.as_ref())
293    }
294}
295
296impl<'a> From<&'a SaltString> for Salt<'a> {
297    fn from(salt_string: &'a SaltString) -> Salt<'a> {
298        salt_string.as_salt()
299    }
300}
301
302impl fmt::Display for SaltString {
303    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
304        f.write_str(self.as_str())
305    }
306}
307
308impl fmt::Debug for SaltString {
309    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
310        write!(f, "SaltString({:?})", self.as_str())
311    }
312}
313
314#[cfg(test)]
315mod tests {
316    use super::{Error, Salt};
317    use crate::errors::InvalidValue;
318
319    #[test]
320    fn new_with_valid_min_length_input() {
321        let s = "abcd";
322        let salt = Salt::from_b64(s).unwrap();
323        assert_eq!(salt.as_ref(), s);
324    }
325
326    #[test]
327    fn new_with_valid_max_length_input() {
328        let s = "012345678911234567892123456789312345678941234567";
329        let salt = Salt::from_b64(s).unwrap();
330        assert_eq!(salt.as_ref(), s);
331    }
332
333    #[test]
334    fn reject_new_too_short() {
335        for &too_short in &["", "a", "ab", "abc"] {
336            let err = Salt::from_b64(too_short).err().unwrap();
337            assert_eq!(err, Error::SaltInvalid(InvalidValue::TooShort));
338        }
339    }
340
341    #[test]
342    fn reject_new_too_long() {
343        let s = "01234567891123456789212345678931234567894123456785234567896234567";
344        let err = Salt::from_b64(s).err().unwrap();
345        assert_eq!(err, Error::SaltInvalid(InvalidValue::TooLong));
346    }
347
348    #[test]
349    fn reject_new_invalid_char() {
350        let s = "01234_abcd";
351        let err = Salt::from_b64(s).err().unwrap();
352        assert_eq!(err, Error::SaltInvalid(InvalidValue::InvalidChar('_')));
353    }
354}