-
原文中所有的字符都在字母表中被循环左移了三个位置(bcd→yza)//加密时应该是左移 3 位,解密时才是右移 3 位。
-
逆序存储(abcd→dcba)
-
大小写反转(abXY→ABxy
输入:GSOOWFASOq 输出:
Trvdizrrvj
isupper(char c)
:判断 𝑐 是否大写字母。islower(char c)
:判断 𝑐是否小写字母。toupper(char c)
:返回 𝑐的大写形式。tolower(char c)
:返回 𝑐 的小写形式。上面四个函数都在
<cctype>
中reverse(iterator a, iterator b)
:将 𝑎a 到 𝑏b 的序列翻转在
<algorithm>
中
代码如下:
#include<bits/stdc++.h>
#include <iostream>
#include <cctype>
#include <algorithm
using namespace std;
int main() {
char s[101];
int l;
cin >> s;
l = strlen(s); //用于获取字符串s的长度
for(int i = 0;i < l;++i)
if(isupper(s[i])) s[i] = tolower(s[i]); //判断 c 是否大写字母。变成大写
else if(islower(s[i])) s[i] = toupper(s[i]);//判断 c 是否小写字母。变成大写
reverse(s, s + l); //:将 a 到 b 的序列翻转
for(int i = 0;i < l;++i)
{
switch(s[i])
{
case 'x': cout << 'a';break;
case 'X': cout << 'A';break;
case 'y': cout << 'b';break;
case 'Y': cout << 'B';break;
case 'z': cout << 'c';break;
case 'Z': cout << 'C';break;
default : cout << char(s[i] + 3);break; //果前面的条件都不满足,则执行default分支。
//在default分支中,将字符串s的第i个字符加上3
}
}
return 0;
}
03-20
228