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
use ffi;
use std::mem;
pub fn easy(plain_text: &[u8], key: [u8; 32], nonce: [u8; 24]) -> (Vec<u8>, [u8; 16]) {
unsafe {
let mut cipher_text: Vec<u8> = vec![0u8; plain_text.len()];
let mut mac: [u8; 16] = mem::uninitialized();
ffi::crypto_lock(
mac.as_mut_ptr(),
cipher_text.as_mut_ptr(),
key.as_ptr(),
nonce.as_ptr(),
plain_text.as_ptr(),
plain_text.len(),
);
(cipher_text, mac)
}
}
pub fn aead(plain_text: &[u8], key: [u8; 32], nonce: [u8; 24], ad: &[u8]) -> (Vec<u8>, [u8; 16]) {
unsafe {
let mut cipher_text: Vec<u8> = vec![0u8; plain_text.len()];
let mut mac: [u8; 16] = mem::uninitialized();
ffi::crypto_lock_aead(
mac.as_mut_ptr(),
cipher_text.as_mut_ptr(),
key.as_ptr(),
nonce.as_ptr(),
ad.as_ptr(),
ad.len(),
plain_text.as_ptr(),
plain_text.len(),
);
(cipher_text, mac)
}
}
pub struct Context(ffi::crypto_lock_ctx);
impl Context {
#[inline]
pub fn new(key: [u8; 32], nonce: [u8; 24]) -> Context {
unsafe {
let mut ctx = mem::uninitialized();
ffi::crypto_lock_init(&mut ctx, key.as_ptr(), nonce.as_ptr());
Context(ctx)
}
}
#[inline]
pub fn auth_ad(&mut self, ad: &[u8]) {
unsafe {
ffi::crypto_lock_auth_ad(&mut self.0, ad.as_ptr(), ad.len());
}
}
#[inline]
pub fn update(&mut self, plaint_text: &[u8]) -> Vec<u8> {
unsafe {
let mut cypher_text: Vec<u8> = vec![0u8; plaint_text.len()];
ffi::crypto_lock_update(
&mut self.0,
cypher_text.as_mut_ptr(),
plaint_text.as_ptr(),
plaint_text.len(),
);
cypher_text
}
}
#[inline]
pub fn finalize(&mut self) -> [u8; 16] {
unsafe {
let mut mac: [u8; 16] = mem::uninitialized();
ffi::crypto_lock_final(&mut self.0, mac.as_mut_ptr());
mac
}
}
}
#[cfg(test)]
mod test {
use super::*;
#[test]
fn easy_aead() {
let plaintext = "secret";
let key: [u8; 32] = [1; 32];
let nonce: [u8; 24] = [2; 24];
let (a, b) = easy(plaintext.as_bytes(), key, nonce);
assert_eq!(a, vec![191, 3, 85, 157, 207, 3]);
assert_eq!(
b,
[106, 87, 195, 174, 146, 191, 227, 61, 151, 170, 230, 242, 47, 45, 28, 236]
);
}
#[test]
fn ctx() {
let key = [2u8; 32];
let nonce = [1u8; 24];
let mut ctx = Context::new(key, nonce);
ctx.auth_ad("data".as_bytes());
let cip = ctx.update("test".as_bytes());
let ret = ctx.finalize();
assert_eq!(cip, vec![2, 80, 28, 36]);
assert_eq!(
ret,
[242, 64, 42, 164, 160, 49, 172, 240, 33, 52, 132, 23, 171, 222, 221, 253]
)
}
}