-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathrells_lib.py
158 lines (137 loc) · 6.64 KB
/
rells_lib.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
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
import socket
import json
import os
'''
This is the Rells Library, made to ease the production process of creating the Client Software and Server Software for the Rells CLI Project. RLS LIB VERSION: 31.08.24
'''
class Client:
def __init__(self, host, port, server_password, nickname, user_password):
self.host = host
self.port = port
self.server_password = server_password
self.nickname = nickname
self.user_password = user_password
self.credentials = f'{self.nickname}/PASSWD_SEP/{self.user_password}/SERVER_SEP/{self.server_password}'
self.client = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
self.running = True # Control flag for managing connection state
self.client.connect((self.host, self.port))
def receive(self):
while self.running:
try:
message = self.client.recv(1024).decode('ascii')
if message == 'LOGIN':
print("Logging in...")
self.client.send(self.credentials.encode('ascii'))
elif message == "LOGIN_ERROR":
print("Unable to connect to the server (wrong login details)")
self.stop_client()
elif message == "SIGNUP_END":
print("You may now login with your newly created account.")
self.stop_client()
elif message.startswith(f'{self.nickname}: '):
continue
else:
print(message)
except Exception as e:
print(f"An error occurred: {e}")
self.stop_client()
# Client class (in rells_lib)
def write(self):
while True:
try:
message = f'{self.nickname}: {input("")}'
self.client.send(message.encode('ascii'))
except Exception as e:
print(f"Error in write: {e}")
self.client.close()
break
def stop_client(self):
"""Gracefully stops the client."""
self.running = False
self.client.close()
print("Connection closed.")
class Profile():
def __init__(self, profile_name, server_ip, server_port, server_password, user_nickname, user_password):
self.profile_name = profile_name
self.server_ip = server_ip
self.server_port = server_port
self.server_password = server_password
self.user_nickname = user_nickname
self.user_password = user_password
self.profile = [profile_name, server_ip, server_port, server_password, user_nickname, user_password]
def getProfile(self):
return self.profile
def loadJsonDataClient(self, path):
"""Load JSON data from a file, or return an empty dictionary if the file is missing or malformed."""
if not os.path.exists(path):
print(f"Warning: {path} not found. Returning empty data.")
return {}
try:
with open(path, 'r') as file:
data = json.load(file)
return data
except (json.JSONDecodeError, IOError) as e:
print(f"Error reading {path}: {e}. Returning empty data.")
return {}
def saveJsonDataClient(self, path, profiles):
"""Save JSON data to a file."""
json_object = json.dumps(profiles, indent=4)
with open(path, "w") as outfile:
outfile.write(json_object)
class Server():
def __init__(self) -> None:
pass
def validateCredentials(self, credentials):
try:
# Split the credentials into username, user_password, and server_password
username, remainder = credentials.split('/PASSWD_SEP/')
user_password, server_password = remainder.split('/SERVER_SEP/')
return username, user_password, server_password
except ValueError as e:
print(f"Error in validateCredentials: {e}")
print(f"Malformed credentials: {credentials}")
return None
def loadConfig(self, path):
"""Load server configuration from a JSON file, or return default values if the file is missing or malformed."""
if not os.path.exists(path):
print(f"Warning: {path} not found. Using default configuration.")
return ["127.0.0.1", 5000, "default_server_password", "default_signup_password"]
try:
with open(path, 'r') as file:
data = json.load(file)
return data.get('RELLS_SERVER_CONFIG', ["127.0.0.1", 5000, "default_server_password", "default_signup_password"])
except (json.JSONDecodeError, IOError) as e:
print(f"Error reading {path}: {e}. Using default configuration.")
return ["127.0.0.1", 5000, "default_server_password", "default_signup_password"]
def saveConfig(self, path, cfg):
#Function saves the parsed in server config file.
#Server config format goes like this: {"RELLS_SERVER_CONFIG": [IP, PORT, SV_PASSWORD]}
config_file = json.dumps({"RELLS_SERVER_CONFIG": cfg}, indent=4)
with open(path, "w") as outfile:
outfile.write(config_file)
def loadUserProfiles(self, path):
"""Load user profiles from a JSON file, or return an empty dictionary if the file is missing or malformed."""
if not os.path.exists(path):
print(f"Warning: {path} not found. Starting with an empty user profile database.")
return {}
try:
with open(path, 'r') as file:
data = json.load(file)
return data
except (json.JSONDecodeError, IOError) as e:
print(f"Error reading {path}: {e}. Starting with an empty user profile database.")
return {}
def saveUserProfiles(self, path, profiles):
"""Save user profiles to a file."""
user_profiles = json.dumps(profiles, indent=4)
with open(path, "w") as outfile:
outfile.write(user_profiles)
def addUserProfile(self, path, profile):
#This function adds a new user profile.
#The user profile object is a dictionary that uses the username as the key and the password is its contents
with open(path, 'r') as file:
data = json.load(file)
data.update(profile)
user_profiles = json.dumps(data, indent=4)
with open(path, "w") as outfile:
outfile.write(user_profiles)