Python 3.x 控制台输入密码的方法总结
最近在用Python 3.2.3,想实现输入密码时回显*号,在网上查找了一下,这方面的资料相当的少,找到方法有几种
1.getpass.getpass() ,缺点是不回显任何内容,不知道的还以为没有输入进去呢,当然这是unix风格
2. unix系列下使用termios:windows下不好用,模块找不到
3.msvcrt.getch() : 在windows下要用msvcrt代替termios:
import msvcrt, sysdef pwd_input(): chars = [] while True: newChar = msvcrt.getch() if newChar in '\r\n': # 如果是换行,则输入结束 print '' break elif newChar == '\b': # 如果是退格,则删除末尾一位 if chars: del chars[-1] sys.stdout.write('\b \b') # 删除一个星号 else: chars.append(newChar) sys.stdout.write('*') # 显示为星号 print ''.join(chars)pwd = pwd_input()print pwd以上方法的最大的缺点是sys.stdout.write('\b \b')只有在输入回车时才会生效,也就是看不到星号被删掉的效果,还是不满足要求
import msvcrtdef pwd_input(): chars = [] while True: try: newChar = msvcrt.getch().decode(encoding="utf-8") except: return input("你很可能不是在cmd命令行下运行,密码输入将不能隐藏:") if newChar in '\r\n': # 如果是换行,则输入结束 break elif newChar == '\b': # 如果是退格,则删除密码末尾一位并且删除一个星号 if chars: del chars[-1] msvcrt.putch('\b'.encode(encoding='utf-8')) # 光标回退一格 msvcrt.putch( ' '.encode(encoding='utf-8')) # 输出一个空格覆盖原来的星号 msvcrt.putch('\b'.encode(encoding='utf-8')) # 光标回退一格准备接受新的输入 else: chars.append(newChar) msvcrt.putch('*'.encode(encoding='utf-8')) # 显示为星号 return (''.join(chars) )print("请输入密码:") pwd = pwd_input()print("\n密码是:{0}".format(pwd))input("按回车键退出")