无法将 ‘char (*)[1024]’ 转换为 ‘char*’ 作为返回

标签 c readfile

<分区>

我想逐行读取一个简单的文件并将内容保存到一个数组中。如果我编译源代码,我会得到这个错误:

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;
           ^

这是什么意思?为什么我不能返回二维数组的指针?这是源代码。

#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]);
}

最佳答案

你实际上有两个问题:第一个是关于错误的。 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;
}

关于无法将 ‘char (*)[1024]’ 转换为 ‘char*’ 作为返回,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/37058198/

相关文章:

c - 二叉搜索树节点删除错误

c - 如果CHAR_BIT != 8,其他类型的大小是多少?

for-loop - 从第二行开始读取文件 LabView

android - 如何从android中的手机内存中读取文件?

c - 将 *.data 文件读入动态扩展的结构数组***

c - 将数据读入结构体

c - "int main(void *framep)"的目的是什么?

c - 带有引号的 grep 的 execvp()

c - 从文件读取名称以插入二叉树时出现问题

C++从文本文件中读取,双行