-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathCryptographic Password Manager.py
65 lines (55 loc) · 2.08 KB
/
Cryptographic Password Manager.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
from cryptography.fernet import Fernet
def write_key():
"""Generate and save a new Fernet key."""
key = Fernet.generate_key() # Generate a valid Fernet key
with open("key.key", "wb") as key_file:
key_file.write(key)
def load_key():
"""Load the Fernet key from the file."""
with open("key.key", "rb") as key_file:
return key_file.read()
# Ensure the key exists before proceeding
try:
key = load_key()
except FileNotFoundError:
write_key()
key = load_key()
# Validate and initialize Fernet with the key
if len(key) != 44: # Base64-encoded 32-byte keys are 44 characters long
raise ValueError("The loaded key is invalid. Please delete 'key.key' and restart the program.")
fer = Fernet(key)
def view():
"""View saved account passwords."""
try:
with open('passwords.txt', 'r') as f:
for line in f.readlines():
line = line.strip() # Remove trailing whitespace and newlines
if "|" not in line: # Check for valid format
print(f"Malformed line ignored: {line}")
continue
try:
user, encrypted_passw = line.split("|")
decrypted_passw = fer.decrypt(encrypted_passw.encode()).decode()
print(f"User: {user}, Password: {decrypted_passw}")
except Exception as e:
print(f"Error decrypting line: {line}. Error: {e}")
except FileNotFoundError:
print("No saved passwords found.")
def add():
"""Add a new account password."""
name = input("Account Name: ")
pwd = input("Password: ")
encrypted_pwd = fer.encrypt(pwd.encode()).decode()
with open('passwords.txt', 'a') as f:
f.write(f"{name}|{encrypted_pwd}\n")
print("Password saved successfully.")
while True:
mode = input("Would you like to add a new password or view existing ones (view/add), or press q to quit: ").lower()
if mode == "q":
break
elif mode == "view":
view()
elif mode == "add":
add()
else:
print("Invalid mode.")