功能仅适用一次 - C

ozd*_*ies 3 c encryption winapi xor

我一直在尝试制作一个基本的XOR头文件,以便在将来的程序中使用.到目前为止,我已经完成了几乎所有工作,但我似乎无法使用相同的功能两次.如果我调用该函数来加密它可以工作的字符串,但是如果我再次调用它就会崩溃.我不知道我是在记忆中做错了什么还是遗漏了一些明显的东西.希望有人可以指出这方面的缺陷,因为我似乎找不到任何错误.

编辑:如果发布这么多太多,请随意修剪代码.我已经拿出了相当多的东西,所以我不只是粘贴我的项目并希望有人修复它.

// Main.c
#define MAX_LENGTH 255
#define KEY_SIZE 8
int main(int argc, char *argv[]) {
    //Get String to XOR
    char *input = malloc (MAX_LENGTH);
    printf("Enter a string to encrypt: ");
    fgets(input, MAX_LENGTH, stdin);

    if(input[strlen (input) - 1] == '\n') {
        input[strlen (input) - 1] = '\0';
    }

    //Create a random key
    char *pass = _create_key(KEY_SIZE);
    int len = strlen (input);
    printf("Length of key is %d\n", KEY_SIZE);
    printf("Entered String: %s - Password: %s\n", input, pass);

    //Encrypt works fine
    char *encrypted = malloc (sizeof (input));
    _xor_str_s(input, pass, len, encrypted);
    printf("Encrypted String: %s\n", encrypted);

    char *decrypted = malloc (sizeof (input));
    //Crashes here
    _xor_str_s(encrypted, pass, len, decrypted);
    printf("Decrypted String: %s\n", decrypted);
    return 0;
}

//Header File Function
void _xor_str_s(char *str, char *pass, int len, char *out) {
    int i = 0;
    for(i = 0; i < len; i++) {
        *(out + i) = str[i] ^ pass[i % strlen (pass)];
    }
    *(out + i) = 0;
}

char * _create_key(int len) {
    len = !len ? 16 : len;
    char *ret = (char *)malloc (len);
    unsigned int _GLOBAL_SEED_ = (unsigned int)time(NULL);
    srand (_GLOBAL_SEED_);
    int i = 0;
    for(i = 0; i < len; i++) {
        ret[i] = (char)(rand() + 1); //+1 avoids NULL
    }
    ret[i] = '\0';
    return ret;
}
Run Code Online (Sandbox Code Playgroud)

Joh*_*opp 11

char *encrypted = malloc (sizeof (input));
Run Code Online (Sandbox Code Playgroud)

可能是问题,因为这将永远是sizeof(char *).我想你想要的

char *encrypted = malloc (strlen (input) + 1);
Run Code Online (Sandbox Code Playgroud)