我希望逐行读取一个简单的文件,并将内容保存到数组中。如果我编译源代码,我会收到此错误:
test.C: In function ‘char* read_file(int, int, const char*)’:
test.C:14:11: error: cannot convert ‘char (*)[1024]’ to ‘char*’ in return
return words;
^
这意味着什么?为什么我不能返回2D数组的指针?这是源代码。
#include <stdio.h>
#include <string.h>
char * read_file(int buf, int size, const char *fname){
char words[size][buf];
FILE *fptr = NULL;
int idx = 0;
fptr = fopen(fname, "r");
while(fgets(words[idx], buf, fptr)) {
words[idx][strlen(words[idx]) - 1] = '\0';
idx++;
}
return words;
}
int main(void) {
char * words;
words = read_file(1024, 100, "text.txt");
int i;
for(i = 0; i < 100; ++i)
printf("%s\n", words[i]);
}
答案 0 :(得分:6)
你实际上有两个问题:第一个是关于错误的。 char
数组的数组与指向char
的指针不同。当数组衰减为指针时,char
数组的数组相当于指向char
或char (*)[buf]
数组的指针。
第二个问题更糟糕,那就是你试图返回一个指向局部变量的指针。一旦函数返回,局部变量就会超出范围,并且基本上不再存在。因此,一旦函数返回,指针就不再有效了。
由于您使用可变长度数组,因此您需要的一个解决方案是动态分配数组,作为指向char
指针的指针,即char **
,并返回该数组。另一个解决方案是将数组作为参数传递。
在我看来,最简单的解决方案是在main
函数中声明数组并将其传递给函数,这样您就不必为指针和动态分配而烦恼,更具体地说是释放记忆以后。
这样的事情:
#define STRING_COUNT 100 // Number of strings
#define STRING_SIZE 1024 // Size of each string
// Open and read the file, returns the number of "words" read
size_t read_file(const char *filename, char (*words)[STRING_SIZE])
{
// Implement the function...
// Don't forget to return the number of "words", actually lines, you read
}
int main(void)
{
char words[STRING_COUNT][STRING_SIZE];
size_t number_words = read_file("test.txt", words);
// Use the "words" here...
...
return 0;
}