提问人:Devon Whitaker 提问时间:9/10/2023 最后编辑:cafce25Devon Whitaker 更新时间:9/10/2023 访问量:72
在 C 语言中,strcmp() 在应该返回 0 的时候没有返回 0
In C, strcmp() is not returning 0 when it should
问:
我正在比较用户输入的用户名和密码。正在从文件中读入要比较的字符串。无论出于何种原因,它都会适当地比较用户名,而不是密码。
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
const int MAX_SIZE = 100;
int main()
{
FILE *fp;
char *filename = "userdata.txt";
char arr[100][MAX_SIZE];
//open for writing
fp = fopen(filename, "r");
//verify open
if(fp == NULL)
{
printf("%s does not exist", filename);
return 0;
}
int index = 0;
//read file into array
while(fgets(arr[index], MAX_SIZE, fp) != NULL)
{
index++;
}
//username input
char username[100];
printf("Username: ");
scanf("%s", username);
//password input
char password[100];
printf("Password: ");
scanf("%s", password);
int check1 = 0;
int check2 = 0;
int x;
for (int i = 0 ; i<index ; i++)
{
char *token = strtok(arr[i], " ");
while (token != NULL)
{
x = strcmp(token,username);
printf("%d\n",x);
printf("%s %s\n",token,username);
if(!strcmp(token,username))
{
check1 = 1;
}
token = strtok(NULL, " ");
x = strcmp(token,username);
printf("%d\n",x);
printf("%s %s\n",token,password);
if(!strcmp(token,username))
{
check2 = 1;
}
token = strtok(NULL, " ");
if(check1&&check2)
{
printf("The amount is: %s\n",token);
return 0;
}
token = strtok(NULL, " ");
check1=0;
check2=0;
}
}
printf("Username/Password mismatch!!!\n");
return 0;
}
控制台输出:
Username: user1
Password: password1
0
user1 user1
-5
password1 password1
1
user2 user1
-5
password2 password1
2
user3 user1
-5
password3 password1
3
user4 user1
-5
password4 password1
4
user5 user1
-5
password5 password1
5
user6 user1
-5
password6 password1
Username/Password mismatch!!!
答:
3赞
dbush
9/10/2023
#1
读取一行文本时,它还会读取并存储行尾的换行符。fgets
这意味着,当您使用分隔符拆分字符串并用作分隔符时,读入密码包含换行符,而使用格式说明符读取的用户的密码则不包含换行符,从而导致不匹配。strtok
" "
scanf
%s
您可以通过在给定的分隔符集中包含换行符来解决此问题。strtok
char *token = strtok(arr[i], " \n");
...
token = strtok(NULL, " \n");
此外,您的第二组调用是检查用户名而不是密码。所以而不是这个:strcmp
x = strcmp(token,username);
printf("%d\n",x);
printf("%s %s\n",token,password);
if(!strcmp(token,username))
你想要这个:
x = strcmp(token,password);
printf("%d\n",x);
printf("%s %s\n",token,password);
if(!strcmp(token,password))
评论
1赞
Fe2O3
9/10/2023
鉴于 OP 的代码表明从文件中读取的行上至少有第三个参数 (),因此读取的行的第 2 个字段包含 LF 的建议可能不合适。amount
fgets()
评论
strcmp()
printf()