#Python #密码管理器 无需再记住密码,使用Python实现个人密码管理器
import os
import sys
import argparse
# 密码管理器的主类
class PasswordManager:
def __init__(self, master_password):
self.master_password = master_password
self.service_passwords = {}
def add_password(self, service_name):
"""为指定服务生成并存储随机密码,不显示在终端"""
import secrets
service_password = secrets.token_urlsafe(16)
self.service_passwords[service_name] = service_password
print(f"Password for {service_name}: {service_password}")
def get_password(self, service_name):
"""获取指定服务的密码,如果密码不存在则提示用户创建"""
if service_name in self.service_passwords:
return self.service_passwords[service_name]
else:
answer = input(f"Password for {service_name} does not exist. Create one? (y/N) ")
if answer.lower() == "y":
self.add_password(service_name)
return self.service_passwords[service_name]
else:
return None
# 用户交互界面
def main():
parser = argparse.ArgumentParser(description='Password Manager without the hassle of remembering passwords.')
parser.add_argument('-m', '--master-password', required=True, help='Master password for the password manager.')
args = parser.parse_args()
pm = PasswordManager(args.master_password)
while True:
service = input("Enter service name: ")
if not service:
break
password = pm.get_password(service)
if password:
print(f"Password for {service}: {password}")
else:
print("No password was entered.")
if __name__ == "__main__":
main()
这段代码实现了一个简单的密码管理器,用户可以通过命令行输入主密码来创建和管理服务密码。用户在终端中输入服务名称,如果服务的密码不存在,管理器会提示用户创建。这个例子教会开发者如何使用Python来管理密码,并且演示了如何在不同的上下文中使用类和函数来组织代码。
评论已关闭