我怎样才能在C ++中显示星号(*)而不是纯文本密码。
我要求输入密码,屏幕上显示正确的密码。
如何将它们转换为星号(*),以便用户在输入时无法看到密码。
这就是我目前的
char pass[10]={"test"};
char pass1[10];
textmode(C40);
label:
gotoxy(10,10);
textcolor(3);
cprintf("Enter password :: ");
textcolor(15);
gets(pass1);
gotoxy(10,11);
delay(3000);
if(!(strcmp(pass,pass1)==0))
{
gotoxy(20,19);
textcolor(5);
cprintf("Invalid password");
getch();
clrscr();
goto label;
}
由于
答案 0 :(得分:7)
您需要使用无缓冲的输入函数,例如curses库提供的getch ()
或操作系统的控制台库。调用此函数将返回按下的键字符,但不会回显。使用*
阅读每个字符后,您可以手动打印getch ()
。如果按下退格键,您还需要编写代码,并适当地更正插入的密码。
这是我用curses编写的代码。使用gcc file.c -o pass_prog -lcurses
#include <stdio.h>
#include <stdlib.h>
#include <curses.h>
#define ENOUGH_SIZE 256
#define ECHO_ON 1
#define ECHO_OFF 0
#define BACK_SPACE 127
char *my_getpass (int echo_state);
int main (void)
{
char *pass;
initscr ();
printw ("Enter Password: ");
pass = my_getpass (ECHO_ON);
printw ("\nEntered Password: %s", pass);
refresh ();
getch ();
endwin ();
return 0;
}
char *my_getpass (int echo_state)
{
char *pass, c;
int i=0;
pass = malloc (sizeof (char) * ENOUGH_SIZE);
if (pass == NULL)
{
perror ("Exit");
exit (1);
}
cbreak ();
noecho ();
while ((c=getch()) != '\n')
{
if (c == BACK_SPACE)
{
/* Do not let the buffer underflow */
if (i > 0)
{
i--;
if (echo_state == ECHO_ON)
printw ("\b \b");
}
}
else if (c == '\t')
; /* Ignore tabs */
else
{
pass[i] = c;
i = (i >= ENOUGH_SIZE) ? ENOUGH_SIZE - 1 : i+1;
if (echo_state == ECHO_ON)
printw ("*");
}
}
echo ();
nocbreak ();
/* Terminate the password string with NUL */
pass[i] = '\0';
endwin ();
return pass;
}
答案 1 :(得分:5)
C ++中没有任何内容可以支持这一点。示例代码中的函数表明您使用的是curses
或类似的东西;如果是,请检查cbreak
和nocbreak
功能。一旦你打电话给cbreak
,你就可以回应这些角色了,你可以回复你喜欢的任何东西(如果你愿意,你可以回音)。
答案 2 :(得分:2)
#include<iostream.h>
#include<conio.h>
#include<stdio.h>
void main()
{
clrscr();
char a[10];
for(int i=0;i<10;i++)
{
a[i]=getch(); //for taking a char. in array-'a' at i'th place
if(a[i]==13) //cheking if user press's enter
break; //breaking the loop if enter is pressed
printf("*"); //as there is no char. on screen we print '*'
}
a[i]='\0'; //inserting null char. at the end
cout<<endl;
for(i=0;a[i]!='\0';i++) //printing array on the screen
cout<<a[i];
sleep(3); //paused program for 3 second
}