为什么这段代码不起作用?我需要取一个字符串和一个数字并向后打印字符串,并且对于每个字符,我需要将它移动 n 次

问题描述

因此,如果字符串是“abc”且 n=1,我将打印:“dcb”。 这是代码。我必须使用指针,因为我不能使用 []。 所以当我尝试运行它时,它不会给我任何错误,但它不会打印任何内容。 所以如果能找到问题,我将不胜感激。


#include <stdio.h>
#include <string.h>
void decrypt(char cipher[],int n);

int main(void)
{

    //Write your code here...
    char a[] = "abcde";
    
    decrypt(a,1);

    getchar();
    return 0;
}

void decrypt(char cipher[],int n)
{
    int len = strlen(cipher)
    char* p = cipher + len-1;
    for (p; p >= arr; p--)
    {
        (*p) += n;
        if ((*p) > 122)
        {
            (*p) = ((*p) % 122) + 97;
        }
        printf("%c ",*p);
    }
}

解决方法

问题是您正在访问不应该访问的内存中的某个地方:) 这对我有用:

#include <stdio.h>
#include <string.h>
void decrypt(char cipher[],int n);

int main(void)
{

    //Write your code here...
    char a[] = "abc";
    
    decrypt(a,1);

    getchar();
    return 0;
}

void decrypt(char cipher[],int n)
{
    int len = strlen(cipher);
    char* p = cipher + len;
    for (int i = len; i >= 0; i--)
    {
        (*p) += n;
        if ((*p) > 122)
        {
            (*p) = ((*p) % 122) + 97;
        }
        printf("%c ",*(p--));
    }
}