Realloc - Realloc 不会生成更小的 char*

Realloc - Realloc do not make smaller char*

  OS: Linux
  CC: GCC 4.8.2

目标:改变 char* 的大小 -> 更小

问题:更改后的大小相同...

行是带有数据的字符串...

代码片段:

 char * tmp = NULL;

[...]

 tmp = malloc(sizeof(char) * 8);

 strncpy(tmp, line, sizeof(char) * 8);

[...]

现在更小的 tmp:

 printfTest(tmp); //Content dump

 nevAddr = realloc(tmp, sizeof(char) * 3);

 if(newAddr != NULL)
 {
    tmp = newAddr;
 }
 else
 {
     free(tmp);
     puts("Realloc - FAIL");
     exit(VALID);
 }

 printfTest(tmp); //Content dump

printf测试函数:

  void printfTest(char * data)
  {
      printf("Test: '%s'", tmp);
  }

结果:

 Test: 'BLABLABL' //8chars
 Test: 'BLABLABL' //8chars (!? Why)

我的失败在哪里?

您混淆了 "size" 的两个不同概念。这是一个包含 100 个字符的字符数组:

char x[100]; // sizeof(x) / sizeof(x[0]) == 100
strcpy(x, "short string");

x 数组的大小仍然是 100,即使字符串的长度 strlen(x) 只是 12。

(实际上,也许您可​​以从 C 中对字符串的基本介绍中受益,例如 this tutorial 而不是阅读此答案。)

当你在 C 中打印一个字符串时,软件会一直打印字符,直到它找到一个 [=15=](空字符),即使 这涉及读取传递数组的末尾。事实上,编译器无法知道它是否经过了数组。它只是盲目地继续,直到找到空字符。

上面的strcpy实际上写了13个字节,而不是12个。它打印了12个字符末尾的空字符。

这意味着 C 中的一个旨在保存字符串的数组实际上必须有一个额外的 space 来保存空字符。如果要存储"world",则必须至少有六个字符

char y[5];
strcpy(y,"hello"); // undefined behaviour, as y is too small
char z[6];
strcpy(z,"hello"); // OK

(不,strncpy 没有解决这个问题。"No null-character is implicitly appended at the end of destination if source is longer than num. "

无论如何,要return回答你的问题。缩短字符串的一种方法是在适当的位置写一个空字符:

char x[100];
strcpy(x, "hello");
printf("%s\n", x); // prints "hello"
x[3] = '[=12=]'; // replace the second 'l' with the null
printf("%s\n", x); // prints "hel"

要更改字符串,您需要更改字节,也许使用像我这样的代码,或者可能使用另一个 strcpy

简单地调用 realloc 实际上并没有改变字符串中的任何字节,它只是释放附近的一些内存。