forked from Open-LLM-VTuber/Open-LLM-VTuber
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathserver.py
256 lines (220 loc) · 10.7 KB
/
server.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
import os
import shutil
import atexit
import yaml
import json
import numpy as np
import asyncio
from fastapi import FastAPI, WebSocket, APIRouter, Body
from fastapi.staticfiles import StaticFiles
from starlette.websockets import WebSocketDisconnect
from typing import List, Dict
from main import OpenLLMVTuberMain
from live2d_model import Live2dModel
from tts.stream_audio import AudioPayloadPreparer
class WebSocketServer:
"""
WebSocketServer initializes a FastAPI application with WebSocket endpoints and a broadcast endpoint.
Attributes:
config (dict): Configuration dictionary.
app (FastAPI): FastAPI application instance.
router (APIRouter): APIRouter instance for routing.
connected_clients (List[WebSocket]): List of connected WebSocket clients for "/client-ws".
server_ws_clients (List[WebSocket]): List of connected WebSocket clients for "/server-ws".
"""
def __init__(self, open_llm_vtuber_config: Dict | None = None):
"""
Initializes the WebSocketServer with the given configuration.
"""
self.app = FastAPI()
self.router = APIRouter()
self.new_connected_clients: List[WebSocket] = []
self.connected_clients: List[WebSocket] = []
self.server_ws_clients: List[WebSocket] = []
self.open_llm_vtuber: OpenLLMVTuberMain | None = None
self.open_llm_vtuber_config: Dict | None = open_llm_vtuber_config
self._setup_routes()
self._mount_static_files()
def _setup_routes(self):
"""Sets up the WebSocket and broadcast routes."""
# the connection between this server and the python backend
@self.router.websocket("/server-ws")
async def server_websocket_endpoint(websocket: WebSocket):
await websocket.accept()
self.server_ws_clients.append(websocket)
# When a connection is established, send a specific payload to all clients connected to "/client-ws"
control_message = {"type": "control", "text": "start-mic"}
for client in self.connected_clients:
await client.send_json(control_message)
try:
while True:
# Receive messages from "/server-ws" clients
message = await websocket.receive_text()
# Forward received messages to all clients connected to "/client-ws"
for client in self.connected_clients:
await client.send_text(message)
except WebSocketDisconnect:
self.server_ws_clients.remove(websocket)
# the connection between this server and the frontend client
@self.router.websocket("/legacy-ws")
async def websocket_endpoint(websocket: WebSocket):
await websocket.accept()
self.connected_clients.append(websocket)
try:
while True:
# Receive messages from "/client-ws" clients
message = await websocket.receive_text()
# do some funny thing here...
# Forward received messages to all clients connected to "/server-ws"
for server_client in self.server_ws_clients:
await server_client.send_text(message)
except WebSocketDisconnect:
self.connected_clients.remove(websocket)
# the connection between this server and the frontend client
# The version 2 of the client-ws. Introduces breaking changes.
# This route will initiate its own main.py instance and conversation loop
@self.router.websocket("/client-ws")
async def websocket_endpoint(websocket: WebSocket):
await websocket.accept()
await websocket.send_text(
json.dumps({"type": "full-text", "text": "Connection established"})
)
self.connected_clients.append(websocket)
print("Connection established")
l2d = Live2dModel(self.open_llm_vtuber_config["LIVE2D_MODEL"])
self.open_llm_vtuber = OpenLLMVTuberMain(self.open_llm_vtuber_config)
audio_payload_preparer = AudioPayloadPreparer()
def _play_audio_file(sentence: str | None, filepath: str | None) -> None:
if filepath is None:
print("No audio to be streamed. Response is empty.")
return
if sentence is None:
sentence = ""
print(f">> Playing {filepath}...")
payload, duration = audio_payload_preparer.prepare_audio_payload(
audio_path=filepath,
display_text=sentence,
expression_list=l2d.extract_emotion(sentence),
)
print("Payload send.")
async def _send_audio():
await websocket.send_text(json.dumps(payload))
await asyncio.sleep(duration)
new_loop = asyncio.new_event_loop()
asyncio.set_event_loop(new_loop)
new_loop.run_until_complete(_send_audio())
new_loop.close()
print("Audio played.")
self.open_llm_vtuber.set_audio_output_func(_play_audio_file)
await websocket.send_text(
json.dumps({"type": "set-model", "text": l2d.model_info})
)
print("Model set")
received_data_buffer = np.array([])
# start mic
await websocket.send_text(
json.dumps({"type": "control", "text": "start-mic"})
)
conversation_task = None
try:
while True:
print(".", end="")
message = await websocket.receive_text()
data = json.loads(message)
# print(f"\033\n Received ws req: {data.get('type')}\033[0m\n")
if data.get("type") == "interrupt-signal":
print("Start receiving audio data from front end.")
if conversation_task is not None:
print(
"\033[91mLLM hadn't finish itself. Interrupting it...",
"heard response: \n",
data.get("text"),
"\033[0m\n",
)
self.open_llm_vtuber.interrupt(data.get("text"))
# conversation_task.cancel()
elif data.get("type") == "mic-audio-data":
received_data_buffer = np.append(
received_data_buffer,
np.array(
list(data.get("audio").values()), dtype=np.float32
),
)
print("*", end="")
elif data.get("type") == "mic-audio-end":
print("Received audio data end from front end.")
await websocket.send_text(
json.dumps({"type": "full-text", "text": "Thinking..."})
)
audio = received_data_buffer
received_data_buffer = np.array([])
async def _run_conversation():
try:
await websocket.send_text(
json.dumps(
{
"type": "control",
"text": "conversation-chain-start",
}
)
)
await asyncio.to_thread(
self.open_llm_vtuber.conversation_chain,
user_input=audio,
)
await websocket.send_text(
json.dumps(
{
"type": "control",
"text": "conversation-chain-end",
}
)
)
print("One Conversation Loop Completed")
except asyncio.CancelledError:
print("Conversation task was cancelled.")
except InterruptedError as e:
print(f"😢Conversation was interrupted. {e}")
conversation_task = asyncio.create_task(_run_conversation())
else:
print("Unknown data type received.")
except WebSocketDisconnect:
self.connected_clients.remove(websocket)
self.open_llm_vtuber = None
@self.router.post("/broadcast")
async def broadcast_message(message: str = Body(..., embed=True)):
disconnected_clients = []
for client in self.connected_clients:
try:
await client.send_text(message)
except WebSocketDisconnect:
disconnected_clients.append(client)
for client in disconnected_clients:
self.connected_clients.remove(client)
self.app.include_router(self.router)
def _mount_static_files(self):
"""Mounts static file directories."""
self.app.mount(
"/live2d-models",
StaticFiles(directory="live2d-models"),
name="live2d-models",
)
self.app.mount("/", StaticFiles(directory="./static", html=True), name="static")
def run(self, host: str = "127.0.0.1", port: int = 8000, log_level: str = "info"):
"""Runs the FastAPI application using Uvicorn."""
import uvicorn
uvicorn.run(self.app, host=host, port=port, log_level=log_level)
def clean_cache():
cache_dir = "./cache"
if os.path.exists(cache_dir):
shutil.rmtree(cache_dir)
os.makedirs(cache_dir)
if __name__ == "__main__":
atexit.register(WebSocketServer.clean_cache)
# Load configurations from yaml file
with open("conf.yaml", "rb") as f:
config = yaml.safe_load(f)
config["LIVE2D"] = True # make sure the live2d is enabled
# Initialize and run the WebSocket server
server = WebSocketServer(open_llm_vtuber_config=config)
server.run(host=config["HOST"], port=config["PORT"])