main.py 15 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470
  1. from fastapi import FastAPI, Request, Response, HTTPException, Depends
  2. from fastapi.middleware.cors import CORSMiddleware
  3. from fastapi.responses import StreamingResponse, JSONResponse, FileResponse
  4. import requests
  5. import aiohttp
  6. import asyncio
  7. import json
  8. import logging
  9. from pydantic import BaseModel
  10. from apps.webui.models.models import Models
  11. from apps.webui.models.users import Users
  12. from constants import ERROR_MESSAGES
  13. from utils.utils import (
  14. decode_token,
  15. get_current_user,
  16. get_verified_user,
  17. get_admin_user,
  18. )
  19. from config import (
  20. SRC_LOG_LEVELS,
  21. ENABLE_OPENAI_API,
  22. OPENAI_API_BASE_URLS,
  23. OPENAI_API_KEYS,
  24. CACHE_DIR,
  25. ENABLE_MODEL_FILTER,
  26. MODEL_FILTER_LIST,
  27. AppConfig,
  28. )
  29. from typing import List, Optional
  30. import hashlib
  31. from pathlib import Path
  32. log = logging.getLogger(__name__)
  33. log.setLevel(SRC_LOG_LEVELS["OPENAI"])
  34. app = FastAPI()
  35. app.add_middleware(
  36. CORSMiddleware,
  37. allow_origins=["*"],
  38. allow_credentials=True,
  39. allow_methods=["*"],
  40. allow_headers=["*"],
  41. )
  42. app.state.config = AppConfig()
  43. app.state.config.ENABLE_MODEL_FILTER = ENABLE_MODEL_FILTER
  44. app.state.config.MODEL_FILTER_LIST = MODEL_FILTER_LIST
  45. app.state.config.ENABLE_OPENAI_API = ENABLE_OPENAI_API
  46. app.state.config.OPENAI_API_BASE_URLS = OPENAI_API_BASE_URLS
  47. app.state.config.OPENAI_API_KEYS = OPENAI_API_KEYS
  48. app.state.MODELS = {}
  49. @app.middleware("http")
  50. async def check_url(request: Request, call_next):
  51. if len(app.state.MODELS) == 0:
  52. await get_all_models()
  53. else:
  54. pass
  55. response = await call_next(request)
  56. return response
  57. @app.get("/config")
  58. async def get_config(user=Depends(get_admin_user)):
  59. return {"ENABLE_OPENAI_API": app.state.config.ENABLE_OPENAI_API}
  60. class OpenAIConfigForm(BaseModel):
  61. enable_openai_api: Optional[bool] = None
  62. @app.post("/config/update")
  63. async def update_config(form_data: OpenAIConfigForm, user=Depends(get_admin_user)):
  64. app.state.config.ENABLE_OPENAI_API = form_data.enable_openai_api
  65. return {"ENABLE_OPENAI_API": app.state.config.ENABLE_OPENAI_API}
  66. class UrlsUpdateForm(BaseModel):
  67. urls: List[str]
  68. class KeysUpdateForm(BaseModel):
  69. keys: List[str]
  70. @app.get("/urls")
  71. async def get_openai_urls(user=Depends(get_admin_user)):
  72. return {"OPENAI_API_BASE_URLS": app.state.config.OPENAI_API_BASE_URLS}
  73. @app.post("/urls/update")
  74. async def update_openai_urls(form_data: UrlsUpdateForm, user=Depends(get_admin_user)):
  75. await get_all_models()
  76. app.state.config.OPENAI_API_BASE_URLS = form_data.urls
  77. return {"OPENAI_API_BASE_URLS": app.state.config.OPENAI_API_BASE_URLS}
  78. @app.get("/keys")
  79. async def get_openai_keys(user=Depends(get_admin_user)):
  80. return {"OPENAI_API_KEYS": app.state.config.OPENAI_API_KEYS}
  81. @app.post("/keys/update")
  82. async def update_openai_key(form_data: KeysUpdateForm, user=Depends(get_admin_user)):
  83. app.state.config.OPENAI_API_KEYS = form_data.keys
  84. return {"OPENAI_API_KEYS": app.state.config.OPENAI_API_KEYS}
  85. @app.post("/audio/speech")
  86. async def speech(request: Request, user=Depends(get_verified_user)):
  87. idx = None
  88. try:
  89. idx = app.state.config.OPENAI_API_BASE_URLS.index("https://api.openai.com/v1")
  90. body = await request.body()
  91. name = hashlib.sha256(body).hexdigest()
  92. SPEECH_CACHE_DIR = Path(CACHE_DIR).joinpath("./audio/speech/")
  93. SPEECH_CACHE_DIR.mkdir(parents=True, exist_ok=True)
  94. file_path = SPEECH_CACHE_DIR.joinpath(f"{name}.mp3")
  95. file_body_path = SPEECH_CACHE_DIR.joinpath(f"{name}.json")
  96. # Check if the file already exists in the cache
  97. if file_path.is_file():
  98. return FileResponse(file_path)
  99. headers = {}
  100. headers["Authorization"] = f"Bearer {app.state.config.OPENAI_API_KEYS[idx]}"
  101. headers["Content-Type"] = "application/json"
  102. if "openrouter.ai" in app.state.config.OPENAI_API_BASE_URLS[idx]:
  103. headers["HTTP-Referer"] = "https://openwebui.com/"
  104. headers["X-Title"] = "Open WebUI"
  105. r = None
  106. try:
  107. r = requests.post(
  108. url=f"{app.state.config.OPENAI_API_BASE_URLS[idx]}/audio/speech",
  109. data=body,
  110. headers=headers,
  111. stream=True,
  112. )
  113. r.raise_for_status()
  114. # Save the streaming content to a file
  115. with open(file_path, "wb") as f:
  116. for chunk in r.iter_content(chunk_size=8192):
  117. f.write(chunk)
  118. with open(file_body_path, "w") as f:
  119. json.dump(json.loads(body.decode("utf-8")), f)
  120. # Return the saved file
  121. return FileResponse(file_path)
  122. except Exception as e:
  123. log.exception(e)
  124. error_detail = "Open WebUI: Server Connection Error"
  125. if r is not None:
  126. try:
  127. res = r.json()
  128. if "error" in res:
  129. error_detail = f"External: {res['error']}"
  130. except:
  131. error_detail = f"External: {e}"
  132. raise HTTPException(
  133. status_code=r.status_code if r else 500, detail=error_detail
  134. )
  135. except ValueError:
  136. raise HTTPException(status_code=401, detail=ERROR_MESSAGES.OPENAI_NOT_FOUND)
  137. async def fetch_url(url, key):
  138. timeout = aiohttp.ClientTimeout(total=5)
  139. try:
  140. headers = {"Authorization": f"Bearer {key}"}
  141. async with aiohttp.ClientSession(timeout=timeout) as session:
  142. async with session.get(url, headers=headers) as response:
  143. return await response.json()
  144. except Exception as e:
  145. # Handle connection error here
  146. log.error(f"Connection error: {e}")
  147. return None
  148. def merge_models_lists(model_lists):
  149. log.debug(f"merge_models_lists {model_lists}")
  150. merged_list = []
  151. for idx, models in enumerate(model_lists):
  152. if models is not None and "error" not in models:
  153. merged_list.extend(
  154. [
  155. {
  156. **model,
  157. "name": model.get("name", model["id"]),
  158. "owned_by": "openai",
  159. "openai": model,
  160. "urlIdx": idx,
  161. }
  162. for model in models
  163. if "api.openai.com"
  164. not in app.state.config.OPENAI_API_BASE_URLS[idx]
  165. or "gpt" in model["id"]
  166. ]
  167. )
  168. return merged_list
  169. async def get_all_models(raw: bool = False):
  170. log.info("get_all_models()")
  171. if (
  172. len(app.state.config.OPENAI_API_KEYS) == 1
  173. and app.state.config.OPENAI_API_KEYS[0] == ""
  174. ) or not app.state.config.ENABLE_OPENAI_API:
  175. models = {"data": []}
  176. else:
  177. tasks = [
  178. fetch_url(f"{url}/models", app.state.config.OPENAI_API_KEYS[idx])
  179. for idx, url in enumerate(app.state.config.OPENAI_API_BASE_URLS)
  180. ]
  181. responses = await asyncio.gather(*tasks)
  182. log.debug(f"get_all_models:responses() {responses}")
  183. if raw:
  184. return responses
  185. models = {
  186. "data": merge_models_lists(
  187. list(
  188. map(
  189. lambda response: (
  190. response["data"]
  191. if (response and "data" in response)
  192. else (response if isinstance(response, list) else None)
  193. ),
  194. responses,
  195. )
  196. )
  197. )
  198. }
  199. log.debug(f"models: {models}")
  200. app.state.MODELS = {model["id"]: model for model in models["data"]}
  201. return models
  202. @app.get("/models")
  203. @app.get("/models/{url_idx}")
  204. async def get_models(url_idx: Optional[int] = None, user=Depends(get_current_user)):
  205. if url_idx == None:
  206. models = await get_all_models()
  207. if app.state.config.ENABLE_MODEL_FILTER:
  208. if user.role == "user":
  209. models["data"] = list(
  210. filter(
  211. lambda model: model["id"] in app.state.config.MODEL_FILTER_LIST,
  212. models["data"],
  213. )
  214. )
  215. return models
  216. return models
  217. else:
  218. url = app.state.config.OPENAI_API_BASE_URLS[url_idx]
  219. key = app.state.config.OPENAI_API_KEYS[url_idx]
  220. headers = {}
  221. headers["Authorization"] = f"Bearer {key}"
  222. headers["Content-Type"] = "application/json"
  223. r = None
  224. try:
  225. r = requests.request(method="GET", url=f"{url}/models", headers=headers)
  226. r.raise_for_status()
  227. response_data = r.json()
  228. if "api.openai.com" in url:
  229. response_data["data"] = list(
  230. filter(lambda model: "gpt" in model["id"], response_data["data"])
  231. )
  232. return response_data
  233. except Exception as e:
  234. log.exception(e)
  235. error_detail = "Open WebUI: Server Connection Error"
  236. if r is not None:
  237. try:
  238. res = r.json()
  239. if "error" in res:
  240. error_detail = f"External: {res['error']}"
  241. except:
  242. error_detail = f"External: {e}"
  243. raise HTTPException(
  244. status_code=r.status_code if r else 500,
  245. detail=error_detail,
  246. )
  247. @app.api_route("/{path:path}", methods=["GET", "POST", "PUT", "DELETE"])
  248. async def proxy(path: str, request: Request, user=Depends(get_verified_user)):
  249. idx = 0
  250. body = await request.body()
  251. # TODO: Remove below after gpt-4-vision fix from Open AI
  252. # Try to decode the body of the request from bytes to a UTF-8 string (Require add max_token to fix gpt-4-vision)
  253. payload = None
  254. try:
  255. if "chat/completions" in path:
  256. body = body.decode("utf-8")
  257. body = json.loads(body)
  258. payload = {**body}
  259. model_id = body.get("model")
  260. model_info = Models.get_model_by_id(model_id)
  261. if model_info:
  262. print(model_info)
  263. if model_info.base_model_id:
  264. payload["model"] = model_info.base_model_id
  265. model_info.params = model_info.params.model_dump()
  266. if model_info.params:
  267. if model_info.params.get("temperature", None):
  268. payload["temperature"] = int(
  269. model_info.params.get("temperature")
  270. )
  271. if model_info.params.get("top_p", None):
  272. payload["top_p"] = int(model_info.params.get("top_p", None))
  273. if model_info.params.get("max_tokens", None):
  274. payload["max_tokens"] = int(
  275. model_info.params.get("max_tokens", None)
  276. )
  277. if model_info.params.get("frequency_penalty", None):
  278. payload["frequency_penalty"] = int(
  279. model_info.params.get("frequency_penalty", None)
  280. )
  281. if model_info.params.get("seed", None):
  282. payload["seed"] = model_info.params.get("seed", None)
  283. if model_info.params.get("stop", None):
  284. payload["stop"] = (
  285. [
  286. bytes(stop, "utf-8").decode("unicode_escape")
  287. for stop in model_info.params["stop"]
  288. ]
  289. if model_info.params.get("stop", None)
  290. else None
  291. )
  292. if model_info.params.get("system", None):
  293. # Check if the payload already has a system message
  294. # If not, add a system message to the payload
  295. if payload.get("messages"):
  296. for message in payload["messages"]:
  297. if message.get("role") == "system":
  298. message["content"] = (
  299. model_info.params.get("system", None)
  300. + message["content"]
  301. )
  302. break
  303. else:
  304. payload["messages"].insert(
  305. 0,
  306. {
  307. "role": "system",
  308. "content": model_info.params.get("system", None),
  309. },
  310. )
  311. else:
  312. pass
  313. model = app.state.MODELS[payload.get("model")]
  314. idx = model["urlIdx"]
  315. if "pipeline" in model and model.get("pipeline"):
  316. payload["user"] = {"name": user.name, "id": user.id}
  317. payload["title"] = (
  318. True
  319. if payload["stream"] == False and payload["max_tokens"] == 50
  320. else False
  321. )
  322. # Check if the model is "gpt-4-vision-preview" and set "max_tokens" to 4000
  323. # This is a workaround until OpenAI fixes the issue with this model
  324. if payload.get("model") == "gpt-4-vision-preview":
  325. if "max_tokens" not in payload:
  326. payload["max_tokens"] = 4000
  327. log.debug("Modified payload:", payload)
  328. # Convert the modified body back to JSON
  329. payload = json.dumps(payload)
  330. except json.JSONDecodeError as e:
  331. log.error("Error loading request body into a dictionary:", e)
  332. print(payload)
  333. url = app.state.config.OPENAI_API_BASE_URLS[idx]
  334. key = app.state.config.OPENAI_API_KEYS[idx]
  335. target_url = f"{url}/{path}"
  336. headers = {}
  337. headers["Authorization"] = f"Bearer {key}"
  338. headers["Content-Type"] = "application/json"
  339. r = None
  340. try:
  341. r = requests.request(
  342. method=request.method,
  343. url=target_url,
  344. data=payload if payload else body,
  345. headers=headers,
  346. stream=True,
  347. )
  348. r.raise_for_status()
  349. # Check if response is SSE
  350. if "text/event-stream" in r.headers.get("Content-Type", ""):
  351. return StreamingResponse(
  352. r.iter_content(chunk_size=8192),
  353. status_code=r.status_code,
  354. headers=dict(r.headers),
  355. )
  356. else:
  357. response_data = r.json()
  358. return response_data
  359. except Exception as e:
  360. log.exception(e)
  361. error_detail = "Open WebUI: Server Connection Error"
  362. if r is not None:
  363. try:
  364. res = r.json()
  365. print(res)
  366. if "error" in res:
  367. error_detail = f"External: {res['error']['message'] if 'message' in res['error'] else res['error']}"
  368. except:
  369. error_detail = f"External: {e}"
  370. raise HTTPException(
  371. status_code=r.status_code if r else 500, detail=error_detail
  372. )