这是我被教使用realloc()
的方法:
int *a = malloc(10);
a = realloc(a, 100); // Why do we do "a = .... ?"
if(a == NULL)
//Deal with problem.....
那不是多余的吗?我不能做这样的事情吗? :
if(realloc(a, 100) == NULL) //Deal with the problem
我在周围发现的其他重新分配示例也是如此,例如:
int *oldPtr = malloc(10);
int * newPtr = realloc(oldPtr, 100);
if(newPtr == NULL) //deal with problems
else oldPtr = newPtr;
我不能只是这样做吗? :
int *oldPtr = malloc(10);
if(realloc(oldPtr, 100) == NULL) //deal with problems
//else not necessary, oldPtr has already been reallocated and has now 100 elements
最佳答案
realloc
返回指向调整后大小的缓冲区的指针;该指针值可能与原始指针值不同,因此您需要将该返回值保存在某个地方。
如果无法满足该请求,则realloc
可能会返回NULL
(在这种情况下,原始缓冲区将留在原处)。因此,您希望将返回值保存到与原始变量不同的指针变量中。否则,您可能会用NULL
覆盖原始指针,并失去对该缓冲区的唯一引用。
例子:
size_t buf_size = 0; // keep track of our buffer size
// ...
int *a = malloc(sizeof *a * some_size); // initial allocation
if (a)
buf_size = some_size;
// ...
int *tmp = realloc(a, sizeof *a * new_size); // reallocation
if (tmp) {
a = tmp; // save new pointer value
buf_size = new_size; // and new buffer size
}
else {
// realloc failure, handle as appropriate
}
关于正确使用Realloc,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/44789295/