-
Notifications
You must be signed in to change notification settings - Fork 7
/
Copy pathEncryptionWrappers.py
73 lines (58 loc) · 2.08 KB
/
EncryptionWrappers.py
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
# Copyright (C) 2012 AG Projects. See LICENSE for details.
#
__all__ = ['encrypt', 'decrypt']
import hashlib
from binascii import hexlify, unhexlify
from Crypto.Cipher import AES
# Here be dragons!
# This is unnecessarily complicated, because previosly M2Crypto
# was used and when switching to PyCrypto we wanted to maintain
# backwards compatibility and be able to read the data. In the
# future we should switch to Cyptography's "Fernet" module.
#
# References:
# https://gist.github.com/gsakkis/4546068
# https://github.com/M2Crypto/M2Crypto/blob/master/SWIG/_evp.i
# https://www.openssl.org/docs/crypto/EVP_BytesToKey.html
# http://stackoverflow.com/questions/8008253/c-sharp-version-of-openssl-evp-bytestokey-method
# http://nullege.com/codes/show/src@f@u@Fukei-HEAD@[email protected]
iv = '\0' * 16
salt = 'saltsalt'
iterations = 5
digest = 'sha1'
def encrypt(data, key):
key = bytes_to_key(key, salt, iterations, digest)
cipher = AES.new(key, AES.MODE_CBC, iv)
return cipher.encrypt(pkcs7_encode(data))
def decrypt(data, key):
key = bytes_to_key(key, salt, iterations, digest)
cipher = AES.new(key, AES.MODE_CBC, iv)
return pkcs7_decode(cipher.decrypt(data))
# Helpers
def pkcs7_encode(text, k=16):
n = k - (len(text) % k)
return text + unhexlify(n * ("%02x" % n))
def pkcs7_decode(text, k=16):
n = int(hexlify(text[-1]), 16)
if n > k:
raise ValueError("Input is not padded or padding is corrupt")
return text[:-n]
def bytes_to_key(key, salt, iterations=1, digest='sha1'):
assert len(salt) == 8, len(salt)
digest_func = getattr(hashlib, digest)
data = digest_func(key + salt).digest()
for x in range(iterations-1):
data = digest_func(data).digest()
parts = [data]
i = 1
desired_len = len(key)
while len(''.join(parts)) < desired_len:
h = digest_func()
data = parts[i - 1] + key + salt
h.update(data)
parts.append(h.digest())
for x in range(iterations-1):
parts[i] = digest_func(parts[i]).digest()
i += 1
parts = ''.join(parts)
return parts[:len(key)]