我如何修改此代码以接受来自用户的输入而不是使用预定的字符串?具体来说,我需要程序只需要两个命令行参数。第一个将是代码“-e”或“-d”以指示消息的编码或解码(这确定添加或减去您的移位值),第二个参数将是一个单词,它将是您的关键字用于加密或解密。
#include <iostream>
#include <cstring>
#include <algorithm>
// Vigenere Cipher Methods:
// Note: assumes that both strings as arguments have length > 0, and that
// the key only contains letters of the alphabet from [A-Z]
void vigenere_encrypt(std::string& s, std::string key)
{
std::transform(s.begin(), s.end(), s.begin(), ::toupper);
std::transform(key.begin(), key.end(), key.begin(), ::toupper);
unsigned int j = 0;
for (int i = 0; i < s.length(); i++)
{
if (isalpha(s[i]))
{
s[i] += key[j] - 'A';
if (s[i] > 'Z') s[i] += -'Z' + 'A' - 1;
}
j = j + 1 == key.length() ? 0 : j + 1;
}
}
void vigenere_decrypt(std::string& s, std::string key)
{
std::transform(s.begin(), s.end(), s.begin(), ::toupper);
std::transform(key.begin(), key.end(), key.begin(), ::toupper);
unsigned int j = 0;
for (int i = 0; i < s.length(); i++)
{
if (isalpha(s[i]))
{
s[i] = s[i] >= key[j] ?
s[i] - key[j] + 'A' :
'A' + ('Z' - key[j] + s[i] - 'A') + 1;
}
j = j + 1 == key.length() ? 0 : j + 1;
}
}
int main(void)
{
std::string s("AceInfinity's Example");
std::string key("Passkey");
vigenere_encrypt(s, key);
std::cout << "Encrypted: " << s << std::endl;
vigenere_decrypt(s, key);
std::cout << "Decrypted: " << s << std::endl;
return 0;
}
感谢您的输入和其他一些来源,我重新开发了我的主要代码,如下所示。我无法让程序正确解密和加密字符串,我不确定错误是否在代码本身或操作员错误中。这里有什么不寻常的东西,我怎样才能使这个代码能够加密或解密给定的用户输入呢?
#include <iostream>
#include <string>
int usage( const char* exe_name )
{
std::cerr << "Usage: " << exe_name << " -e <text to encrypt>\n"
<< " " << exe_name << " -d <text to decrypt>\n" ;
return 1 ;
}
int main( int argc, char* argv[] )
{
if (argc < 3 ) return usage( argv[0] ) ;
const std::string option = argv[1];
std::string text = argv[2];
// cat the remaining cmd line args
for( int i = 3 ; i < argc ; ++i ) { text += ' ' ; text += argv[i] ; }
const std::string key("Passkey");
if ( option== "-e" )
std::cout << "Encrypt: '" << text << "'\n" ;
else if ( option == "-d" )
std::cout << "Decrypt: '" << text << "'\n" ;
else
{
std::cout << "Unrecognised command line option '" << option << "'\n";
return usage( argv[0] ) ;
}
}
答案 0 :(得分:1)
如果您需要命令行参数,则需要稍微更改main函数的原型并使用标准argv
数组:
int main(int argc, const char** argv)
{
std::string s("AceInfinity's Example");
if (argc != 3)
{
std::cout << "Usage: -e text\n" << " -d text\n";
return 0;
}
std::string arg1 = argv[1];
std::string arg2 = argv[2];
if (arg1 == "-e")
{
vigenere_encrypt(s, arg2);
std::cout << "Encrypted: " << s << std::endl;
}
else if (arg1 == "-d")
{
vigenere_decrypt(s, arg2);
std::cout << "Decrypted: " << s << std::endl;
}
else
std::cout << "Unrecognised command line option " << arg1 << "\n";
return 0;
}
为快速示例做出了最小的努力,代码可能有效,e&amp; oe,caveat emptor等。
当然,你确实最好使用正确的命令行参数解析器,如getopt,你仍然需要一些方法来提供明文加密或用于解密的密文,但这是留给读者的练习。例如,使用stdin
从std::cin
读取是这样做的一种方式。
答案 1 :(得分:0)
使用cin
接受来自用户的输入并将其输入到字符串中。解析字符串以获取-e / -d标志和关键字。如果输入不是您想要的,请提示用户重试。