繁体   English   中英

如何在 Crypto++ 中更改接收器

[英]How to change sink in Crypto++

我正在使用 Crypto++ 来解密文件,因此我使用FileSource作为我的源,但我希望能够更改接收器,因此我可以实现以下目标:

std::string temp;
FileSource file("/path/to/file", false, new StringSink(temp));
file.Pump(14);
if (temp != "File Signature")
    return false;
//change file's sink to new CTR_Mode<AES>::Decryption(meta_key, 32, meta_iv, new StringSink(metainfo))
file.Pump(256);
/* use metainfo */
//change file's sink to new CTR_Mode<AES>::Decryption(key, 32, iv, new StringSink(decoded))
while(!file.SourceExhausted())
{
    file.Pump(512);
    std::cout << decoded;
}

我怎样才能做到这一点?

如何更改 Crypto++ 中的接收器?

Sink 只是一个没有附加转换的过滤器。 要更改接收器,您只需更改前置对象或父对象的附加过滤器。 棘手的部分是访问过滤器链中两到三个深度的过滤器。

使用类似以下内容。 过滤器有两种附加过滤器的方法: AttachDetach 他们都为对象附加了一个新的过滤器; 但是Attach返回旧过滤器,而Detach free 的它。

另一个奇怪的是Redirector 您可以使用它来破坏链中的所有权。 它是StreamTransformationFilter filter所需要的。 基于堆栈的分配将作为局部变量被释放,因此您不希望它也作为链的一部分被释放。

FileSource file("/path/to/file", false, new StringSink(temp));
file.Pump(14);
if (temp != "File Signature")
    return false;

CTR_Mode<AES>::Decryption decryptor;
StreamTransformationFilter filter(decryptor);

// Detach StringSink(temp), Attach StreamTransformationFilter(decryptor)
file.Detach(new Redirector(filter));

// Set Key and IV
decryptor.SetKeyWithIV(meta_key, 32, meta_iv);

// Detach nothing, Attach StringSink(metainfo)
filter.Detach(new StringSink(metainfo));

// FileSource → decryptor → metainfo
file.Pump(256);

// Set Key and IV
decryptor.SetKeyWithIV(key, 32, iv);

// Detach StringSink(metainfo), Attach StringSink(decoded)
filter.Detach(new StringSink(decoded)); 

while(!file.SourceExhausted())
{
    // FileSource → decryptor → decoded
    file.Pump(512);
    std::cout << decoded;
}

这是没有Redirector的另一种方法。 它隐藏了一个指向StreamTransformationFilter的指针:

FileSource file("/path/to/file", false, new StringSink(temp));
file.Pump(14);
if (temp != "File Signature")
    return false;

CTR_Mode<AES>::Decryption decryptor;
StreamTransformationFilter* filter = NULL;

// Detach StringSink(temp), Attach StreamTransformationFilter(decryptor)
file.Detach(filter = new StreamTransformationFilter(decryptor));

// Set Key and IV
decryptor.SetKeyWithIV(meta_key, 32, meta_iv);

// Detach nothing, Attach StringSink(metainfo)
filter->Detach(new StringSink(metainfo)); 

// FileSource → decryptor → metainfo
file.Pump(256);

// Set Key and IV
decryptor.SetKeyWithIV(key, 32, iv);

// Detach StringSink(metainfo), Attach StringSink(decoded)
filter->Detach(new StringSink(decoded)); 

while(!file.SourceExhausted())
{
    // FileSource → decryptor → decoded
    file.Pump(512);
    std::cout << decoded;
}

您可能对 Crypto++ wiki 上的流水线感兴趣。 同样感兴趣的可能是BufferedTransformation ,它是用于流水线的基类。

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM