我正在使用Crypto ++加密和解密文件。在加密中,key
和随机IV
生成,hexencoded
生成文件中的文本。 IV
和cipher
文本都写入同一文件。
在解密中,使用与加密相同的条件生成key
,并从文件和IV
中提取随机hexdecoded
。 iv
长度后的文本存储在字符串中并解密。
我可以看到原始文件,因此我知道它正在运行,但它也会在原始文件文本后面显示cipher
文本。有人如何解决它?
//some code to declare variables, read from file and so on
unsigned char * inputContent = (unsigned char *) malloc(fileSize * sizeof(char)); //create char array of same size as file content
//inputContent is for storing file data
string rawString(reinterpret_cast<char*>(inputContent), fileSize); //convert char array to string
//extract iv, key and cipher from rawString
string rawIV;
rawIV = rawString.substr(0, 32);
//code to hexdecode iv
string cipher;
cipher = rawString.substr(32, fileSize - 32);
string recovered;
CBC_Mode< AES >::Decryption d;
d.SetKeyWithIV(key, sizeof(key), iv);
StringSource s_recover(cipher, true,
new StreamTransformationFilter(d,
new StringSink(recovered)
)
);
const char * writeContent = recovered.c_str();
if(pwrite(fd, writeContent, recovered.length(), 0) <= 0)
{
return -1; //error
}
提前致谢。 ☺
答案 0 :(得分:0)
您可以尝试这样的事情。但很难说它是否真的有用,因为它不清楚你实际在做什么或问题所在。
FileSource fs("<filename>", false /*pumpAll*/);
SecByteBlock key(AES::DEFAULT_KEYLENGTH), iv(AES::BLOCKSIZE);
// Fetch key from somewhere
key = ...;
// Fetch IV from file
fs.Detach(new HexDecoder(new ArraySink(iv, iv.size()));
fs.Pump(32);
CBC_Mode< AES >::Decryption dec;
dec.SetKeyWithIV(key, key.size(), iv, iv.size());
string recovered;
fs.Detach(new HexDecoder(new StreamTransformationFilter(dec, new StringSink(recovered))));
fs.PumpAll();
您还可以使用以下,如果获得SecByteBlockSink
patch:
SecByteBlock recovered;
fs.Detach(new HexDecoder(new StreamTransformationFilter(dec, new SecByteBlockSink(recovered))));
fs.PumpAll();
rawString
:
//create char array of same size as file content
unsigned char * inputContent = (unsigned char *) malloc(fileSize * sizeof(char));
//inputContent is for storing file data
//convert char array to string
string rawString(reinterpret_cast<char*>(inputContent), fileSize);
也许你应该尝试:
ArraySource as(inputContent, fileSize, false /*pumpAll*/);
使用ArraySource
意味着您不复制数据(string
复制数据),并准备好使用Crypto ++。
此外,由于您已经使用了C ++代码,因此请使用unique_ptr
和new
而不是malloc
。 unique_ptr
将为您处理清理工作。 (或者,使用std::vector
)。
unique_ptr<byte[]> buffer(new byte[fileSize]);
我不知道你将如何使文件描述符在宏观方案中发挥作用。 Crypto ++是一个C ++库,C ++使用I / O流。也许这会有所帮助:How to construct a c++ fstream from a POSIX file descriptor?
另见Retrieving file descriptor from a std::fstream和Getting a FILE* from a std::fstream。