我正在尝试编写一个函数,将值读入指针数组以存储可变长度的字符串。字符串似乎正确存储在
get_input
中,但在 main 函数中打印时具有空值。请看下面的代码:
#include <stdio.h>
#include <string.h>
#include <stdlib.h>
void get_input(char *ptr)
{
ptr = calloc(50, sizeof &ptr);
printf("Type something: ");
fgets(ptr, 50, stdin);
int len = strlen(ptr);
if (*(ptr + len - 1) == '\n')
*(ptr + len - 1) = 0;
printf("%s\n", ptr);
}
int main()
{
char **string_array = calloc(5, sizeof(char *));
if (string_array == NULL)
{
fprintf(stderr, "Unable to allocate array\n");
exit(1);
}
for (size_t index = 0; index < 5; index++)
{
get_input(string_array[index]);
}
for (size_t index = 0; index < 5; index++)
{
printf("%s\n", *(string_array + index));
}
}
我做错了什么?为什么字符串没有正确存储?
void get_input(char *ptr)
- ptr
是一个局部变量,分配给它不会改变您在调用它时传递的对象。您需要使用指向指针的指针:
void get_input(char **ptr)
{
*ptr = calloc(50, sizeof *ptr);
printf("Type something: ");
fgets(*ptr, 50, stdin);
int len = strlen(*ptr);
if ((*ptr)[len - 1] == '\n')
(*ptr)[len - 1] = 0;
printf("%s\n", *ptr);
}
int main()
{
char **string_array = calloc(5, sizeof(char *));
if (string_array == NULL)
{
fprintf(stderr, "Unable to allocate array\n");
exit(1);
}
for (size_t index = 0; index < 5; index++)
{
get_input(&string_array[index]);
}
for (size_t index = 0; index < 5; index++)
{
printf("%s\n", *(string_array + index));
}
}