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
|
// Copyright © 2020 rsiddharth <s@ricketyspace.net>
// SPDX-License-Identifier: ISC
package lib
var oracleUnknown string = `Um9sbGluJyBpbiBteSA1LjAKV2l0aCBteSByYWctdG9wIGRvd24gc28gbXkg
aGFpciBjYW4gYmxvdwpUaGUgZ2lybGllcyBvbiBzdGFuZGJ5IHdhdmluZyBq
dXN0IHRvIHNheSBoaQpEaWQgeW91IHN0b3A/IE5vLCBJIGp1c3QgZHJvdmUg
YnkK`
var oracleKey []byte
var oracleRandom []byte
func init() {
var err error
oracleKey, err = RandomKey(16)
if err != nil {
panic(err)
}
oracleRandom, err = RandomKey(int(RandomInt(1, 4096)))
if err != nil {
panic(err)
}
}
// Given an input `in`, this function AES encrypts `in` using a
// randomly generate 16-byte key using ECB or CBC mode and returns the
// cipher.
func OracleAESRandomEncrypt(in []byte) []byte {
// Generate random key.
key, err := RandomKey(16)
if err != nil {
panic(err)
}
// Generate random initialization vector; needed for AES CBC.
iv, err := RandomKey(16)
if err != nil {
panic(err)
}
// Add 5-10 bytes at the beginning and end of `in`
in = append(randomBytes(5, 10), in...)
in = append(in, randomBytes(5, 10)...)
// Randomly encrypt `in` with AES in ECB or CBC mode.
m := RandomInt(0, 1)
var out []byte
if m == 0 {
// Encrypt with AES in ECB mode.
out = AESEncryptECB(in, key)
} else {
// Encrypt with AES in CBC mode.
out = AESEncryptCBC(in, key, iv)
}
return out
}
func OracleAESEncryptECB(in []byte) []byte {
return AESEncryptECB(append(in, Base64ToBytes(oracleUnknown)...), oracleKey)
}
func OracleAESVarEncryptECB(in []byte) []byte {
in = append(oracleRandom, in...)
in = append(in, Base64ToBytes(oracleUnknown)...)
return AESEncryptECB(in, oracleKey)
}
|