我需要使用带有XOR加密的C ++加密和解密文件。我需要知道在哪里可以为它制作GUI。
有没有办法做到这一点(可能只通过C ++)?
答案 0 :(得分:0)
如何加密文件有一个非常简单的答案。 此脚本使用XOR encryption加密文件。 再次加密文件以解密它。
#include <iostream>
#include <fstream>
#include <string>
using namespace std;
void encrypt (string &key,string &data){
float percent;
for (int i = 0;i < data.size();i++){
percent = (100*i)/key.size(); //progress of encryption
data[i] = data.c_str()[i]^key[i%key.size()];
if (percent < 100){
cout << percent << "%\r"; //outputs percent, \r makes
}else{ //cout to overwrite the
cout<< "100%\r"; //last line.
}
}
}
int main()
{
string data;
string key = "This_is_the_key";
ifstream in ("File",ios::binary); // this input stream opens the
// the file and ...
data.reserve (1000);
in >> data; // ... reads the data in it.
in.close();
encrypt(key,data);
ofstream out("File",ios::binary);//opens the output stream and ...
out << data; //... writes encrypted data to file.
out.close();
return 0;
}
这行代码是加密发生的地方:
data[i] = data.c_str()[i]^key[i%key.size()];
它分别加密每个字节。 每个字节都使用在加密期间更改的char进行加密 因为这个:
key[i%key.size()]
但是有很多加密方法,例如你可以为每个字节加1(加密)并从每个字节中减去1(解密):
//Encryption
for (int i = 0;i < data.size();i++){
data[i] = data.c_str()[i]+1;
}
//Decryption
for (int i = 0;i < data.size();i++){
data[i] = data.c_str()[i]-1;
}
我认为展示进展并不是非常有用,因为它很快。
如果你真的想制作一个GUI,我会推荐使用Visual Studio。
希望这很有用。