我遇到firstCheck()函数问题。我将使用我当前的代码直接在下面解释。我使用我对C ++的所有知识编写了这个程序。
firstCheck()函数不能正常工作。在readFile()函数中,我已经成功地将给定文件中的文本逐行拆分为数组。 然后firstCheck()应该采用该数组" myString"并读取第一个字符串直到" "发生(基本上是第一个单词/字符/等),以便我可以评估它。
我很确定我的问题就是这一部分。程序似乎停止并等待输入我会假设因为" stdin"实现此代码段的更好方法是什么?
while(strcmp(fgets(item.myString,sizeof item.myString,stdin),"" )!= 0)
{ myWord [s] = strdup(item.myLines [s]); }
我应该使用scanf()吗?我被告知使用gets()是不好的做法,所以我使用fgets()而不是
Assem.c
#include "assem.h"
int readFile(FILE *file, struct assem *item)
{
size_t i =0;
item->counter = 0; //this is sort of the constructor, if you will.
size_t maxLines = sizeof item->myLines / sizeof *item->myLines; //breaks down text file into line by line
while(i < maxLines && fgets(item->myString, sizeof item->myString, file)) //and stores them into "myLines array"
{
item->myLines[i] = strdup(item->myString);
i++;
item->counter++;
}
return 0;
}
void printFile(struct assem item) //just printing things..prints it with a new line in front
{
printf("\n");
for(int s = 0; s < item.counter; s++)
{
printf("%s\n", item.myLines[s]);
}
printf("\n");
}
int firstCheck(struct assem item)
{
char *myWord [7] = {NULL};
for(int s = 0; s < item.counter; s++)
{
while(strcmp( fgets( item.myString, sizeof item.myString, stdin ), " " ) != 0 )
{
myWord[s] = strdup(item.myLines[s]);
}
}
for(int s = 0; s < item.counter; s++)
{
printf("%s\n", myWord[s]);
}
return 0;
}
&#34; assem.h&#34;
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
struct assem
{
char myString[101]; //buffer
char *myLines[20]; //this will store the lines from a text file..up to 20 lines
int counter; //counter for number of lines
//printing stuff...prints file directly from whats STORED IN THE ARRAY
};
int readFile(FILE *FileToBeRead, struct assem *item); //takes in the file that needs to be read and splits it into lines
int firstCheck(struct assem item);
void printFile(struct assem item);
&#34; main.c中&#34;
#include "Assem.c"
int main()
{
struct assem test;
FILE *mips;
mips = fopen("/home/rpf0024/cse2610/Program1/mips.asm", "r");
readFile(mips, &test);
printFile(test);
firstCheck(test);
fclose(mips);
return 0;
}
答案 0 :(得分:1)
回答&#34;实施此代码段的更好方法是什么?&#34;而不是看其他代码:
while(strcmp( fgets( item.myString, sizeof item.myString, stdin ), " " ) != 0 )
这会在文件末尾导致strcmp()
段错误,因为fget()
将返回NULL
。
另请注意,fgets()
会将任何newline
保留在输入的末尾。因此,将输入与" "
进行比较将永远不会匹配(除非文件的最后一行没有newline
)。
这样更好
while (NULL != fgets(item.myString, sizeof item.myString, stdin)) {
if (strcmp(item.myString, " \n" != 0) {
...
}
}
但我不确定这对你有用,因为你可能想在字符串中找到space
,而不是整个文件行。在这种情况下,您应该研究strtok()
。
char *tok;
while (NULL != fgets(item.myString, sizeof item.myString, stdin)) {
tok = strtok(item.myString, " \t\r\n");
while (tok) {
printf("%s\n", tok);
tok = strtok(NULL, " \t\r\n");
}
}
这会将您的字符串拆分为由空格或其他空格分隔的部分。但请注意,item.myString
将在此过程中通过标记化进行分段。