0

所以我一直试图解决以下问题无济于事:

编写一个名为 removeString 的函数以从字符串中删除指定数量的字符。该函数应采用三个参数:源字符串、源字符串中的起始索引号以及要删除的字符数。因此,如果数组文本包含字符串“错误的儿子”,则调用

removeString (文本, 4, 6);

具有从数组文本中删除字符“错误”(单词“错误”加上后面的空格)的效果。文本内的结果字符串是“儿子”。

我已经尝试查找其他解决方案,但它们都使用memcpy我想避免的功能,因为它还没有在我的书中介绍,我宁愿不“欺骗系统”可以这么说。

我的 removeString 函数如下:

void removeString (char text[], int x, int y)
{
    char output[81];
    int i, z = 0;
        
    for ( i = 0; (i <= 81); i++) {
            
        if (z < (x-1) || z > (x+y-1) ) {
            output[z] = text[z];
            //printf("%i\n", z);
            z++;
        } else {
            z++;
        }
            
    }
        
}

int main(void)
{
    char s1[81] = "the wrong son";
    int startPoint = 4, runLength = 6;
    
    removeString(s1, startPoint, runLength);
    
    printf("The new text is as follows:\n");
    printf("%s\n", s1);
    
    return 0;
}

当我打印出“z”的值时,我看到它正在跳过数字,但由于某种原因,它看起来像是将所有内容复制text[]output[].

4

2 回答 2

3

这将对原始字符串起到作用

for (;text[x];x++)
{
  text[x]=text[x+y];
}
于 2013-11-05T18:16:00.800 回答
1
           output[z] = text[z];

这意味着新数组中的每个元素都将与原始数组在同一索引中。此外,您需要将输出作为参数而不是在本地声明:

void removeString (char text[], char output[], int x, int y)
{
    for(int i = 0; i < x; i++)
        output[i] = text[i];

    for (int i = y; text[i] != '\0'; i++)
        output[i - (y - x)] = text[i];

}

int main(void)
{
    char s1[81] = "the wrong son";
    char output[81];
    int startPoint = 4, runLength = 6;

    removeString(s1, output, startPoint, runLength);

    printf("The new text is as follows:\n");
    printf("%s\n", s1);

    return 0;
}
于 2013-11-05T18:14:13.383 回答