-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy pathmain.py
134 lines (110 loc) · 4.2 KB
/
main.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
import argparse
import asyncio
import json
import os
import traceback
import urllib.request
import emoji
import claude
from EdgeGPT import Chatbot
from aiohttp import web
public_dir = '/public'
async def sydney_process_message(user_message, context, _U, locale):
chatbot = None
try:
if _U:
cookies = loaded_cookies + [{"name": "_U", "value": _U}]
else:
cookies = loaded_cookies
chatbot = await Chatbot.create(cookies=cookies, proxy=args.proxy)
async for _, response in chatbot.ask_stream(prompt=user_message, conversation_style="creative", raw=True,
webpage_context=context, search_result=True, locale=locale):
yield response
except:
yield {"type": "error", "error": traceback.format_exc()}
finally:
if chatbot:
await chatbot.close()
async def claude_process_message(context):
try:
async for reply in claude_chatbot.ask_stream(context):
yield {"type": "reply", "text": emoji.emojize(reply, language='alias').strip()}
yield {"type": "finished"}
except:
yield {"type": "error", "error": traceback.format_exc()}
async def http_handler(request):
file_path = request.path
if file_path == "/":
file_path = "/index.html"
full_path = os.path.realpath('.' + public_dir + file_path)
if not full_path.startswith(os.path.realpath('.' + public_dir)):
raise web.HTTPForbidden()
response = web.FileResponse(full_path)
response.headers['Cache-Control'] = 'no-store'
return response
async def websocket_handler(request):
ws = web.WebSocketResponse()
await ws.prepare(request)
async def monitor():
while True:
if ws.closed:
task.cancel()
break
await asyncio.sleep(0.1)
async def main_process():
async for msg in ws:
if msg.type == web.WSMsgType.TEXT:
request = json.loads(msg.data)
user_message = request['message']
context = request['context']
locale = request['locale']
_U = request.get('_U')
bot_type = request.get("botType", "Sydney")
if bot_type == "Sydney":
async for response in sydney_process_message(user_message, context, _U, locale=locale):
await ws.send_json(response)
elif bot_type == "Claude":
async for response in claude_process_message(context):
await ws.send_json(response)
else:
print(f"Unknown bot type: {bot_type}")
task = asyncio.ensure_future(main_process())
monitor_task = asyncio.ensure_future(monitor())
done, pending = await asyncio.wait([task, monitor_task], return_when=asyncio.FIRST_COMPLETED)
for task in pending:
task.cancel()
return ws
async def main(host, port):
app = web.Application()
app.router.add_get('/ws/', websocket_handler)
app.router.add_get('/{tail:.*}', http_handler)
runner = web.AppRunner(app)
await runner.setup()
site = web.TCPSite(runner, host, port)
await site.start()
print(f"Go to http://{host}:{port} to start chatting!")
if __name__ == '__main__':
parser = argparse.ArgumentParser()
parser.add_argument("--host", "-H", help="host:port for the server", default="localhost:65432")
parser.add_argument("--proxy", "-p", help='proxy address like "http://localhost:7890"',
default=urllib.request.getproxies().get('https'))
args = parser.parse_args()
print(f"Proxy used: {args.proxy}")
host, port = args.host.split(":")
port = int(port)
if os.path.isfile("cookies.json"):
with open("cookies.json", 'r') as f:
loaded_cookies = json.load(f)
print("Loaded cookies.json")
else:
loaded_cookies = []
print("cookies.json not found")
claude_chatbot = claude.Chatbot(proxy=args.proxy)
loop = asyncio.get_event_loop()
try:
loop.run_until_complete(main(host, port))
loop.run_forever()
except KeyboardInterrupt:
pass
finally:
loop.close()