Search code examples
ccaesar-cipher

Circular shift cipher


I have written a circular shift cipher for key -1 billion to +1 billion for encrypting messages of maximum 200 characters including 0 to 9, a to z and A to Z.

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
int main()
{
    char input[215], key[11], msg[201], output[201], ch;
    int i, j, k, shiftkeychar, shiftkeynum;

    printf("Input: ");
    gets(input);

    for (i = 0; input[i] != ':'; i++)
        key[i] = input[i];
    key[i] = '\0';

    i++;

    k = 0;
    for (j = i; input[j] != '\0'; j++) {
        msg[k] = input[j];
        k++;
    }
    msg[k] = '\0';

    printf("\nmessage: %s\n", msg);
    printf("key: %s\n", key);

    shiftkeychar = atoi(key) % 26;
    shiftkeynum = atoi(key) % 10;

    printf("shiftkey for characters: %d\n", shiftkeychar);
    printf("shiftkey for numbers: %d\n", shiftkeynum);

    strcpy(output, msg);

    for (i = 0; output[i] != '\0'; i++) {
        ch = output[i];

        if (ch >= 'A' && ch <= 'Z') {
            ch = ch + shiftkeychar;

            if (ch > 'Z') {
                ch = ch - 'Z' + 'A' - 1;
            }
            else if (ch < 'A') {
                ch = ch + 'Z' - 'A' + 1;
            }
        }

        else if (ch >= 'a' && ch <= 'z') {
            ch = ch + shiftkeychar;

            if (ch > 'z') {
                ch = ch - 'z' + 'a' - 1;
            }
            else if (ch < 'a') {
                ch = ch + 'z' - 'a' + 1;
            }
        }

        else if (ch >= '0' && ch <= '9') {
            ch = ch + shiftkeynum;

            if (ch > '9') {
                ch = ch - '9' + '0' - 1;
            }
            else if (ch < '0') {
                ch = ch + '9' - '0' + 1;
            }
        }
        output[i] = ch;
        //printf("output[%d]: %c", i, ch);
    }

    printf("Output: %s", output);

    return 0;
}

This Circular shift cipher is working well for Capital letters and digits. However for small letters e.g. if message is 'xyz' and key is more than 5 (i.e., 6,7,...25) its generating some arbitrary output. input format is: "key:message". output is:"encrypted message".


Solution

  • Your character ch is a char, which in C may or may not be signed. On your machine, it seems to be signed, which means that you can store values from −128 to 127. The lower-case letters occupy the ASCII codes from 97 to 122. When you say:

    ch = ch + shiftkeychar;
    

    you may overflow the signed char for letters at the back of the alphabet. Technically, this is undefined behaviour; in practice you will probably get negative values, which will lead to strange characters later on.

    To resolve your problem, make ch an int.