我在 C 中比较两个相同的字符串时遇到问题。使用方法 strcmp(),在比较文本文件中的一行与用户输入时似乎出现问题。为什么即使用户输入与文本文件相同,strcmp() 也会返回 -1。
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
struct Person{
char fName[10];
char lName[10];
};
char inputUser[10];
int main()
{
FILE *file;
int ret;
char data[20];
file = fopen("file.txt", "r");
struct Person *p1 = malloc(sizeof(struct Person));
gets(inputUser);
strcpy(p1->fName , inputUser);
struct Person *p2 = malloc(sizeof(struct Person));
while (fgets(data , 20 , file) != NULL){
strcpy(p2->fName , data);
ret = strcmp(p1->fName, p2->fName);
printf("\t%d\t%s\t%s\n", ret , p1->fName, p2->fName);
}
fclose(file);
file = fopen("file.txt","a");
fprintf(file, "%s\n", p1->fName);
fclose(file);
}
在您的 gets(inputUser)
之后添加:
inputUser[strlen(inputUser)-1] = '\0';
这将删除字符串的最后一个字符。 gets()
记录用户输入的换行符(回车键)。这就是为什么 strcmp()
认为它们不是同一件事,因为有换行符。
此外,为了避免段错误,您应该将 gets(inputUser)
更改为:
fgets(inputUser, sizeof(inputUser), stdin);
除了第二个参数限制了可以读取的数据长度外,这做同样的事情。使用 gets()
,如果您输入超过 10 个字符以存储在 10 个字符的字符串中,它将出现段错误。
我是一名优秀的程序员,十分优秀!