我是 C 和系统编程的初学者。对于家庭作业,我需要编写一个程序,从标准输入读取输入并将行解析为单词,并使用 System V 消息队列(例如,计数单词)将单词发送到排序子进程。我卡在输入部分。我正在尝试处理输入,删除非字母字符,将所有字母单词小写,最后将一行单词拆分为多个单词。到目前为止,我可以以小写形式打印所有 alpha 单词,但是单词之间有线条,我认为这是不正确的。有人可以看看并给我一些建议吗?
来自文本文件的示例:荷马的《伊利亚特》的古腾堡计划电子书,作者:荷马
我认为正确的输出应该是:
the
project
gutenberg
ebook
of
the
iliad
of
homer
by
homer
但我的输出如下:
project
gutenberg
ebook
of
the
iliad
of
homer
<------There is a line there
by
homer
我认为空行是由“,”和“by”之间的空格引起的。我尝试了诸如“如果 isspace(c) 则什么也不做”之类的方法,但它不起作用。我的代码如下。任何帮助或建议表示赞赏。
#include <stdio.h>
#include <stdlib.h>
#include <ctype.h>
#include <fcntl.h>
#include <errno.h>
#include <unistd.h>
#include <string.h>
//Main Function
int main (int argc, char **argv)
{
int c;
char *input = argv[1];
FILE *input_file;
input_file = fopen(input, "r");
if (input_file == 0)
{
//fopen returns 0, the NULL pointer, on failure
perror("Canot open input file\n");
exit(-1);
}
else
{
while ((c =fgetc(input_file)) != EOF )
{
//if it's an alpha, convert it to lower case
if (isalpha(c))
{
c = tolower(c);
putchar(c);
}
else if (isspace(c))
{
; //do nothing
}
else
{
c = '\n';
putchar(c);
}
}
}
fclose(input_file);
printf("\n");
return 0;
}
编辑**
我编辑了我的代码,终于得到了正确的输出:
int main (int argc, char **argv)
{
int c;
char *input = argv[1];
FILE *input_file;
input_file = fopen(input, "r");
if (input_file == 0)
{
//fopen returns 0, the NULL pointer, on failure
perror("Canot open input file\n");
exit(-1);
}
else
{
int found_word = 0;
while ((c =fgetc(input_file)) != EOF )
{
//if it's an alpha, convert it to lower case
if (isalpha(c))
{
found_word = 1;
c = tolower(c);
putchar(c);
}
else {
if (found_word) {
putchar('\n');
found_word=0;
}
}
}
}
fclose(input_file);
printf("\n");
return 0;
}