题目1:
void GetMemory(char *p)
{
p = (char *)malloc(100);
}
void Test(void)
{
char *str = NULL;
GetMemory(str);
strcpy(str, "hello world");
printf(str);
}
请问运⾏Test 函数会有什么样的结果?
1.调用完GetMemory()函数以后,函数栈帧自动销毁,变量占用的内存还给操作系统。str实际上根本没有开辟空间。
2.str忘记制空了,内存泄漏。
题⽬2:
char *GetMemory(void)
{
char p[] = "hello world";
return p;
}
void Test(void)
{
char *str = NULL;
str = GetMemory();
printf(str);
}
请问运⾏Test 函数会有什么样的结果?
比题目一更加严重,因为p的地址不能再用了,直接导致str形成非法访问。还有str没有制空,内存泄漏。
题⽬3:
void GetMemory(char **p, int num)
{
*p = (char *)malloc(num);
}
void Test(void)
{
char *str = NULL;
GetMemory(&str, 100);
strcpy(str, "hello");
printf(str);
}
请问运⾏Test 函数会有什么样的结果?
内存泄漏因为最后忘记把指针str制空了
题目4:
void Test(void)
{
char *str = (char *) malloc(100);
strcpy(str, "hello");
free(str);
if(str != NULL)
{
strcpy(str, "world");
printf(str);
}
}
请问运⾏Test 函数会有什么样的结果?
free函数已经释放str指向的空间,在strcpy 中ptr再次使用形成非法访问。