-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathapp.py
359 lines (291 loc) · 11.9 KB
/
app.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
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
import eel
import random
import time
import sys
import gevent
import json
import pyfiglet
import watchdog.observers
import watchdog.events
import os
import requests
# ------- CONSTANTS -------
VERSION = "3.0.2"
STATES = ["waiting for log", "notify ready", "paused notify", "error", "webhook setup", "sending webhook"]
COLORS = {
"waiting for log": "rgba(0, 100, 255, 0.7)",
"notify ready": "rgba(0, 255, 0, 0.7)",
"paused notify": "rgba(255, 255, 0, 0.7)",
"error": "rgba(255, 0, 0, 0.7)",
"webhook setup": "rgba(128, 0, 128, 0.7)",
"sending webhook": "rgba(0, 255, 255, 0.7)",
}
# ------- FOR PYINSTALLER -------
asset_path = getattr(sys, "_MEIPASS", ".")
if getattr(sys, "frozen", False):
import pyi_splash
# ------- initialize eel -------
eel.init(asset_path + "/web")
# ------- UTILITY FUNCTIONS -------
def pretty_log(log_type, message, has_time=True):
now_time = time.strftime("%H:%M:%S", time.localtime())
colors = {
"success": "[$2BAB4B$]",
"error": "[$FF0000$]",
"warning": "[$FFD700$]",
"info": "[$00FFFF$]",
}
log_color = colors.get(log_type.split("_")[0], "[$FFFFFF$]")
timestamp = f"[{now_time}] " if has_time else ""
log_type = (
f"[{log_color}{log_type.upper()}[$FFFFFF$]]"
if not log_type.endswith("_hidden")
else ""
)
eel.addLogMessage(
f"[$FFFFFF$]{timestamp}{log_type} {log_color}{message}"
)
def post_webhook_message(webhook_url, message):
payload = {"content": message}
state = VRCNotifyState()
last_state = state.current_state
state.update_state("sending webhook")
try:
response = requests.post(webhook_url, json=payload)
state.update_state(last_state)
return response.status_code == 204
except requests.exceptions.RequestException:
return False
def get_vrc_log_directory(error_handler):
path = os.path.join(
os.environ["USERPROFILE"], "AppData", "LocalLow", "VRChat", "VRChat"
)
if not os.path.exists(path):
if error_handler:
error_handler("Error", "VRC log directory not found")
exit()
return path
def get_new_lines(file_path, last_position):
with open(file_path, "r", encoding="utf-8") as f:
f.seek(last_position)
new_lines = f.readlines()
current_position = f.tell()
return new_lines, current_position
@eel.expose
def handle_input(now_state, input_value):
state = VRCNotifyState()
pretty_log("info", f"Input received: {input_value}")
if now_state.lower() == "webhook setup":
# check if the webhook is valid
payload = {"content": "VRCNotify test message."}
try:
r = requests.post(input_value, json=payload)
if r.status_code == 204:
pretty_log("success", "Discord webhook send success.")
else:
pretty_log("error", "Discord webhook send failed.")
state.handle_error("Webhook setup", "Discord webhook send failed")
return
except requests.exceptions.RequestException as e:
pretty_log("error", "Discord webhook send failed.")
state.handle_error("Webhook setup", "Discord webhook send failed")
return
config = {"discord_webhook_url": input_value}
with open("config.json", "w") as f:
json.dump(config, f)
pretty_log("success", "Config file written.")
state.update_state("waiting for log")
state.update_latest_activity("Config file written.")
@eel.expose
def get_current_version():
return VERSION
@eel.expose
def get_latest_version():
# GitHub API를 통해 최신 버전 확인
try:
response = requests.get("https://api.github.com/repos/soumt-r/VRCNotify/releases/latest")
if response.status_code == 200:
return response.json()["tag_name"].replace('v', '')
return "Unknown"
except:
return "Unknown"
@eel.expose
def get_changelog():
# GitHub API를 통해 CHANGELOG.md 내용 가져오기
try:
response = requests.get("https://api.github.com/repos/soumt-r/VRCNotify/contents/CHANGELOG.md")
if response.status_code == 200:
import base64
return base64.b64decode(response.json()["content"]).decode("utf-8")
return "Failed to load changelog."
except:
return "Failed to load changelog."
# ------- STATE MANAGEMENT -------
class VRCNotifyState:
# Singleton
def __new__(cls):
if not hasattr(cls, "instance"):
cls.instance = super(VRCNotifyState, cls).__new__(cls)
return cls.instance
def __init__(self):
if hasattr(self, "current_state"):
return
self.current_state = "waiting for log"
self.config = {}
self.log_dir = get_vrc_log_directory(self.handle_error)
def start_blobs_thread(self):
gevent.spawn(self.update_blobs)
def handle_error(self, before_state, reason=""):
pretty_log("error", f"An error occurred while {before_state}.", has_time=False)
self.update_state("Error")
if reason:
self.update_latest_activity(reason)
time.sleep(2)
self.update_latest_activity("")
self.update_state(before_state)
def update_state(self, new_state):
self.current_state = new_state.lower()
is_input_required = False
if self.current_state == "webhook setup":
is_input_required = True
eel.updateState(new_state, is_input_required)
self.update_blobs_core()
def update_blobs_core(self):
new_positions = [
{"x": random.uniform(0, 100), "y": random.uniform(0, 100)} for _ in range(3)
]
eel.updateBlobs(new_positions, COLORS[self.current_state])
def update_blobs(self):
while True:
self.update_blobs_core()
gevent.sleep(2)
def update_latest_activity(self, activity):
eel.updateLatestActivity(activity)
def load_config(self):
try:
with open("config.json", "r") as f:
self.config = dict(json.load(f))
pretty_log("success", "Settings loaded.")
except FileNotFoundError:
pretty_log("error", "Config file not found.")
self.prompt_webhook_setup()
def send_notify(self, message):
discord_webhook_url = self.config["discord_webhook_url"]
if not post_webhook_message(discord_webhook_url, message):
pretty_log("error", "Failed to send Discord webhook.", has_time=False)
self.handle_error("Notify ready", "Failed to send Discord webhook.")
else:
pretty_log("success", "Discord webhook sent successfully.", has_time=False)
def prompt_webhook_setup(self):
self.update_state("Webhook setup")
self.update_latest_activity("Please enter your Discord Webhook URL.")
while self.current_state in {"webhook setup", "error"}:
gevent.sleep(1)
# Load config again
self.load_config()
pretty_log("success", "Config file created.")
# ------- WATCHDOG HANDLER -------
class VRCLogEventHandler(watchdog.events.PatternMatchingEventHandler):
def __init__(self, state, *args, **kwargs):
super().__init__(*args, **kwargs)
self.state = state
self.last_position = 0
self.user_name = None
self.join_time = time.time()
self.not_in_room = True
self.is_first_analyze = True
def on_modified(self, event):
try:
if event.is_directory or not event.src_path.endswith(".txt"):
return
lines, self.last_position = get_new_lines(event.src_path, self.last_position)
for line in lines:
self.process_log_line(line, self.is_first_analyze)
self.is_first_analyze = False
except Exception as e:
pretty_log("error", f"Error occurred in watchdog: {e}")
self.state.handle_error("Notify ready", "Error occurred in watchdog.")
def process_log_line(self, line, is_first_analyze=False):
if "User Authenticated" in line:
self.user_name = self.extract_user_name(line)
self.state.update_latest_activity(f"Welcome, {self.user_name}!")
if "[Behaviour]" in line:
self.process_behaviour_line(line, is_first_analyze)
def process_player_line(self, line, mode):
if mode == "join":
nickname = line.split("OnPlayerJoined ")[1].replace("\n", "")
else:
nickname = line.split("OnPlayerLeft ")[1].replace("\n", "")
# 만약 띄어쓰기를 기준으로 마지막이 '(usr_'으로 시작하면 뒤에 숫자가 붙어있는 것이므로 제거
if nickname.split(" ")[-1].startswith("(usr_"):
nickname = " ".join(nickname.split(" ")[:-1])
emoji = "👤" if mode == "join" else "🚪"
pretty_log("info", f"{emoji} Player {mode}: {nickname}")
if self.not_in_room:
pretty_log("warning", "Not sending message. Not in room.")
elif time.time() - self.join_time < 10:
pretty_log("warning", "Not sending message. Too short time after join.")
elif nickname == self.user_name:
pretty_log("warning", "Not sending message. local user.", has_time=False)
else:
self.state.send_notify(f"{emoji} Player {mode}: {nickname}")
self.state.update_latest_activity(f"{emoji} Player {mode}: {nickname}")
def extract_user_name(self, line):
return line.split("User Authenticated: ")[1].split(" (")[0].strip()
def process_behaviour_line(self, line, is_first=False):
if "OnLeftRoom" in line:
self.state.update_state("Paused notify")
activity_message = "Paused notify while not in room."
self.state.update_latest_activity(activity_message)
if not is_first:
pretty_log("warning", "Left Room. Ignore after users.")
self.not_in_room = True
elif "Joining or Creating Room" in line:
room_name = line.split("Joining or Creating Room: ")[1].strip()
self.state.update_state("Notify ready")
activity_message = f"Joined to {room_name}"
if not is_first:
pretty_log("info", f"Joined to {room_name}, continuing notify.")
self.state.update_latest_activity(activity_message)
self.join_time = time.time()
self.not_in_room = False
elif is_first:
pass
elif "OnPlayerJoined " in line:
self.process_player_line(line, mode="join")
elif "OnPlayerLeft " in line:
self.process_player_line(line, mode="leave")
# ------- MAIN LOGIC -------
def start_watchdog(state):
event_handler = VRCLogEventHandler(state, patterns=["*.txt"])
observer = watchdog.observers.Observer()
observer.schedule(event_handler, state.log_dir, recursive=False)
observer.start()
return observer
def main():
state = VRCNotifyState()
#print(colorama.Fore.LIGHTCYAN_EX + pyfiglet.figlet_format("VRCNotify", font="slant"))
eel.addLogMessage(pyfiglet.figlet_format("VRCNv3", font="slant"))
pretty_log("info", f"VRCNotify v{VERSION} by @rerassi", has_time=False)
pretty_log("info", "- Log Console", has_time=False)
eel.addLogMessage("")
# Initialize Eel
eel.start("index.html", size=(400, 400), position=(0, 0), block=False)
pretty_log("success", "Eel started.")
state.start_blobs_thread()
if getattr(sys, "frozen", False):
pyi_splash.close()
# Load configuration
state.load_config()
# Start watchdog
observer = start_watchdog(state)
pretty_log("success", "Watchdog started.")
try:
gevent.get_hub().join()
except KeyboardInterrupt:
pretty_log("warning", "Exiting VRCNotify.", has_time=False)
finally:
observer.stop()
observer.join()
if __name__ == "__main__":
main()