Python中的AES加密与iOS不同
我正在尝试在iOS上加密一个字符串,然后把它发送到一个TCP服务器。下面是Python版本和iOS版本的代码。请看一下这两个版本的输出结果。它们看起来很相似,但长度却不同,我不知道原因是什么。有没有人能帮我看看,可能是什么原因呢?
请注意,Python脚本中的填充(PADDING)应该被忽略,因为我已经给出了16的文本长度。
PYTHON代码:
#!/usr/bin/env python
from Crypto.Cipher import AES
import base64
import os
# the block size for the cipher object; must be 16, 24, or 32 for AES
BLOCK_SIZE = 16
PADDING = '{'
# one-liner to sufficiently pad the text to be encrypted
pad = lambda s: s + (BLOCK_SIZE - len(s) % BLOCK_SIZE) * PADDING
# one-liners to encrypt/encode and decrypt/decode a string
# encrypt with AES, encode with base64
EncodeAES = lambda c, s: base64.b64encode(c.encrypt(pad(s)))
DecodeAES = lambda c, e: c.decrypt(base64.b64decode(e)).rstrip(PADDING)
secret = "1234567890123456"
# create a cipher object using the random secret
cipher = AES.new(secret)
encoded = EncodeAES(cipher, 'password12345678')
print 'Encrypted string:', encoded
decoded = DecodeAES(cipher, encoded)
print 'Decrypted string:', decoded
输出:
加密字符串:57AayWF4jKYx7KzGkwudIBZUsn1ULOC0C4c5YF3xeI8=
解密字符串:password12345678
NSString *forKey=@"1234567890123456";
NSString *mystr =@"password12345678";
const char *utfString = [mystr UTF8String];
NSData *aData=[NSData dataWithBytes: utfString length: strlen(utfString)];
aData=[mystr dataUsingEncoding:NSUTF8StringEncoding];
NSData *data;//=[aData AES128EncryptWithKey:forKey];
data=[aData AES128EncryptWithKey:forKey];
NSString *base64 = [data base64EncodedString];
aData=[data AES128DecryptWithKey:forKey];
mystr=[[NSString alloc] initWithData:aData encoding:NSUTF8StringEncoding];
NSLog(@"AES data : %@ \n %@",mystr,base64 );
输出:
AES数据:password12345678
57AayWF4jKYx7KzGkwudIKNlwA+HErrmiy1Z0szzZds=
1 个回答
5
好的,事情就是这样的。感谢sarnold给的提示 :)
from Crypto.Cipher import AES
import base64
import os
# the block size for the cipher object; must be 16, 24, or 32 for AES
BLOCK_SIZE = 16
mode = AES.MODE_CBC
secret = "1234567890123456" #os.urandom(BLOCK_SIZE)
# create a cipher object using the random secret
cipher = AES.new(secret,mode)
# encode a string
#tx=cipher.encrypt('1234567890123456')
#print base64.b64encode(tx)
myData='aaaaaaaaaaaaaaaa'
#encoded = EncodeAES(cipher, myData)
encoded = cipher.encrypt(myData)
print 'Encrypted string:', base64.b64encode(encoded)
mode = AES.MODE_ECB
cipher=AES.new(secret,mode)
decoded = cipher.decrypt(encoded)
print 'Decrypted string:', decoded
Python 输出:
加密后的字符串:C9pEG6g8ge76xt2q9XLbpw==
解密后的字符串:aaaaaaaaaaaaaaaa
*在iOS中将AES的CCOptions改为了kCCOptionECBMode。*
CCCryptorStatus cryptStatus = CCCrypt(kCCEncrypt, kCCAlgorithmAES128, kCCOptionECBMode,keyPtr, CCKeySizeAES128, NULL,[self bytes], dataLength, buffer, bufferSize, &numBytesEncrypted);
现在的输出是:
iOS 输出:
AES数据:aaaaaaaaaaaaaaaa
C9pEG6g8ge76xt2q9XLbpw==