我有下面的函数从文件中读取单词并使用fgets和strtok输出每个单词,其中文件中的单词被换行符分开:
word1
word2
word3
我试图模仿文件中单词只能用空格分割的功能:
word1 word2 word3
然而,我似乎只能在将strtok char更改为" "并尝试读取一行。我不确定我错过了什么。
#include <string.h>
#include <malloc.h>
int readLines;
char *output[255];
char *filename = "commands.txt";
char fileRead(const char *filename, char *output[255])
{
int count = 0;
char input[255];
char *line;
FILE *file = fopen(filename, "r");
if (file == NULL) {
printf("Cannot open file: %s\n", filename);
} else {
while(count < 255 && fgets(input, sizeof(input), file)) {
line = strtok(input, "\n");
if (line) {
output[count++] = strdup(line); /* Store replica */
}
}
fclose(file);
}
return count;
}
char *strdup(const char *str)
{
char *ret = malloc(strlen(str)+1);
if (ret) {
strcpy(ret, str);
}
return ret;
}
int main(int argc, char *argv[])
{
readLines = fileRead(filename, output);
/* read from array and pass into flag function */
for (int x = 0; x < readLines; ++x) {
printf("%s\n", output[x]);
free(output[x]);
}
return 0;
}
答案 0 :(得分:2)
如果我理解您的问题 - 您想要分隔文件中一行中包含的单词(令牌),那么您错误地使用了strtok
。在您的代码中,您有line = strtok(input, "\n");
,其中分隔符是换行符。如果您想要分隔 space 分隔的单词,那么您还需要在分隔符中包含space
,例如char *delim = " \n";
此外,在第一次调用strtok
时,您将使用包含要标记的文本的缓冲区的变量名称(或指向缓冲区的指针)。对于strtok
的所有剩余电话(例如,对于字词2, 3, 4...
),您在其位置使用NULL
并检查返回。
将您的示例简化,您可以执行以下操作:
#include <stdio.h>
#include <string.h>
#define MAXC 255
int main (int argc, char **argv) {
char buf[MAXC] = "",
*delim = " \n";
FILE *fp = argc > 1 ? fopen (argv[1], "r") : stdin;
if (!fp) { /* validate file open for reading */
fprintf (stderr, "error: file open failed '%s'.\n", argv[1]);
return 1;
}
if (!fgets (buf, MAXC, fp)) { /* read one line from file */
fprintf (stderr, "error: file read failed.\n");
return 1;
}
/* tokenize line with strtok */
for (char *p = strtok (buf, delim); p; p = strtok (NULL, delim))
printf ("%s\n", p);
if (fp != stdin) fclose (fp); /* close file if not stdin */
return 0;
}
示例输入文件
$ cat dat/strtok.dat
my dog has fleas
示例使用/输出
$ ./bin/strtokoneline <dat/strtok.dat
my
dog
has
fleas
如果我误解了,请发表评论,我很乐意进一步提供帮助。如果您对答案有任何其他疑问,请询问。
如果您希望将strtok
循环编写为while
循环而不是for
(可能更容易查看),您可以执行以下操作:
char buf[MAXC] = "",
*p = buf,
*delim = " \n";
...
p = strtok (buf, delim); /* get first token (word) */
while (p) {
printf ("%s\n", p);
p = strtok (NULL, delim); /* get remaining tokens */
}