Начало работы с расшифровкой crypto++ с помощью AES
Я пытаюсь немного узнать о криптографии и пытаюсь использовать расшифровку AES с библиотекой crypto ++ в C++. У меня есть строка зашифрованного текста и ключевая строка. Используя эти два, я хотел бы расшифровать этот зашифрованный текст. Вот мой код:
#include "mycrypto.h"
#include <stdio.h>
#include <cstdlib>
#include <string>
#include <aes.h>
#include <config.h>
#include <hex.h>
#include <files.h>
#include <cryptlib.h>
#include <modes.h>
#include <osrng.h>
#include <filters.h>
#include <sha.h>
#include <rijndael.h>
using namespace std;
using namespace CryptoPP;
int main()
{
string myPlainText;
string myKey = "140b41";
string myCipherText = "4ca00f";
byte key[AES::DEFAULT_KEYLENGTH];
byte iv[AES::BLOCKSIZE];
CryptoPP::CBC_Mode<AES>::DECRYPTION decryptor;
decryptor.SetKeyWithIV(key, sizeof(key), iv);
StringSource(myCipherText, true, new StreamTransformationFilter( decryptor, new StringSink(myPlainText)));
return 0;
}
Я получаю ряд ошибок с этим кодом. Самое непосредственное это:
'DECRYPTION' не является членом 'CryptoPP::CBC_Mode'
Может кто-нибудь выправить меня с этим кодом. Я изучил всю документацию по crypto ++, но не вижу, что я делаю неправильно.
Спасибо!
2 ответа
Я думаю DECRYPTION
пишется Decryption
, По крайней мере, так это выглядит в этом примере.
Вам не хватает нескольких вещей здесь. Я понимаю, что изучение крипто++ было для меня пугающим.
- Это CBC_Mode<AES>::Decryption.
- У вас нет IV для расшифровки?
- Вы не преобразовали шестнадцатеричный 'myCipherText' обратно в (байт*).
Это мой рабочий пример.
Функции:
encc — шифрует обычный текст и возвращает «ivString::ciphertxt».
decc - Дизассемблирует IV и зашифрованный текст и расшифровывает «зашифрованный текст».
string encc(string plain) {
using namespace CryptoPP;
AutoSeededRandomPool prng;
SecByteBlock iv(AES::BLOCKSIZE);
//the password
std::string sKey = "UltraSecretKeyPhrase";
// Convert "UltraSecretKeyPhrase" to SecByteBlock
SecByteBlock key((const unsigned char*)(sKey.data()), sKey.size());
// Generate IV
prng.GenerateBlock(iv, iv.size());
std::string cipher, recovered;
//Try Encrypt
try
{
CBC_Mode< AES >::Encryption e;
e.SetKeyWithIV(key, key.size(), iv);
StringSource s(plain, true,
new StreamTransformationFilter(e,
new StringSink(cipher)
)
);
}
catch (const Exception& e)
{
exit(1);
}
string ciphertxt, ivString;
//HexEncode IV
HexEncoder encoder(new FileSink(std::cout));
encoder.Detach(new StringSink(ivString));
encoder.Put(iv, iv.size());
encoder.MessageEnd();
//HexEncode ciphertxt
encoder.Detach(new StringSink(ciphertxt));
encoder.Put((const byte*)&cipher[0], cipher.size());
encoder.MessageEnd();
string toSend = ivString + "::" + ciphertxt;
return toSend;
}
string decc(string toDec) {
using namespace CryptoPP;
std::string sKey = "UltraSecretKeyPhrase";
SecByteBlock key((const unsigned char*)(sKey.data()), sKey.size());
std::string recovered;
string str1 = "::";
size_t found = toDec.find(str1);
//seperate iv and ciphertxt
if (found != string::npos) {
std::string sIv = toDec.substr(0, found);
std::string encMessageHex = toDec.substr(found + 2);
cout << endl << "IV: " << sIv << endl << "Encoded Msg: " << encMessageHex << endl;
string iv, encMessage;
HexDecoder decoder, msgDecoder;
//Decode the IV Hex back to byte*
decoder.Attach(new StringSink(iv));
decoder.Put((byte*)sIv.data(), sIv.size());
decoder.MessageEnd();
//Decode the ciphertxt Hex back to byte*
decoder.Attach(new StringSink(encMessage));
decoder.Put((byte*)encMessageHex.data(), encMessageHex.size());
decoder.MessageEnd();
//Try decoding the ciphertxt
try
{
CBC_Mode< AES >::Decryption d;
d.SetKeyWithIV(key.data(), key.size(), (byte *)iv.data(), AES::BLOCKSIZE);
StringSource s(encMessage, true,
new StreamTransformationFilter(d,
new StringSink(recovered)
)
);
return recovered;
}
catch (const Exception& e)
{
std::cerr << e.what() << std::endl;
exit(1);
}
}
else return NULL;
}
int main(){
string hh = encc("this is encoded");
cout << hh << endl;
string gg = decc(hh);
cout << gg << endl;
return 0;
}