coffio/src/kdf.rs

58 lines
1.3 KiB
Rust
Raw Normal View History

2024-02-17 16:29:54 +01:00
use crate::ikm::InputKeyMaterial;
use base64ct::{Base64UrlUnpadded, Encoding};
pub(crate) type KdfFunction = dyn Fn(&str, &[u8]) -> Vec<u8>;
const CANONICALIZATION_BUFFER_SIZE: usize = 1024;
const CANONICALIZATION_SEPARATOR: &str = ":";
fn canonicalize(key_context: &[&str]) -> String {
match key_context.len() {
0 => String::new(),
1 => key_context[0].to_string(),
_ => {
let mut ret = String::with_capacity(CANONICALIZATION_BUFFER_SIZE);
for (i, ctx_elem) in key_context.iter().enumerate() {
if i != 0 {
ret += CANONICALIZATION_SEPARATOR;
}
ret += &Base64UrlUnpadded::encode_string(ctx_elem.as_bytes());
}
ret
}
}
}
pub(crate) fn derive_key(ikm: &InputKeyMaterial, key_context: &[&str]) -> Vec<u8> {
let key_context = canonicalize(key_context);
let kdf = ikm.scheme.get_kdf();
kdf(&key_context, &ikm.content)
}
pub(crate) fn blake3_derive(context: &str, ikm: &[u8]) -> Vec<u8> {
blake3::derive_key(context, ikm).to_vec()
}
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn canonicalize_empty() {
let canon = canonicalize(&[]);
assert_eq!(canon, String::new());
}
#[test]
fn canonicalize_one() {
let canon = canonicalize(&["test"]);
assert_eq!(&canon, "test");
}
#[test]
fn canonicalize_many() {
let canon = canonicalize(&["test", "bis", "ter", ""]);
assert_eq!(&canon, "dGVzdA:Ymlz:dGVy:");
}
2024-02-15 23:45:21 +01:00
}