1use crate::{c, error};
18
19pub fn verify_slices_are_equal(a: &[u8], b: &[u8]) -> Result<(), error::Unspecified> {
24 if a.len() != b.len() {
25 return Err(error::Unspecified);
26 }
27 let result = unsafe { CRYPTO_memcmp(a.as_ptr(), b.as_ptr(), a.len()) };
28 match result {
29 0 => Ok(()),
30 _ => Err(error::Unspecified),
31 }
32}
33
34prefixed_extern! {
35 fn CRYPTO_memcmp(a: *const u8, b: *const u8, len: c::size_t) -> c::int;
36}
37
38#[cfg(test)]
39mod tests {
40 use crate::limb::LimbMask;
41 use crate::{bssl, error, rand};
42
43 #[test]
44 fn test_constant_time() -> Result<(), error::Unspecified> {
45 prefixed_extern! {
46 fn bssl_constant_time_test_main() -> bssl::Result;
47 }
48 Result::from(unsafe { bssl_constant_time_test_main() })
49 }
50
51 #[test]
52 fn constant_time_conditional_memcpy() -> Result<(), error::Unspecified> {
53 let rng = rand::SystemRandom::new();
54 for _ in 0..100 {
55 let mut out = rand::generate::<[u8; 256]>(&rng)?.expose();
56 let input = rand::generate::<[u8; 256]>(&rng)?.expose();
57
58 let b = (rand::generate::<[u8; 1]>(&rng)?.expose()[0] & 0x0f) == 0;
60
61 let ref_in = input;
62 let ref_out = if b { input } else { out };
63
64 prefixed_extern! {
65 fn bssl_constant_time_test_conditional_memcpy(dst: &mut [u8; 256], src: &[u8; 256], b: LimbMask);
66 }
67 unsafe {
68 bssl_constant_time_test_conditional_memcpy(
69 &mut out,
70 &input,
71 if b { LimbMask::True } else { LimbMask::False },
72 )
73 }
74 assert_eq!(ref_in, input);
75 assert_eq!(ref_out, out);
76 }
77
78 Ok(())
79 }
80
81 #[test]
82 fn constant_time_conditional_memxor() -> Result<(), error::Unspecified> {
83 let rng = rand::SystemRandom::new();
84 for _ in 0..256 {
85 let mut out = rand::generate::<[u8; 256]>(&rng)?.expose();
86 let input = rand::generate::<[u8; 256]>(&rng)?.expose();
87
88 let b = (rand::generate::<[u8; 1]>(&rng)?.expose()[0] & 0x0f) != 0;
90
91 let ref_in = input;
92 let mut ref_out = out;
93 if b {
94 ref_out
95 .iter_mut()
96 .zip(ref_in.iter())
97 .for_each(|(out, input)| {
98 *out ^= input;
99 });
100 }
101
102 prefixed_extern! {
103 fn bssl_constant_time_test_conditional_memxor(dst: &mut [u8; 256], src: &[u8; 256], b: LimbMask);
104 }
105 unsafe {
106 bssl_constant_time_test_conditional_memxor(
107 &mut out,
108 &input,
109 if b { LimbMask::True } else { LimbMask::False },
110 );
111 }
112
113 assert_eq!(ref_in, input);
114 assert_eq!(ref_out, out);
115 }
116
117 Ok(())
118 }
119}