Как зашифровать строку с помощью XOR без включения странных символов? - PullRequest
1 голос
/ 14 марта 2020

Следующий код работает нормально, но я хочу, чтобы в зашифрованную строку не включались странные символы, такие как, например, \ x03. Как этого добиться?

string XOR_Encryption(string toBeEncrypted, string sKey)
{
    string sEncrypted(toBeEncrypted);
    unsigned int iKey(sKey.length()), iIn(toBeEncrypted.length()), x(0);
    for (unsigned int i = 0; i < iIn; i++)
    {
        sEncrypted[i] = toBeEncrypted[i] ^ sKey[x];
        if (++x == iKey) { x = 0; }
    }
    return sEncrypted;
}

Использование:

    string message = "gbpi";
    string Key("Q4s4R4t");

    string encrypted_message = XOR_Encryption(message, Key);
    cout << "encoded: " << encrypted_message << endl;

    string decryptedMessage = XOR_Encryption(encrypted_message, Key);
    cout << "decoded: " << decryptedMessage << endl;

1 Ответ

1 голос
/ 18 марта 2020

В отношении предложения из @ kelalaka , вот решение с использованием Hex encode:

#include "stdafx.h"

#include <stdio.h>
#include <conio.h>
#include <string>
#include <stdlib.h>
#include <iostream>

string XOR_Encryption(string toBeEncrypted, string sKey)
{
    string sEncrypted(toBeEncrypted);
    unsigned int iKey(sKey.length()), iIn(toBeEncrypted.length()), x(0);
    for (unsigned int i = 0; i < iIn; i++)
    {
        sEncrypted[i] = toBeEncrypted[i] ^ sKey[x];
        if (++x == iKey) { x = 0; }
    }
    return sEncrypted;
}

void stream2hex(const string str, string& hexstr, bool capital = false)
{
    hexstr.resize(str.size() * 2);
    const size_t a = capital ? 'A' - 1 : 'a' - 1;

    for (size_t i = 0, c = str[0] & 0xFF; i < hexstr.size(); c = str[i / 2] & 0xFF)
    {
        hexstr[i++] = c > 0x9F ? (c / 16 - 9) | a : c / 16 | '0';
        hexstr[i++] = (c & 0xF) > 9 ? (c % 16 - 9) | a : c % 16 | '0';
    }
}

void hex2stream(const string hexstr, string& str)
{
    str.resize((hexstr.size() + 1) / 2);

    for (size_t i = 0, j = 0; i < str.size(); i++, j++)
    {
        str[i] = (hexstr[j] & '@' ? hexstr[j] + 9 : hexstr[j]) << 4, j++;
        str[i] |= (hexstr[j] & '@' ? hexstr[j] + 9 : hexstr[j]) & 0xF;
    }
}

int _tmain(int argc, _TCHAR* argv[])
{
    string text = "text";
    string Key("password");

    string encrypted_message = XOR_Encryption(text, Key);
    stream2hex(encrypted_message, encrypted_message, true);
    cout << "encoded: " << encrypted_message << endl;

    hex2stream(encrypted_message, encrypted_message);
    string decryptedMessage = XOR_Encryption(encrypted_message, Key);
    cout << "decoded: " << decryptedMessage << endl;

   getch();

   return 0;
}
...