【C语言】凯赛密码的加密和解密

凯撒密码是一种简单的替换加密方法,其原理是将明文中的每个字母按照指定的偏移量进行替换,从而得到密文。在下面的C语言代码中,我们实现了凯撒密码的加密和解密过程。这段代码的优点是简单易懂,实现了凯撒密码的基本功能。然而,凯撒密码也有一些明显的缺点和局限性:易被破解、密钥空间有限、无法处理非字母字符、单一性等等。总的来说,凯撒密码作为一种历史悠久但安全性较低的加密算法,在现代密码学中已经不再被广泛使用。现代加密算法如AES、RSA等更加复杂和安全,能够提供更高的数据安全性和保密性 

#include <stdio.h>
#include <string.h>

// 凯撒加密函数
void caesar_encrypt(char *plaintext, int key) {
    int i;
    for (i = 0; i < strlen(plaintext); i++) {
        // 加密大写字母
        if (plaintext[i] >= 'A' && plaintext[i] <= 'Z') {
            plaintext[i] = ((plaintext[i] - 'A' + key) % 26) + 'A';
        }
        // 加密小写字母
        else if (plaintext[i] >= 'a' && plaintext[i] <= 'z') {
            plaintext[i] = ((plaintext[i] - 'a' + key) % 26) + 'a';
        }
    }
}

// 凯撒解密函数
void caesar_decrypt(char *ciphertext, int key) {
    int i;
    for (i = 0; i < strlen(ciphertext); i++) {
        // 解密大写字母
        if (ciphertext[i] >= 'A' && ciphertext[i] <= 'Z') {
            ciphertext[i] = ((ciphertext[i] - 'A' - key + 26) % 26) + 'A';
        }
        // 解密小写字母
        else if (ciphertext[i] >= 'a' && ciphertext[i] <= 'z') {
            ciphertext[i] = ((ciphertext[i] - 'a' - key + 26) % 26) + 'a';
        }
    }
}

int main() {
    char plaintext[100], ciphertext[100];
    int key;

    printf("Enter the plaintext: ");
    fgets(plaintext, sizeof(plaintext), stdin);
    printf("Enter the key: ");
    scanf("%d", &key);

    // 加密过程
    strcpy(ciphertext, plaintext);
    caesar_encrypt(ciphertext, key);
    printf("Encrypted text: %s\n", ciphertext);

    // 解密过程
    caesar_decrypt(ciphertext, key);
    printf("Decrypted text: %s\n", ciphertext);

    return 0;
}