我正在尝试将字符串转换为大写,以便我可以操作它,但是虽然我可以成功操作自然大写字符串,以及将小写转换为大写,但使用此转换方法无法允许操作。
例如,如果我通过"你好"通过加密,我的加密字符串变为" HELLO",但当我通过" HELLO"通过(自然大写),它正确地转移。
是否有一种强制大写的方式,我需要使用或者我做错了什么?
int Caesar::encrypt (const std::string &message, std::string &emessage) {
int count = 0;
emessage = message;
std::transform(emessage.begin(), emessage.end(), emessage.begin(), ::toupper);
for (std::string::size_type i = 0; i < message.size(); i++) {
for (int j = 0; j < 26; j++) {
if (emessage[i] == std_alphabet[j]) {
std::replace(emessage.begin(), emessage.end(), message[i], c_alphabet[j]);
}
}
count++;
}
return count;
}
构造
Caesar::Caesar (int shift) {
// loop to populate vector with 26 letters of English alphabet
// using ASCII uppcase letter codes
for (int i = 0; i < 26; i++) {
std_alphabet.push_back(i + 65);
}
// fills Caesar alphabet with standard generated alphabet
c_alphabet = std_alphabet;
// shifts Caesar alphabet based off the constructor parameter
std::rotate(c_alphabet.begin(), c_alphabet.begin() + shift, c_alphabet.end());
}
测试文件:
void testCaesar() {
Caesar test(4);
std::string original = "HELLO";
std::string encrypted = "";
test.encrypt(original,encrypted);
std::cout << encrypted << std::endl;
std::cout << original << std::endl;
}
int main() {
testCaesar();
return 0;
}
显然有一个标题,包括和东西,但这是基本代码
头文件包含两个私有向量
答案 0 :(得分:2)
您看到的具体问题是您在这里更换了错误的内容:
std::replace(emessage.begin(), emessage.end(), message[i], c_alphabet[j]);
如果message
为小写,则emessage
将为大写字母 - 其中任何一个都不是message[i]
。所以更换不会做任何事情。你的意思是:
std::replace(emessage.begin(), emessage.end(), emessage[i], c_alphabet[j]);
^^^^^^^^^^^
也就是说,你的算法完全错误,HELLO
加密为BCBBA
,班次为4.字母上有1-1映射,H
和{{1不能同时转到L
。你想要做的就是在你去的时候移动每个字母,只需将它替换为下一个字母应该是什么。那就是:
B
您实际上并不需要初始转换步骤:
for (std::string::size_type i = 0; i < emessage.size(); ++i) {
emessage[i] = c_alphabet[emessage[i] - 'A'];
}
通过删除你的emessage = message;
for (std::string::size_type i = 0; i < emessage.size(); ++i) {
emessage[i] = c_alphabet[::toupper(emessage[i]) - 'A'];
}
(这只是大小,所以是多余的)并且按照值来取消消息,可以删除整个事情:
count