5

使用一个简单的仿函数,称为Encryptor

struct Encryptor {
    char m_bKey;
    Encryptor(char bKey) : m_bKey(bKey) {}
    char operator()(char bInput) {
        return bInput ^ m_bKey++;
    }
};

我可以很容易地加密给定的文件

std::ifstream input("in.plain.txt", std::ios::binary);
std::ofstream output("out.encrypted.txt", std::ios::binary);
std::transform(
    std::istreambuf_iterator<char>(input),
    std::istreambuf_iterator<char>(),
    std::ostreambuf_iterator<char>(output),
    Encryptor(0x2a));

但是试图通过调用来恢复它

std::ifstream input2("out.encrypted.txt", std::ios::binary);
std::ofstream output2("out.decrypted.txt", std::ios::binary);
std::transform(
    std::istreambuf_iterator<char>(input2),
    std::istreambuf_iterator<char>(),
    std::ostreambuf_iterator<char>(output2),
    Encryptor(0x2a));

仅部分起作用。以下是文件大小:

in.plain.txt:      7,700 bytes
out.encrypted.txt: 7,700 bytes
out.decrypted.txt: 4,096 bytes

在这种情况下,该方法似乎只适用于第一个2**12字节,并且可能只适用于它的倍数(它可能是我的文件系统的块大小吗?)。为什么我会有这种行为,解决方法是什么?

4

1 回答 1

4

从您提供的源代码中,看起来输出流在您尝试从磁盘读回之前没有关闭。由于 ofstream 类中有一个输出缓冲区,因此您的数据可能仍在缓冲区中,因此未刷新到磁盘。在从磁盘读取之前关闭输出流应该可以解决问题。

于 2013-03-27T20:10:16.173 回答