编写程序,要求输入一个字符串,然后输入一个整数作为凯撒加密算法的密钥,然后输出该字符串加密后的结果。
时间: 2023-06-27 17:02:30 浏览: 283
以下是Python的实现代码:
```python
text = input("请输入要加密的字符串:")
key = int(input("请输入密钥:"))
encrypted_text = ""
for char in text:
if char.isalpha():
shifted_char = chr((ord(char) - ord('a') + key) % 26 + ord('a'))
encrypted_text += shifted_char
else:
encrypted_text += char
print("加密后的结果为:", encrypted_text)
```
该程序首先要求用户输入要加密的字符串和密钥。然后对于字符串中的每个字符,如果它是一个字母,则将其通过凯撒加密算法进行加密,否则将其保留原样。最后输出加密后的结果。
相关问题
编写程序,输入一个字符串作为待加密的明文,然后输入一个整数作为凯撒加密算法的密钥,最后输出该字符串使用该密钥加密后的结果。
好的,以下是一个使用凯撒加密算法加密字符串的 Python 代码示例:
```python
def caesar_cipher(plaintext, key):
ciphertext = ""
for char in plaintext:
if char.isalpha():
shifted = (ord(char) - ord('a') + key) % 26 + ord('a')
ciphertext += chr(shifted)
else:
ciphertext += char
return ciphertext
plaintext = input("请输入待加密的明文:")
key = int(input("请输入凯撒加密算法的密钥:"))
ciphertext = caesar_cipher(plaintext, key)
print("加密后的结果为:", ciphertext)
```
例如,如果输入明文为 "hello world",密钥为 3,则输出的加密结果为 "khoor zruog"。
希望这个代码能够帮到您!
编写一个C++程序,实现对凯撒加密算法的破解,输入恺撒加密的密文,输出破解后的明文(也是大写字母构成)。
下面是一个简单的C++程序,用于破解凯撒加密算法。该程序可以读取一个密文文件,并输出破解后的明文。程序假设密文只包含大写字母,密钥是一个整数。密钥从0到25进行枚举,程序会将每个密钥应用于密文,并输出解密后的明文。程序使用了词频分析来帮助破解密文。
```c++
#include <iostream>
#include <fstream>
#include <string>
#include <map>
using namespace std;
// 词频表,记录每个字母出现的频率
map<char, int> freq_table = {
{'A', 8167},
{'B', 1492},
{'C', 2782},
{'D', 4253},
{'E', 12702},
{'F', 2228},
{'G', 2015},
{'H', 6094},
{'I', 6966},
{'J', 153},
{'K', 772},
{'L', 4025},
{'M', 2406},
{'N', 6749},
{'O', 7507},
{'P', 1929},
{'Q', 95},
{'R', 5987},
{'S', 6327},
{'T', 9056},
{'U', 2758},
{'V', 978},
{'W', 2360},
{'X', 150},
{'Y', 1974},
{'Z', 74}
};
// 统计一个字符串中每个字母出现的频率
map<char, int> count_letters(string s) {
map<char, int> freq;
for (char c : s) {
if (isalpha(c)) {
freq[toupper(c)]++;
}
}
return freq;
}
// 计算一个字符串的得分,用于评估其是否是明文
int score_string(string s) {
int score = 0;
map<char, int> freq = count_letters(s);
for (auto p : freq) {
char c = p.first;
int count = p.second;
if (freq_table.count(c)) {
int expected_count = freq_table[c] * s.size() / 100;
score += abs(count - expected_count);
}
}
return score;
}
// 对一个字符串进行凯撒解密
string caesar_decrypt(string s, int key) {
string plaintext = "";
for (char c : s) {
if (isalpha(c)) {
char base = isupper(c) ? 'A' : 'a';
char decrypted = base + ((c - base - key + 26) % 26);
plaintext += decrypted;
} else {
plaintext += c;
}
}
return plaintext;
}
int main() {
// 读取密文文件
ifstream fin("ciphertext.txt");
string ciphertext;
getline(fin, ciphertext);
// 枚举密钥,对密文进行解密,并评分
int best_score = INT_MAX;
string best_plaintext;
for (int key = 0; key < 26; key++) {
string plaintext = caesar_decrypt(ciphertext, key);
int score = score_string(plaintext);
if (score < best_score) {
best_score = score;
best_plaintext = plaintext;
}
}
// 输出破解后的明文
cout << best_plaintext << endl;
return 0;
}
```
该程序读取一个名为"ciphertext.txt"的文件,该文件包含要破解的密文。程序首先枚举密钥,对密文进行解密,并评分。评分使用了词频分析,计算解密后的明文与英文文本的相似度。程序输出得分最低的解密后的明文。
阅读全文