作为学校计算机实验室的一项准备工作,我们被要求编写 ac 程序来模拟 UNIX 中的登录过程。该程序应该从终端读取用户名和密码,将其与本地文件中的散列值进行比较,该文件应该类似于 /etc/passwd。
这是我所拥有的:
/*
* Program mylogin.c
*
* This program prompts the user for a login name and password
*
*/
#define _XOPEN_SOURCE
#include <stdlib.h>
#include <stdio.h>
#include <unistd.h>
#include <pwd.h>
#include <sys/types.h>
#include <string.h>
/* define some error constants */
#define NOUSER -1
/* define max size of a username */
#define USERNAME_SIZE 32
#define PASSWORD_SIZE 32
#define HASH_SIZE 32
#define FAILED_LIMIT 5
#define AGE_LIMIT 10
int read_username(char *username)
{
printf("login: ");
fgets(username,USERNAME_SIZE,stdin);
/* remove the CR included by getline() */
username[strlen(username)-1]='\0';
return(0);
}
int read_password(char *password)
{
printf("password: ");
fgets(password,PASSWORD_SIZE,stdin);
//getpass(password);
/* remove the CR included by getline() */
password[strlen(password)-1]='\0';
return(0);
}
int user_exists(const char *username)
{
struct pwdb_passwd *pw_entry;
pw_entry=getpwnam(username);
return((pw_entry)!=NULL);
}
int main(int argc,char **argv)
{
char username[USERNAME_SIZE];
char* password;
/* write "login:" and read user input */
read_username(username);
read_password(password);
if (!user_exists(username))
{
printf("Unknown user or authentication\n");
main(argc, argv);
}
struct pwdb_passwd *pw_entry = getpwnam(username);
char* hashed_password = crypt(password,pw_entry->pw_passwd);
if(strcmp(hashed_password, pw_entry->pw_passwd)==0)
{
if((pw_entry->pw_failed)<FAILED_LIMIT)
{
printf("User authenticated successfully\n");
pw_entry->pw_age++;
pw_entry->pw_failed = 0;
pwdb_update_user(pw_entry);
}else{
printf("User account locked\n");
main(argc, argv);
}
}
else
{
printf("Unknown user or authentication\n");
pw_entry->pw_failed++;
if(pw_entry->pw_failed>5){
printf("Too many failed attempts. Username now locked\n");
}
pwdb_update_user(pw_entry);
main(argc, argv);
}
return(0);
}
struct pwdb_passwd 定义在文件 pwdb_lib.c 和 pwdb_lib.h 中,它们已经编写好了。
当我编译程序时,我得到了几个错误。例如在第 73 行,我得到:“错误:取消引用指向不完整类型的指针”
我不明白为什么。它似乎不喜欢这样pw_entry->pw_passwd
的事情。更重要的是,在 Windows 下使用 Code::Blocks(使用 gcc)编译时,与在 Ubuntu 下使用 gcc 编译时出现不同的错误。我觉得这很奇怪。我怀疑这可能是因为我导入了 pwd.h 并且它只存在于 Linux 而不是 Windows。这可能是对的吗?我尝试创建自己的 pwd.h 文件并将其保存在同一目录中,但它仍然无法正常工作。移动到 ubuntu 计算机,我没有从 pwd.h 中得到错误,而是得到错误:“取消引用指向不完整类型的指针”
我的代码有什么问题?
我还怀疑 user_exists 函数存在内存泄漏,但我不确定它是否会影响整个程序。