不完整的解密C ++和WCHAR

时间:2015-01-17 16:51:50

标签: c++ encryption

在C ++中编写用于加密和解密WCHAR的模块

static UINT OGL_KEYTABLE_SIZE = 22;
static int oglKeyTable[] = { 10, 71, 45, 13, 16, 19, 49, 55, 78, 125, 325, 
10, 71, 45, 13, 16, 19, 49, 55, 78, 125, 325 };
PCWSTR encryptString(PCWSTR Message)
{
    int size = lstrlenW(Message);
    WCHAR Encrypted[200];
    for (wchar_t i = 0; i < size; i++) {
        if (((Message[i] + oglKeyTable[i%OGL_KEYTABLE_SIZE]) <= 255)
            &&
            ((Message[i] + oglKeyTable[i%OGL_KEYTABLE_SIZE]) != 0)
            )
            Encrypted[i] = (Message[i] + oglKeyTable[i%OGL_KEYTABLE_SIZE]);
        else
            Encrypted[i] = Message[i];
    }
    Encrypted[size]= '\0';
    int Esize = lstrlenW(Encrypted);
    printf("\n%ls", Message);
    printf("\n%ls", Encrypted);
    size = lstrlenW(Encrypted);
    WCHAR Decrypted[200];
    for (wchar_t i = 0; i < size; i++) {
        if (Encrypted[i] <= 255 ) {
            Decrypted[i] = (Encrypted[i] - oglKeyTable[i%OGL_KEYTABLE_SIZE]);
        }
    }
    Decrypted[size] = '\0';
    printf("\n%ls", Decrypted);
    return Encrypted;
}

但是逻辑在某处失败了,我得到了不完整的解密

  • 原始邮件:Apple tastes good and it__is__very__good__for health !
  • 加密邮件:K+¥yu3Ñÿ-±e}gö|¦wQÿ+ß s+îlyåÉû-Grâªît¦éòû¡po|gòrq¦ÑƒnP
  • 解密的消息:Apple tast

1 个答案:

答案 0 :(得分:4)

您的密码存在严重问题。您只允许[1,255]范围内的密文值,但使用325的关键组件的两倍,然后将其添加到明文中。在加密过程中,您可以在这些情况下确定明文字符也是密文字符。但是在解密期间,你不区分加密的两个分支。

WCHAR Decrypted[200];
for (wchar_t i = 0; i < size; i++) {
    if ((Encrypted[i] - oglKeyTable[i%OGL_KEYTABLE_SIZE]) > 0) {
        Decrypted[i] = (Encrypted[i] - oglKeyTable[i%OGL_KEYTABLE_SIZE]);
    } else {
        Decrypted[i] = Encrypted[i];
    }
}

我不确定这是否适用于每个关键组件,但这是问题的正确原因,因为在解密过程中会出现负字符。缺少的第一个char位于i == 10,这与325关键组件一致。

更好的方法是保留密钥并使用模运算符保持在正确的范围内:

Encrypted[i] = ((Message[i] + oglKeyTable[i%OGL_KEYTABLE_SIZE]) % 255) + 1;

和解密期间的等效反向。如果你这样做,你将不再需要这两个分支。它与Vigenère密码有一些相似之处。


旧解决方案:

问题是您使用lstrlenW来获取基于空终止返回它的密文的长度。密文看起来是随机的,因此它必须在密文的任何地方都有\0个字节。您应该使用size值进行解密,而不是使用lstrlenW(Encrypted)覆盖它。