char** splitInput = malloc(255 * sizeof(char*));
...
while(token != NULL)
{
splitInput[i] = token;
token = strtok(NULL, " ");
i++;
}
我不知道为什么这段代码有效。在我以前的版本中,
while(token != NULL)
{
*splitInput = token;
token = strtok(NULL, " ");
*splitInput++;
}
但它没有存储任何东西。为什么?这两个代码有什么区别?
我如何打印splitInput的内容:
for(; *splitInput != NULL; *splitInput++){
printf("%s\n", *splitInput);
}
我可以在第一个代码中打印splitInput的内容但在第二个代码中失败。为什么呢?
答案 0 :(得分:1)
如果尚未对其进行整理,则差异是由于使用数组索引与指针算法的区别。使用数组索引时,splitInput
指向的地址永远不会更改。
但是,使用帖子后增量运算符时,每次调用splitInput
时都会更改*splitInput++
的地址。这与调用*splitInput = token; splitInput += 1;
相同所以当您完成对输入的标记时,splitInput
指向 最后一次分配后的下一个指针地址 { {1}}。
每当你分配内存时,你有2 职责关于任何分配的内存块:(1)总是保留一个指向内存块的起始地址的指针所以,(2)当不再需要时,可以访问然后释放。您违反了规则(1),该规则阻止您能够访问所分配的块的开头(并创建永久性内存泄漏)
你怎么处理这个?保持分配的令牌数量,然后重置(备份)到块的开头按指针数量,或者更好,只需 使用单独的指针 使用后增量运算符,从而在token
中保留内存块的原始地址。
一个简短的例子将说明:
splitInput
示例输入
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#define MAX 4096
int main (void) {
/* allocate & initialize */
char **splitInput = calloc (255, sizeof *splitInput),
**sp = splitInput, /* create pointer to splitInput */
buf[MAX] = "", *delim = " \n";
int n = 0;
if (!splitInput) { /* validate all allocations */
fprintf (stderr, "error: virtual memory exhausted.\n");
return 1;
}
while (fgets (buf, MAX, stdin)) {
for (char *p = strtok (buf, delim); p; p = strtok (NULL, delim)) {
*sp++ = p;
if (++n == MAX) /* always protect against writing beyond bounds */
goto full;
}
}
full:
for (int i = 0; i < n; i++)
printf ("splitInput[%3d] : %s\n", i, splitInput[i]);
free (splitInput); /* you allocate it --> you free it */
return 0;
}
示例使用/输出
$ cat dat/fleas
my dog has fleas
当然,使用数组索引,您可以完全删除$ ./bin/ptrinc < dat/fleas
splitInput[ 0] : my
splitInput[ 1] : dog
splitInput[ 2] : has
splitInput[ 3] : fleas
并简单地使用:
sp
仔细看看,如果您有任何其他问题,请告诉我。