我正在试图找出为什么我不能将文件存储到char **中。
我以为我正确分配了内存。有人可以帮帮我吗?谢谢!
另外,我知道我的方式不是解决问题的最有效方法,但首先我想在我担心效率之前解决问题。谢谢!
void readFile(int argc, char** argv)
{
FILE *myFile;
char** list;
char c;
int wordLine = 0, counter = 0, i;
int maxNumberOfChars = 0, numberOfLines = 0, numberOfChars = 0;
myFile = fopen(argv[1], "r");
if(!myFile)
{
printf("No such file or directory\n");
exit(EXIT_FAILURE);
}
while((c = fgetc(myFile)) !=EOF) //goes through the file to get # of lines
{ //and columns so I can allocate array
numberOfChars++;
if(c == '\n')
{
if(maxNumberOfChars < numberOfChars)
maxNumberOfChars = numberOfChars + 1;
numberOfLines++;
}
}
fseek(myFile, 0, SEEK_SET); //resets file pointer
list = malloc(sizeof(char*)*numberOfLines); //dynamically allocating
for(i = 0; i < wordLine ; i++)
list[i] = malloc(sizeof(char)*maxNumberOfChars);
while((c = fgetc(myFile)) != EOF) //stores in words
{
if(c == '\n' && counter > 0)
{
list[wordLine][counter] = '\0';
wordLine++;
counter = 0;
}
else if(c != '\n')
{
list[wordLine][counter] = c; //seg fault happens at first character
counter++;
}
}
fclose(myFile);
}
答案 0 :(得分:2)
此时:
for(i = 0; i < wordLine ; i++)
wordLine
= 0,因此不会分配任何内存。我认为应该是:
for(i = 0; i < numberOfLines; i++)
你需要设置numberOfChars
= 0,类似于Grijesh Chauhan所说的,否则你会分配太多的内存。
答案 1 :(得分:2)
您对字线的分配:
for(i = 0; i < wordLine ; i++)
list[i] = malloc(sizeof(char)*maxNumberOfChars);
使用wordLine
,但您在开头将其初始化为0,并且永远不会更改。
因此,for循环中的malloc永远不会执行。
答案 2 :(得分:1)
您的for
循环条件混乱,
for(i = 0; i < wordLine ; i++)
list[i] = malloc(sizeof(char)*maxNumberOfChars);
wordLine
初始化为0
,它未按预期执行并在list[i]
您可能想将其更改为
for(i = 0; i < numberOfLines ; i++)
list[i] = malloc(sizeof(char)*maxNumberOfChars);