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
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
use std::{collections::HashMap, str::FromStr};
use aes::cipher::{
    block_padding::Pkcs7, generic_array::GenericArray, typenum::U32, BlockDecryptMut,
    BlockEncryptMut, KeyIvInit,
};
use base64::Engine;
use hmac::Mac;
use rand::RngCore;
use rsa::{pkcs8::DecodePrivateKey, Oaep, RsaPrivateKey};
use crate::{
    client::auth_settings::AuthSettings,
    crypto::{CipherString, PbkdfSha256Hmac, PBKDF_SHA256_HMAC_OUT_SIZE},
    error::{CryptoError, Error, Result},
    util::BASE64_ENGINE,
};
pub struct SymmetricCryptoKey {
    pub key: GenericArray<u8, U32>,
    pub mac_key: Option<GenericArray<u8, U32>>,
}
impl SymmetricCryptoKey {
    const KEY_LEN: usize = 32;
    const MAC_LEN: usize = 32;
    pub fn generate(name: &str) -> Self {
        use rand::Rng;
        let secret: [u8; 16] = rand::thread_rng().gen();
        crate::crypto::stretch_key(secret, name, None)
    }
    pub fn to_base64(&self) -> String {
        let mut buf = Vec::new();
        buf.extend_from_slice(&self.key);
        if let Some(mac) = self.mac_key {
            buf.extend_from_slice(&mac);
        }
        BASE64_ENGINE.encode(&buf)
    }
}
impl FromStr for SymmetricCryptoKey {
    type Err = Error;
    fn from_str(s: &str) -> Result<Self, Self::Err> {
        let bytes = BASE64_ENGINE
            .decode(&s)
            .map_err(|_| CryptoError::InvalidKey)?;
        SymmetricCryptoKey::try_from(bytes.as_slice())
    }
}
impl TryFrom<&[u8]> for SymmetricCryptoKey {
    type Error = Error;
    fn try_from(value: &[u8]) -> Result<Self, Self::Error> {
        if value.len() == Self::KEY_LEN + Self::MAC_LEN {
            Ok(SymmetricCryptoKey {
                key: GenericArray::clone_from_slice(&value[..Self::KEY_LEN]),
                mac_key: Some(GenericArray::clone_from_slice(&value[Self::KEY_LEN..])),
            })
        } else if value.len() == Self::KEY_LEN {
            Ok(SymmetricCryptoKey {
                key: GenericArray::clone_from_slice(value),
                mac_key: None,
            })
        } else {
            Err(CryptoError::InvalidKeyLen.into())
        }
    }
}
pub struct EncryptionSettings {
    user_key: SymmetricCryptoKey,
    private_key: Option<RsaPrivateKey>,
    org_keys: HashMap<String, SymmetricCryptoKey>,
}
impl std::fmt::Debug for SymmetricCryptoKey {
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
        f.debug_struct("Key").finish()
    }
}
impl std::fmt::Debug for EncryptionSettings {
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
        f.debug_struct("EncryptionSettings").finish()
    }
}
impl EncryptionSettings {
    pub(crate) fn new(
        auth: &AuthSettings,
        password: &str,
        user_key: CipherString,
        private_key: CipherString,
    ) -> Result<Self> {
        let (key, mac_key) = crate::crypto::stretch_key_password(
            password.as_bytes(),
            auth.email.as_bytes(),
            auth.kdf_iterations,
        )
        .map_err(|_| CryptoError::KeyStretch)?;
        let user_key = {
            let (iv, mac, data) = match user_key {
                CipherString::AesCbc256_HmacSha256_B64 { iv, mac, data } => (iv, mac, data),
                _ => return Err(CryptoError::InvalidKey.into()),
            };
            let dec = decrypt_aes256(&iv, &mac, &data, Some(mac_key), key)?;
            SymmetricCryptoKey::try_from(dec.as_slice())?
        };
        let private_key = {
            let dec = decrypt(&private_key, &user_key)?;
            Some(rsa::RsaPrivateKey::from_pkcs8_der(&dec).map_err(|_| CryptoError::InvalidKey)?)
        };
        Ok(EncryptionSettings {
            user_key,
            private_key,
            org_keys: HashMap::new(),
        })
    }
    pub(crate) fn new_single_key(key: SymmetricCryptoKey) -> Self {
        EncryptionSettings {
            user_key: key,
            private_key: None,
            org_keys: HashMap::new(),
        }
    }
    pub(crate) fn set_org_keys(
        &mut self,
        org_enc_keys: Vec<(String, CipherString)>,
    ) -> Result<&mut Self> {
        let private_key = self.private_key.as_ref().ok_or(Error::VaultLocked)?;
        for (org_id, org_enc_key) in org_enc_keys {
            let data = match org_enc_key {
                CipherString::Rsa2048_OaepSha1_B64 { data } => data,
                _ => return Err(CryptoError::InvalidKey.into()),
            };
            let dec = private_key
                .decrypt(Oaep::new::<sha1::Sha1>(), &data)
                .map_err(|_| CryptoError::KeyDecrypt)?;
            let org_key = SymmetricCryptoKey::try_from(dec.as_slice())?;
            self.org_keys.insert(org_id, org_key);
        }
        Ok(self)
    }
    fn get_key(&self, org_id: Option<&str>) -> Option<&SymmetricCryptoKey> {
        if self.private_key.is_none() {
            return Some(&self.user_key);
        }
        match org_id {
            Some(org_id) => match self.org_keys.get(org_id) {
                Some(k) => Some(k),
                None => return None,
            },
            None => Some(&self.user_key),
        }
    }
    pub fn decrypt(&self, cipher: &CipherString, org_id: Option<&str>) -> Result<Vec<u8>> {
        let key = self.get_key(org_id).ok_or(CryptoError::NoKeyForOrg)?;
        decrypt(cipher, key)
    }
    pub fn decrypt_str(&self, cipher: &str, org_id: Option<&str>) -> Result<String> {
        let cipher = CipherString::from_str(cipher)?;
        let dec = self.decrypt(&cipher, org_id)?;
        String::from_utf8(dec).map_err(|_| CryptoError::InvalidUtf8String.into())
    }
    pub fn encrypt(&self, data: &[u8], org_id: Option<&str>) -> Result<CipherString> {
        let key = self.get_key(org_id).ok_or(CryptoError::NoKeyForOrg)?;
        let dec = encrypt_aes256(data, key.mac_key, key.key)?;
        Ok(dec)
    }
}
pub fn decrypt(cipher: &CipherString, key: &SymmetricCryptoKey) -> Result<Vec<u8>> {
    match cipher {
        CipherString::AesCbc256_HmacSha256_B64 { iv, mac, data } => {
            let dec = decrypt_aes256(iv, mac, data, key.mac_key, key.key)?;
            Ok(dec)
        }
        _ => return Err(CryptoError::InvalidKey.into()),
    }
}
pub fn decrypt_aes256(
    iv: &[u8; 16],
    mac: &[u8; 32],
    data: &Vec<u8>,
    mac_key: Option<GenericArray<u8, U32>>,
    key: GenericArray<u8, U32>,
) -> Result<Vec<u8>> {
    let mac_key = match mac_key {
        Some(k) => k,
        None => return Err(CryptoError::InvalidMac.into()),
    };
    let res = validate_mac(&mac_key, iv, data)?;
    if res != *mac {
        return Err(CryptoError::InvalidMac.into());
    }
    let iv = GenericArray::from_slice(iv);
    let mut data = data.clone();
    let decrypted_key_slice = cbc::Decryptor::<aes::Aes256>::new(&key, iv)
        .decrypt_padded_mut::<Pkcs7>(&mut data)
        .map_err(|_| CryptoError::KeyDecrypt)?;
    let decrypted_len = decrypted_key_slice.len();
    data.truncate(decrypted_len);
    Ok(data)
}
pub fn encrypt_aes256(
    data_dec: &[u8],
    mac_key: Option<GenericArray<u8, U32>>,
    key: GenericArray<u8, U32>,
) -> Result<CipherString> {
    let mac_key = match mac_key {
        Some(k) => k,
        None => return Err(CryptoError::InvalidMac.into()),
    };
    let mut iv = [0u8; 16];
    rand::thread_rng().fill_bytes(&mut iv);
    let data = cbc::Encryptor::<aes::Aes256>::new(&key, &iv.into())
        .encrypt_padded_vec_mut::<Pkcs7>(data_dec);
    let mac = validate_mac(&mac_key, &iv, &data)?;
    Ok(CipherString::AesCbc256_HmacSha256_B64 { iv, mac, data })
}
fn validate_mac(mac_key: &[u8], iv: &[u8], data: &[u8]) -> Result<[u8; 32]> {
    let mut hmac = PbkdfSha256Hmac::new_from_slice(mac_key).expect("HMAC can take key of any size");
    hmac.update(iv);
    hmac.update(data);
    let mac: [u8; PBKDF_SHA256_HMAC_OUT_SIZE] = (*hmac.finalize().into_bytes())
        .try_into()
        .map_err(|_| CryptoError::InvalidMac)?;
    Ok(mac)
}
#[cfg(test)]
mod tests {
    use std::str::FromStr;
    use super::{EncryptionSettings, SymmetricCryptoKey};
    #[test]
    fn test_symmetric_crypto_key() {
        let key = SymmetricCryptoKey::generate("test");
        let key2 = SymmetricCryptoKey::from_str(&key.to_base64()).unwrap();
        assert_eq!(key.key, key2.key);
        assert_eq!(key.mac_key, key2.mac_key);
        let key = "UY4B5N4DA4UisCNClgZtRr6VLy9ZF5BXXC7cDZRqourKi4ghEMgISbCsubvgCkHf5DZctQjVot11/vVvN9NNHQ==";
        let key2 = SymmetricCryptoKey::from_str(key).unwrap();
        assert_eq!(key, key2.to_base64());
    }
    #[test]
    fn test_encryption_settings() {
        let key = SymmetricCryptoKey::generate("test");
        let settings = EncryptionSettings::new_single_key(key);
        let test_string = "encrypted_test_string";
        let cipher = settings.encrypt(test_string.as_bytes(), None).unwrap();
        let decrypted_str = settings.decrypt_str(&cipher.to_string(), None).unwrap();
        assert_eq!(decrypted_str, test_string);
    }
}