我正在尝试比较两个字符串。一个存储在文件中,另一个从用户(stdin)中检索。
以下是一个示例程序:
int main()
{
char targetName[50];
fgets(targetName,50,stdin);
char aName[] = "bob";
printf("%d",strcmp(aName,targetName));
return 0;
}
在此程序中,strcmp
在输入为"bob"
时返回值-1。
为什么是这样?我认为他们应该是平等的。我怎样才能得到它们呢?
答案 0 :(得分:9)
strcmp
是少数几个具有反向结果的函数之一......如果字符串相等,结果为0,而不是你想象的那样......
if (strcmp(a, b)) {
/* Do something here as the strings are not equal */
} else {
/* Strings are equal */
}
说到fgets
,字符串的结尾可能会附加换行符......你需要摆脱它...
+-+-+-+--+--+
|b|o|b|\n|\0|
+-+-+-+--+--+
要摆脱换行,请执行此操作。 CAVEATS:不要使用“strlen(aName) - 1”,因为fgets返回的行可能以NUL字符开头 - 因此缓冲区中的索引变为-1:
aName[strcspn(aName, "\n")] = '\0';
+-+-+-+--+
|b|o|b|\0|
+-+-+-+--+
现在,strcmp
应该返回0 ...
答案 1 :(得分:6)
fgets
读取,直到它看到换行符然后返回,因此当您键入bob时,在控制台中,targetName
包含“bob \ n”,它与“bob”不匹配。
从fgets文件:(加粗加)
从流中读取字符并将它们作为C字符串存储到str中,直到读取了(num-1)个字符或者到达了换行符或文件结尾,以先到者为准。 换行符使fgets停止读取,但它被认为是有效字符,因此它包含在复制到str的字符串中。 在读取字符后,空字符会自动附加在str中,以表示C字符串的结尾。
在比较之前,您需要从targetName的末尾删除换行符。
int cch = strlen(targetName);
if (cch > 1 && targetName[cch-1] == '\n')
targetName[cch-1] = '\0';
或将换行符添加到测试字符串中。
char targetName[50];
fgets(targetName,50,stdin);
char aName[] = "bob\n";
printf("%d",strcmp(aName,targetName));
答案 2 :(得分:2)
因为fgets将换行符字体嵌入变量targetName
中。这是在放弃比较。
答案 3 :(得分:2)
fgets会在用户按Enter键时向用户提取的字符串附加\n
。你可以使用strcspn
或只是在你想要比较的字符串末尾添加\n
来解决这个问题。
printf("Please enter put FILE_NAME (foo1, 2, or 3), ls, or exit: \n");
fgets(temp, 8, stdin);
temp[strcspn(temp, "\n")] = '\0';
if(strcmp(temp, "ls") == 0 || strcmp(temp, "exit") == 0)
这只会将\n
替换为\0
,但如果你想要懒惰,你可以这样做:
printf("Please enter put FILE_NAME (foo1, 2, or 3), ls, or exit: \n");
fgets(temp, 8, stdin);
if(strcmp(temp, "ls\n") == 0 || strcmp(temp, "exit\n") == 0)
但它不那么优雅。
答案 4 :(得分:1)
fgets
会将换行符附加到字符串中,因此您最终会得到与bob\n\0
不同的bob\0
。
答案 5 :(得分:1)
主要是因为unix like输入“\ n”下的行字符结束。