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
#[cfg(any(target_arch = "x86", target_arch = "x86_64"))]
pub fn supports_aesni() -> bool {
let mut flags: u32;
unsafe {
asm!(
"
mov $$1, %eax;
cpuid;
mov %ecx, $0;
"
: "=r" (flags)
:
: "eax", "ebx", "ecx", "edx"
);
asm!("");
}
(flags & 0x02000000) != 0
}
#[cfg(any(target_arch = "x86", target_arch = "x86_64"))]
#[allow(unused_assignments)]
#[allow(unused_variables)]
unsafe fn fixed_time_eq_asm(mut lhsp: *const u8, mut rhsp: *const u8, mut count: usize) -> bool {
let mut result: u8 = 0;
asm!(
"
1:
mov ($1), %cl
xor ($2), %cl
or %cl, $0
inc $1
inc $2
dec $3
jnz 1b
"
: "+r" (result), "+r" (lhsp), "+r" (rhsp), "+r" (count)
:
: "cl", "cc"
: "volatile"
);
result == 0
}
#[cfg(target_arch = "arm")]
#[allow(unused_assignments)]
unsafe fn fixed_time_eq_asm(mut lhsp: *const u8, mut rhsp: *const u8, mut count: usize) -> bool {
let mut result: u8 = 0;
asm!(
"
1:
ldrb r4, [$1]
ldrb r5, [$2]
eor r4, r4, r5
orr $0, $0, r4
add $1, $1, #1
add $2, $2, #1
subs $3, $3, #1
bne 1b
"
: "+r" (result), "+r" (lhsp), "+r" (rhsp), "+r" (count)
:
: "r4", "r5", "cc"
: "volatile"
);
result == 0
}
pub fn fixed_time_eq(lhs: &[u8], rhs: &[u8]) -> bool {
if lhs.len() != rhs.len() {
false
} else if lhs.len() == 0 {
true
} else {
let count = lhs.len();
unsafe {
let lhsp = lhs.get_unchecked(0);
let rhsp = rhs.get_unchecked(0);
fixed_time_eq_asm(lhsp, rhsp, count)
}
}
}
#[cfg(test)]
mod test {
use util::fixed_time_eq;
#[test]
pub fn test_fixed_time_eq() {
let a = [0, 1, 2];
let b = [0, 1, 2];
let c = [0, 1, 9];
let d = [9, 1, 2];
let e = [2, 1, 0];
let f = [2, 2, 2];
let g = [0, 0, 0];
assert!(fixed_time_eq(&a, &a));
assert!(fixed_time_eq(&a, &b));
assert!(!fixed_time_eq(&a, &c));
assert!(!fixed_time_eq(&a, &d));
assert!(!fixed_time_eq(&a, &e));
assert!(!fixed_time_eq(&a, &f));
assert!(!fixed_time_eq(&a, &g));
}
}