如何解密在python中使用AES加密的密文。
Encrypt.py
使用这个我使用AES制作密文并与IV连接 并将其写入文件file.txt。
from Crypto.Cipher import AES
import hashlib, os
Plain = 'This is a string' #String to Encrypt
key = 'mysecretpassword'
#key = hashlib.md5(key).digest() #Key
IV = 'InitializationVector'
IV = hashlib.md5(IV).digest() #Initialization Vector
print len(IV)
Obj1 = AES.new(key, AES.MODE_CBC, IV)
Cipher = Obj1.encrypt(Plain) #Cipher text
File = open('file.txt','w')
File.write(Cipher+IV) #Concatenated the string and IV and
#wrote that to a file file.txt
File.close()
Decrypt.c
现在使用这个,我从file.txt获得了密码文本和IV。现在我怎么做 使用openssl或任何其他库解密Cipher?
#include <stdio.h>
#include <string.h>
int main ()
{
char filename[] = "file.txt";
FILE *file = fopen ( filename, "r" );
char key[] = "mysecretpassword";
if (file != NULL) {
char line [1000];
char *p = line;
char *array = line;
while(fgets(line,sizeof line,file)!= NULL) {
fprintf(stdout,"%s\n",line);
char otherString[strlen(line)-15];
strncpy(otherString, p, strlen(line)-16);
otherString[strlen(otherString)-1] = '\0';
printf("%s\n", otherString);//Here I got the Encrypted string
array=array+(strlen(array)-16);
printf("%s\n",array);//Here I got the IV
//Here how to decrypt the Cipher text using "IV" and "key"
}
fclose(file);
}
else {
perror(filename);
}
return 0;
}
我真的是个新手。请原谅我的问题中的错误,请随时帮助我,这将是你最善良的。非常感谢提前。
答案 0 :(得分:1)
#include "openssl/aes.h"
char buffer[1000];
AES_KEY dec_key;
AES_set_decrypt_key(key, 128, &dec_key);
AES_cbc_encrypt(otherString, buffer, strlen(line) - 16,
&dec_key, array, AES_DECRYPT);
//AES_KEY dec_key;
//AES_set_decrypt_key(key, keySize, &dec_key);
//AES_cbc_encrypt(ciphertext, result, textLen, &dec_key, iv, AES_DECRYPT);
这对我有用。 128是16字节密钥的位。
但是我相信,你也会在-1到15-16字符串长度的某个地方出现错误。可以更改while循环的这一部分来解决问题:
int strLen = strlen(line) - 16;
char otherString[strLen + 1];
strncpy(otherString, p, strLen);
otherString[strLen] = '\0';
array = array + strLen;
这也是很好的AES CBC加密/解密example code和your working code。