替换 cpp 中基于 getch 的代码块
Replacement to getch based code block in cpp
我在 windows 中偶然发现了 2016 年用 Turbo C++ IDE 编写的代码
接受密码
char pass;
for (length = 0;;)
{
pass=getch();
if (pass == 13)
{
break;
}
if ((pass >= 'A' && pass <= 'Z') || (pass >= 'a' && pass <= 'z') || (pass >= '0' && pass <= '9') || (pass == '!' || '@' || '#' || '$' || '%' || '^' || '&' || '*' || '(' || ')'))
{
str[length] = pass;
++length;
cout << "#";
}
}
如果没有 linux 的 getch 方法,是否有任何替代方法来显示这样的输出 *******?我试过 scanf 但没有用,因为它先接受整个输入,然后再给出输出
C++ 中没有标准替代品。
Linux(以及BSD等类似系统),有一个遗留函数getpass
,不推荐使用。我提到它是因为 glibc 中该函数的 documentation 建议如下:
This precise set of operations may not suit all possible situations. In this case, it is recommended that users write their own getpass substitute. For instance, a very simple substitute is as follows:
#include <termios.h>
#include <stdio.h>
ssize_t
my_getpass (char **lineptr, size_t *n, FILE *stream)
{
struct termios old, new;
int nread;
/* Turn echoing off and fail if we can’t. */
if (tcgetattr (fileno (stream), &old) != 0)
return -1;
new = old;
new.c_lflag &= ~ECHO;
if (tcsetattr (fileno (stream), TCSAFLUSH, &new) != 0)
return -1;
/* Read the passphrase */
nread = getline (lineptr, n, stream);
/* Restore terminal. */
(void) tcsetattr (fileno (stream), TCSAFLUSH, &old);
return nread;
}
请注意,该示例是用 C 编写的,不是有效的 C++。需要进行小的更改,特别是有一个 C++ 关键字 new
被用作变量名。只需将其重命名为其他名称即可。
另请注意,行为是完全不回显,而不是回显 *
。这在 POSIX 系统中很常见,而且更安全,因为它不会泄露密码的长度。
我在 windows 中偶然发现了 2016 年用 Turbo C++ IDE 编写的代码 接受密码
char pass;
for (length = 0;;)
{
pass=getch();
if (pass == 13)
{
break;
}
if ((pass >= 'A' && pass <= 'Z') || (pass >= 'a' && pass <= 'z') || (pass >= '0' && pass <= '9') || (pass == '!' || '@' || '#' || '$' || '%' || '^' || '&' || '*' || '(' || ')'))
{
str[length] = pass;
++length;
cout << "#";
}
}
如果没有 linux 的 getch 方法,是否有任何替代方法来显示这样的输出 *******?我试过 scanf 但没有用,因为它先接受整个输入,然后再给出输出
C++ 中没有标准替代品。
Linux(以及BSD等类似系统),有一个遗留函数getpass
,不推荐使用。我提到它是因为 glibc 中该函数的 documentation 建议如下:
This precise set of operations may not suit all possible situations. In this case, it is recommended that users write their own getpass substitute. For instance, a very simple substitute is as follows:
#include <termios.h> #include <stdio.h> ssize_t my_getpass (char **lineptr, size_t *n, FILE *stream) { struct termios old, new; int nread; /* Turn echoing off and fail if we can’t. */ if (tcgetattr (fileno (stream), &old) != 0) return -1; new = old; new.c_lflag &= ~ECHO; if (tcsetattr (fileno (stream), TCSAFLUSH, &new) != 0) return -1; /* Read the passphrase */ nread = getline (lineptr, n, stream); /* Restore terminal. */ (void) tcsetattr (fileno (stream), TCSAFLUSH, &old); return nread; }
请注意,该示例是用 C 编写的,不是有效的 C++。需要进行小的更改,特别是有一个 C++ 关键字 new
被用作变量名。只需将其重命名为其他名称即可。
另请注意,行为是完全不回显,而不是回显 *
。这在 POSIX 系统中很常见,而且更安全,因为它不会泄露密码的长度。