以下是我的函数:getWord(words);
void getWord(char words[][MAXWORDLENGTH]){
int i;
char newWord[MAXWORDLENGTH];
FILE* file;
file = fopen("wordbank.txt","r");
if(file==NULL){
printf("Error\n");
}else{
printf("File read\n");
for(i=0;i<=MAXWORDS;i++){
fgets(newWord, "%s", file);
printf("newWord: %s", newWord);
strcpy(words[i], newWord);
}
}
fclose(file);
}
不幸的是我的阵列&#34;字&#34;没有用字符串填充每个元素,它能够将我的文本文件中的第一个单词捕获到[0]元素中,然后其余的都是乱码。
我的文本文件如下所示:
apple
winter
summer
skunk
clouds
pencil
grape
使用指针而不是数组会更容易吗?
感谢您的帮助!
答案 0 :(得分:2)
好吧,你可能比他们需要做的更困难。评论并不意味着挑选你,但无论你使用什么编译器/ IDE,都应该左右冲出ERRORS。它编译的事实令人惊讶。评论中的建议是合理的。始终,始终编译并启用警告并在您认为代码值得信任之前修复所有警告。
话虽这么说,你有几个方面,你自己在努力。您应该传递数组和FILE*
指针(或文件名),而不是在函数中硬编码文件名。这使得功能非常有限。正如您现在所知,您对fgets
的使用是不正确的。此外,在传递数组后,您只需要读取每个单词(假设每行1个单词),同时确保不超过您声明的行数。
这是一个简短的示例,它将从命令行(或默认情况下来自stdin
)给出的文件名中读取。它使用ternary
运算符接受文件名作为第一个参数或将fp
设置为stdin
。尝试一下,如果您有疑问,请告诉我:
#include <stdio.h>
#define MAXW 64 /* maximum number of lines to read */
#define MAXC 32 /* longest word in abridged Dict. is 28 char
"Antidisestablishmentarianism" */
size_t getwords (char (*words)[MAXC], FILE *fp);
int main (int argc, char **argv) {
char words [MAXW][MAXC] = {{0}}; /* array to hold words */
size_t nwords = 0; /* number of words read */
size_t i;
/* open argv[1] for reading (default: stdin) */
FILE *fp = argc > 1 ? fopen (argv[1], "r") : stdin;
if (!fp) { /* validate file open */
fprintf (stderr, "error: file open failed '%s'.\n", argv[1]);
return 1;
}
nwords = getwords (words, fp);
if (fp != stdin) fclose (fp); /* close file */
printf ("\n words read from '%s':\n\n",
argc > 1 ? argv[1] : "stdin");
for (i = 0; i < nwords; i++)
printf (" words[%2zu] : %s", i, words[i]);
return 0;
}
/* function to read words, 1 - per line, from 'fp' */
size_t getwords (char (*words)[MAXC], FILE *fp)
{
size_t idx = 0; /* index of words read */
/* read each line in file into words array
note: includes trailing newline character */
while (idx < MAXW && fgets (words[idx], MAXC, fp)) {
idx++;
/* note you should check if chars remain in line */
}
if (idx == MAXW) /* check word count against MAXW */
fprintf (stderr, "warning: MAXW words read.\n");
return idx;
}
<强>编译强>
gcc -Wall -Wextra -O3 -o bin/fgets_array_words_fn fgets_array_words_fn.c
输入文件
$ cat dat/captnjack1.txt
This
is
a
tale
Of
Captain
Jack
Sparrow
A
Pirate
So
Brave
On
the
Seven
Seas.
<强>输出强>
$ ./bin/fgets_array_words_fn dat/captnjack1.txt
words read from 'dat/captnjack1.txt':
words[ 0] : This
words[ 1] : is
words[ 2] : a
words[ 3] : tale
words[ 4] : Of
words[ 5] : Captain
words[ 6] : Jack
words[ 7] : Sparrow
words[ 8] : A
words[ 9] : Pirate
words[10] : So
words[11] : Brave
words[12] : On
words[13] : the
words[14] : Seven
words[15] : Seas.
或阅读stdin
:
$ ./bin/fgets_array_words_fn <dat/captnjack1.txt
words read from 'stdin':
words[ 0] : This
words[ 1] : is
...
答案 1 :(得分:0)
使用fread()方法
while(fread(newWord, MAXWORDLENGTH,1,file)){
printf("newWord: %s", newWord);
strcpy(words[i], newWord);
}