Update main.py
Browse files
main.py
CHANGED
@@ -1,5 +1,3 @@
|
|
1 |
-
from __future__ import annotations
|
2 |
-
|
3 |
import os
|
4 |
import re
|
5 |
import random
|
@@ -55,8 +53,7 @@ async def cleanup_rate_limit_stores():
|
|
55 |
"""
|
56 |
while True:
|
57 |
current_time = time.time()
|
58 |
-
ips_to_delete = [ip for ip, value in rate_limit_store.items()
|
59 |
-
if current_time - value["timestamp"] > RATE_LIMIT_WINDOW * 2]
|
60 |
for ip in ips_to_delete:
|
61 |
del rate_limit_store[ip]
|
62 |
logger.debug(f"Cleaned up rate_limit_store for IP: {ip}")
|
@@ -121,7 +118,6 @@ class Blackbox:
|
|
121 |
models = [
|
122 |
default_model,
|
123 |
'blackboxai-pro',
|
124 |
-
*image_models,
|
125 |
"llama-3.1-8b",
|
126 |
'llama-3.1-70b',
|
127 |
'llama-3.1-405b',
|
@@ -142,6 +138,8 @@ class Blackbox:
|
|
142 |
'ReactAgent',
|
143 |
'XcodeAgent',
|
144 |
'AngularJSAgent',
|
|
|
|
|
145 |
]
|
146 |
|
147 |
# Filter models based on AVAILABLE_MODELS
|
@@ -150,6 +148,7 @@ class Blackbox:
|
|
150 |
|
151 |
agentMode = {
|
152 |
'ImageGeneration': {'mode': True, 'id': "ImageGenerationLV45LJp", 'name': "Image Generation"},
|
|
|
153 |
}
|
154 |
trendingAgentMode = {
|
155 |
"blackboxai": {},
|
@@ -198,65 +197,33 @@ class Blackbox:
|
|
198 |
'AngularJSAgent': '@AngularJS Agent',
|
199 |
'blackboxai-pro': '@BLACKBOXAI-PRO',
|
200 |
'ImageGeneration': '@Image Generation',
|
|
|
201 |
}
|
202 |
|
203 |
model_referers = {
|
204 |
-
"blackboxai": "/?model=blackboxai",
|
205 |
-
"gpt-4o": "/?model=gpt-4o",
|
206 |
-
"gemini-pro": "/?model=gemini-pro",
|
207 |
-
"claude-sonnet-3.5": "/?model=claude-sonnet-3.5"
|
208 |
}
|
209 |
|
210 |
model_aliases = {
|
211 |
"gemini-flash": "gemini-1.5-flash",
|
212 |
"claude-3.5-sonnet": "claude-sonnet-3.5",
|
213 |
"flux": "ImageGeneration",
|
|
|
214 |
}
|
215 |
|
216 |
@classmethod
|
217 |
-
def get_model(cls, model: str) -> str:
|
218 |
if model in cls.models:
|
219 |
return model
|
220 |
-
elif model in cls.
|
|
|
|
|
221 |
return cls.model_aliases[model]
|
222 |
else:
|
223 |
-
return cls.default_model
|
224 |
-
|
225 |
-
@staticmethod
|
226 |
-
def generate_random_string(length: int = 7) -> str:
|
227 |
-
characters = string.ascii_letters + string.digits
|
228 |
-
return ''.join(random.choices(characters, k=length))
|
229 |
-
|
230 |
-
@staticmethod
|
231 |
-
def generate_next_action() -> str:
|
232 |
-
return uuid.uuid4().hex
|
233 |
-
|
234 |
-
@staticmethod
|
235 |
-
def generate_next_router_state_tree() -> str:
|
236 |
-
router_state = [
|
237 |
-
"",
|
238 |
-
{
|
239 |
-
"children": [
|
240 |
-
"(chat)",
|
241 |
-
{
|
242 |
-
"children": [
|
243 |
-
"__PAGE__",
|
244 |
-
{}
|
245 |
-
]
|
246 |
-
}
|
247 |
-
]
|
248 |
-
},
|
249 |
-
None,
|
250 |
-
None,
|
251 |
-
True
|
252 |
-
]
|
253 |
-
return json.dumps(router_state)
|
254 |
-
|
255 |
-
@staticmethod
|
256 |
-
def clean_response(text: str) -> str:
|
257 |
-
pattern = r'^\$\@\$v=undefined-rv1\$\@\$'
|
258 |
-
cleaned_text = re.sub(pattern, '', text)
|
259 |
-
return cleaned_text
|
260 |
|
261 |
@classmethod
|
262 |
async def create_async_generator(
|
@@ -264,87 +231,73 @@ class Blackbox:
|
|
264 |
model: str,
|
265 |
messages: List[Dict[str, str]],
|
266 |
proxy: Optional[str] = None,
|
|
|
|
|
267 |
websearch: bool = False,
|
268 |
**kwargs
|
269 |
-
) -> AsyncGenerator[
|
270 |
-
"""
|
271 |
-
Creates an asynchronous generator for streaming responses from Blackbox AI.
|
272 |
-
|
273 |
-
Parameters:
|
274 |
-
model (str): Model to use for generating responses.
|
275 |
-
messages (List[Dict[str, str]]): Message history.
|
276 |
-
proxy (Optional[str]): Proxy URL, if needed.
|
277 |
-
websearch (bool): Enables or disables web search mode.
|
278 |
-
**kwargs: Additional keyword arguments.
|
279 |
-
|
280 |
-
Yields:
|
281 |
-
Union[str, ImageResponse]: Segments of the generated response or ImageResponse objects.
|
282 |
-
"""
|
283 |
model = cls.get_model(model)
|
|
|
|
|
|
|
284 |
|
285 |
-
|
286 |
-
next_action = cls.generate_next_action()
|
287 |
-
next_router_state_tree = cls.generate_next_router_state_tree()
|
288 |
|
289 |
-
|
290 |
-
|
291 |
-
|
292 |
-
prefix = cls.model_prefixes.get(model, "")
|
293 |
-
|
294 |
-
formatted_prompt = ""
|
295 |
-
for message in messages:
|
296 |
-
role = message.get('role', '').capitalize()
|
297 |
-
content = message.get('content', '')
|
298 |
-
if role and content:
|
299 |
-
formatted_prompt += f"{role}: {content}\n"
|
300 |
|
301 |
-
|
302 |
-
|
303 |
-
|
304 |
-
|
305 |
-
|
306 |
-
|
307 |
-
|
308 |
-
|
309 |
-
|
310 |
-
|
311 |
-
|
312 |
-
|
313 |
-
|
314 |
-
|
315 |
-
|
316 |
-
|
317 |
-
'sec-fetch-dest': 'empty',
|
318 |
-
'sec-fetch-mode': 'cors',
|
319 |
-
'sec-fetch-site': 'same-origin',
|
320 |
-
'user-agent': 'Mozilla/5.0 (X11; Linux x86_64) '
|
321 |
-
'AppleWebKit/537.36 (KHTML, like Gecko) '
|
322 |
-
'Chrome/129.0.0.0 Safari/537.36'
|
323 |
}
|
324 |
|
325 |
-
|
326 |
-
|
327 |
-
'
|
328 |
-
|
329 |
-
|
330 |
-
|
331 |
-
|
332 |
-
|
333 |
-
|
334 |
-
|
335 |
-
|
336 |
-
|
337 |
-
|
338 |
-
|
339 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
340 |
"previewToken": None,
|
341 |
"userId": None,
|
342 |
"codeModelMode": True,
|
343 |
-
"agentMode":
|
344 |
-
"trendingAgentMode":
|
345 |
"isMicMode": False,
|
346 |
"userSystemPrompt": None,
|
347 |
-
"maxTokens":
|
348 |
"playgroundTopP": 0.9,
|
349 |
"playgroundTemperature": 0.5,
|
350 |
"isChromeExt": False,
|
@@ -354,102 +307,81 @@ class Blackbox:
|
|
354 |
"clickedForceWebSearch": False,
|
355 |
"visitFromDelta": False,
|
356 |
"mobileClient": False,
|
|
|
357 |
"webSearchMode": websearch,
|
358 |
-
"userSelectedModel": cls.userSelectedModel.get(model, model)
|
359 |
}
|
360 |
|
361 |
-
|
362 |
-
|
363 |
-
|
364 |
-
|
365 |
-
|
366 |
-
|
367 |
-
|
368 |
-
}
|
369 |
-
headers_chat_combined = {**common_headers, **headers_chat}
|
370 |
|
371 |
-
|
|
|
372 |
|
373 |
-
|
374 |
try:
|
375 |
-
async with session
|
376 |
-
cls.api_endpoint,
|
377 |
-
|
378 |
-
|
379 |
-
|
380 |
-
|
381 |
-
|
382 |
-
|
383 |
-
|
384 |
-
|
385 |
-
|
386 |
-
match = re.search(r'!\[.*?\]\((https?://[^\)]+)\)', cleaned_response)
|
387 |
-
if match:
|
388 |
-
image_url = match.group(1)
|
389 |
-
image_response = ImageResponse(url=image_url, alt="Generated Image")
|
390 |
-
yield image_response
|
391 |
-
else:
|
392 |
-
yield cleaned_response
|
393 |
-
else:
|
394 |
-
if websearch:
|
395 |
-
match = re.search(r'\$~~~\$(.*?)\$~~~\$', cleaned_response, re.DOTALL)
|
396 |
-
if match:
|
397 |
-
source_part = match.group(1).strip()
|
398 |
-
answer_part = cleaned_response[match.end():].strip()
|
399 |
-
try:
|
400 |
-
sources = json.loads(source_part)
|
401 |
-
source_formatted = "**Sources:**\n"
|
402 |
-
for item in sources:
|
403 |
-
title = item.get('title', 'No Title')
|
404 |
-
link = item.get('link', '#')
|
405 |
-
position = item.get('position', '')
|
406 |
-
source_formatted += f"{position}. [{title}]({link})\n"
|
407 |
-
final_response = f"{answer_part}\n\n{source_formatted}"
|
408 |
-
except json.JSONDecodeError:
|
409 |
-
final_response = f"{answer_part}\n\nSource information is unavailable."
|
410 |
else:
|
411 |
-
|
|
|
412 |
else:
|
413 |
-
|
414 |
-
|
415 |
-
|
416 |
-
|
417 |
-
|
418 |
-
|
419 |
-
|
420 |
-
|
421 |
-
|
422 |
-
|
423 |
-
|
424 |
-
|
425 |
-
|
426 |
-
|
427 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
428 |
except Exception as e:
|
429 |
-
|
430 |
-
|
431 |
-
|
432 |
-
|
433 |
-
try:
|
434 |
-
async with session.post(
|
435 |
-
chat_url,
|
436 |
-
headers=headers_chat_combined,
|
437 |
-
data=data_chat,
|
438 |
-
proxy=proxy
|
439 |
-
) as response_chat:
|
440 |
-
response_chat.raise_for_status()
|
441 |
-
pass
|
442 |
-
except ClientResponseError as e:
|
443 |
-
error_text = f"Error {e.status}: {e.message}"
|
444 |
-
try:
|
445 |
-
error_response = await e.response.text()
|
446 |
-
cleaned_error = cls.clean_response(error_response)
|
447 |
-
error_text += f" - {cleaned_error}"
|
448 |
-
except Exception:
|
449 |
-
pass
|
450 |
-
yield error_text
|
451 |
-
except Exception as e:
|
452 |
-
yield f"Unexpected error during /chat/{chat_id} request: {str(e)}"
|
453 |
|
454 |
# FastAPI app setup
|
455 |
app = FastAPI()
|
@@ -501,7 +433,7 @@ class ChatRequest(BaseModel):
|
|
501 |
frequency_penalty: Optional[float] = 0.0
|
502 |
logit_bias: Optional[Dict[str, float]] = None
|
503 |
user: Optional[str] = None
|
504 |
-
|
505 |
|
506 |
class TokenizerRequest(BaseModel):
|
507 |
text: str
|
@@ -534,7 +466,6 @@ def create_response(content: str, model: str, finish_reason: Optional[str] = Non
|
|
534 |
"usage": None, # To be filled in non-streaming responses
|
535 |
}
|
536 |
|
537 |
-
# Existing /v1/chat/completions Endpoint
|
538 |
@app.post("/v1/chat/completions", dependencies=[Depends(rate_limiter_per_ip)])
|
539 |
async def chat_completions(request: ChatRequest, req: Request, api_key: str = Depends(get_api_key)):
|
540 |
client_ip = req.client.host
|
@@ -555,7 +486,7 @@ async def chat_completions(request: ChatRequest, req: Request, api_key: str = De
|
|
555 |
messages=[{"role": msg.role, "content": msg.content} for msg in request.messages], # Actual message content used here
|
556 |
image=None,
|
557 |
image_name=None,
|
558 |
-
|
559 |
)
|
560 |
|
561 |
if request.stream:
|
@@ -675,45 +606,6 @@ async def chat_completions(request: ChatRequest, req: Request, api_key: str = De
|
|
675 |
logger.exception(f"An unexpected error occurred while processing the chat completions request from IP: {client_ip}.")
|
676 |
raise HTTPException(status_code=500, detail=str(e))
|
677 |
|
678 |
-
# New Web Search Endpoint
|
679 |
-
class WebSearchRequest(BaseModel):
|
680 |
-
query: str
|
681 |
-
num_results: Optional[int] = 5
|
682 |
-
|
683 |
-
@app.post("/v1/websearch", dependencies=[Depends(rate_limiter_per_ip)])
|
684 |
-
async def web_search(request: WebSearchRequest, req: Request, api_key: str = Depends(get_api_key)):
|
685 |
-
"""
|
686 |
-
Handles web search requests.
|
687 |
-
|
688 |
-
Parameters:
|
689 |
-
query (str): The search query.
|
690 |
-
num_results (int): Number of search results to return.
|
691 |
-
|
692 |
-
Returns:
|
693 |
-
JSONResponse: Contains the search results.
|
694 |
-
"""
|
695 |
-
client_ip = req.client.host
|
696 |
-
logger.info(f"Received web search request from API key: {api_key} | IP: {client_ip} | Query: {request.query} | Num Results: {request.num_results}")
|
697 |
-
|
698 |
-
# Implement your web search logic here.
|
699 |
-
# This is a mock implementation. Replace it with actual web search integration.
|
700 |
-
|
701 |
-
try:
|
702 |
-
# Mock search results
|
703 |
-
search_results = []
|
704 |
-
for i in range(1, request.num_results + 1):
|
705 |
-
search_results.append({
|
706 |
-
"position": i,
|
707 |
-
"title": f"Sample Search Result {i} for '{request.query}'",
|
708 |
-
"link": f"https://www.example.com/search-result-{i}"
|
709 |
-
})
|
710 |
-
|
711 |
-
logger.info(f"Web search completed for query: {request.query}")
|
712 |
-
return {"results": search_results}
|
713 |
-
except Exception as e:
|
714 |
-
logger.exception(f"An error occurred during web search from IP: {client_ip}.")
|
715 |
-
raise HTTPException(status_code=500, detail="An error occurred during web search.")
|
716 |
-
|
717 |
# Endpoint: POST /v1/tokenizer
|
718 |
@app.post("/v1/tokenizer", dependencies=[Depends(rate_limiter_per_ip)])
|
719 |
async def tokenizer(request: TokenizerRequest, req: Request):
|
|
|
|
|
|
|
1 |
import os
|
2 |
import re
|
3 |
import random
|
|
|
53 |
"""
|
54 |
while True:
|
55 |
current_time = time.time()
|
56 |
+
ips_to_delete = [ip for ip, value in rate_limit_store.items() if current_time - value["timestamp"] > RATE_LIMIT_WINDOW * 2]
|
|
|
57 |
for ip in ips_to_delete:
|
58 |
del rate_limit_store[ip]
|
59 |
logger.debug(f"Cleaned up rate_limit_store for IP: {ip}")
|
|
|
118 |
models = [
|
119 |
default_model,
|
120 |
'blackboxai-pro',
|
|
|
121 |
"llama-3.1-8b",
|
122 |
'llama-3.1-70b',
|
123 |
'llama-3.1-405b',
|
|
|
138 |
'ReactAgent',
|
139 |
'XcodeAgent',
|
140 |
'AngularJSAgent',
|
141 |
+
*image_models,
|
142 |
+
'Niansuh',
|
143 |
]
|
144 |
|
145 |
# Filter models based on AVAILABLE_MODELS
|
|
|
148 |
|
149 |
agentMode = {
|
150 |
'ImageGeneration': {'mode': True, 'id': "ImageGenerationLV45LJp", 'name': "Image Generation"},
|
151 |
+
'Niansuh': {'mode': True, 'id': "NiansuhAIk1HgESy", 'name': "Niansuh"},
|
152 |
}
|
153 |
trendingAgentMode = {
|
154 |
"blackboxai": {},
|
|
|
197 |
'AngularJSAgent': '@AngularJS Agent',
|
198 |
'blackboxai-pro': '@BLACKBOXAI-PRO',
|
199 |
'ImageGeneration': '@Image Generation',
|
200 |
+
'Niansuh': '@Niansuh',
|
201 |
}
|
202 |
|
203 |
model_referers = {
|
204 |
+
"blackboxai": f"{url}/?model=blackboxai",
|
205 |
+
"gpt-4o": f"{url}/?model=gpt-4o",
|
206 |
+
"gemini-pro": f"{url}/?model=gemini-pro",
|
207 |
+
"claude-sonnet-3.5": f"{url}/?model=claude-sonnet-3.5"
|
208 |
}
|
209 |
|
210 |
model_aliases = {
|
211 |
"gemini-flash": "gemini-1.5-flash",
|
212 |
"claude-3.5-sonnet": "claude-sonnet-3.5",
|
213 |
"flux": "ImageGeneration",
|
214 |
+
"niansuh": "Niansuh",
|
215 |
}
|
216 |
|
217 |
@classmethod
|
218 |
+
def get_model(cls, model: str) -> Optional[str]:
|
219 |
if model in cls.models:
|
220 |
return model
|
221 |
+
elif model in cls.userSelectedModel and cls.userSelectedModel[model] in cls.models:
|
222 |
+
return cls.userSelectedModel[model]
|
223 |
+
elif model in cls.model_aliases and cls.model_aliases[model] in cls.models:
|
224 |
return cls.model_aliases[model]
|
225 |
else:
|
226 |
+
return cls.default_model if cls.default_model in cls.models else None
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
227 |
|
228 |
@classmethod
|
229 |
async def create_async_generator(
|
|
|
231 |
model: str,
|
232 |
messages: List[Dict[str, str]],
|
233 |
proxy: Optional[str] = None,
|
234 |
+
image: Any = None,
|
235 |
+
image_name: Optional[str] = None,
|
236 |
websearch: bool = False,
|
237 |
**kwargs
|
238 |
+
) -> AsyncGenerator[Any, None]:
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
239 |
model = cls.get_model(model)
|
240 |
+
if model is None:
|
241 |
+
logger.error(f"Model {model} is not available.")
|
242 |
+
raise ModelNotWorkingException(model)
|
243 |
|
244 |
+
logger.info(f"Selected model: {model}")
|
|
|
|
|
245 |
|
246 |
+
if not cls.working or model not in cls.models:
|
247 |
+
logger.error(f"Model {model} is not working or not supported.")
|
248 |
+
raise ModelNotWorkingException(model)
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
249 |
|
250 |
+
headers = {
|
251 |
+
"accept": "*/*",
|
252 |
+
"accept-language": "en-US,en;q=0.9",
|
253 |
+
"cache-control": "no-cache",
|
254 |
+
"content-type": "application/json",
|
255 |
+
"origin": cls.url,
|
256 |
+
"pragma": "no-cache",
|
257 |
+
"priority": "u=1, i",
|
258 |
+
"referer": cls.model_referers.get(model, cls.url),
|
259 |
+
"sec-ch-ua": '"Chromium";v="129", "Not=A?Brand";v="8"',
|
260 |
+
"sec-ch-ua-mobile": "?0",
|
261 |
+
"sec-ch-ua-platform": '"Linux"',
|
262 |
+
"sec-fetch-dest": "empty",
|
263 |
+
"sec-fetch-mode": "cors",
|
264 |
+
"sec-fetch-site": "same-origin",
|
265 |
+
"user-agent": "Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/129.0.0.0 Safari/537.36",
|
|
|
|
|
|
|
|
|
|
|
|
|
266 |
}
|
267 |
|
268 |
+
if model in cls.model_prefixes:
|
269 |
+
prefix = cls.model_prefixes[model]
|
270 |
+
if not messages[0]['content'].startswith(prefix):
|
271 |
+
logger.debug(f"Adding prefix '{prefix}' to the first message.")
|
272 |
+
messages[0]['content'] = f"{prefix} {messages[0]['content']}"
|
273 |
+
|
274 |
+
random_id = ''.join(random.choices(string.ascii_letters + string.digits, k=7))
|
275 |
+
messages[-1]['id'] = random_id
|
276 |
+
messages[-1]['role'] = 'user'
|
277 |
+
|
278 |
+
# Don't log the full message content for privacy
|
279 |
+
logger.debug(f"Generated message ID: {random_id} for model: {model}")
|
280 |
+
|
281 |
+
if image is not None:
|
282 |
+
messages[-1]['data'] = {
|
283 |
+
'fileText': '',
|
284 |
+
'imageBase64': to_data_uri(image),
|
285 |
+
'title': image_name
|
286 |
+
}
|
287 |
+
messages[-1]['content'] = 'FILE:BB\n$#$\n\n$#$\n' + messages[-1]['content']
|
288 |
+
logger.debug("Image data added to the message.")
|
289 |
+
|
290 |
+
data = {
|
291 |
+
"messages": messages,
|
292 |
+
"id": random_id,
|
293 |
"previewToken": None,
|
294 |
"userId": None,
|
295 |
"codeModelMode": True,
|
296 |
+
"agentMode": {},
|
297 |
+
"trendingAgentMode": {},
|
298 |
"isMicMode": False,
|
299 |
"userSystemPrompt": None,
|
300 |
+
"maxTokens": 99999999,
|
301 |
"playgroundTopP": 0.9,
|
302 |
"playgroundTemperature": 0.5,
|
303 |
"isChromeExt": False,
|
|
|
307 |
"clickedForceWebSearch": False,
|
308 |
"visitFromDelta": False,
|
309 |
"mobileClient": False,
|
310 |
+
"userSelectedModel": None,
|
311 |
"webSearchMode": websearch,
|
|
|
312 |
}
|
313 |
|
314 |
+
if model in cls.agentMode:
|
315 |
+
data["agentMode"] = cls.agentMode[model]
|
316 |
+
elif model in cls.trendingAgentMode:
|
317 |
+
data["trendingAgentMode"] = cls.trendingAgentMode[model]
|
318 |
+
elif model in cls.userSelectedModel:
|
319 |
+
data["userSelectedModel"] = cls.userSelectedModel[model]
|
320 |
+
logger.info(f"Sending request to {cls.api_endpoint} with data (excluding messages).")
|
|
|
|
|
321 |
|
322 |
+
timeout = ClientTimeout(total=60) # Set an appropriate timeout
|
323 |
+
retry_attempts = 10 # Set the number of retry attempts
|
324 |
|
325 |
+
for attempt in range(retry_attempts):
|
326 |
try:
|
327 |
+
async with ClientSession(headers=headers, timeout=timeout) as session:
|
328 |
+
async with session.post(cls.api_endpoint, json=data, proxy=proxy) as response:
|
329 |
+
response.raise_for_status()
|
330 |
+
logger.info(f"Received response with status {response.status}")
|
331 |
+
if model == 'ImageGeneration':
|
332 |
+
response_text = await response.text()
|
333 |
+
url_match = re.search(r'https://storage\.googleapis\.com/[^\s\)]+', response_text)
|
334 |
+
if url_match:
|
335 |
+
image_url = url_match.group(0)
|
336 |
+
logger.info(f"Image URL found.")
|
337 |
+
yield ImageResponse(image_url, alt=messages[-1]['content'])
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
338 |
else:
|
339 |
+
logger.error("Image URL not found in the response.")
|
340 |
+
raise Exception("Image URL not found in the response")
|
341 |
else:
|
342 |
+
full_response = ""
|
343 |
+
search_results_json = ""
|
344 |
+
try:
|
345 |
+
async for chunk, _ in response.content.iter_chunks():
|
346 |
+
if chunk:
|
347 |
+
decoded_chunk = chunk.decode(errors='ignore')
|
348 |
+
decoded_chunk = re.sub(r'\$@\$v=[^$]+\$@\$', '', decoded_chunk)
|
349 |
+
if decoded_chunk.strip():
|
350 |
+
if '$~~~$' in decoded_chunk:
|
351 |
+
search_results_json += decoded_chunk
|
352 |
+
else:
|
353 |
+
full_response += decoded_chunk
|
354 |
+
yield decoded_chunk
|
355 |
+
logger.info("Finished streaming response chunks.")
|
356 |
+
except Exception as e:
|
357 |
+
logger.exception("Error while iterating over response chunks.")
|
358 |
+
raise e
|
359 |
+
if data["webSearchMode"] and search_results_json:
|
360 |
+
match = re.search(r'\$~~~\$(.*?)\$~~~\$', search_results_json, re.DOTALL)
|
361 |
+
if match:
|
362 |
+
try:
|
363 |
+
search_results = json.loads(match.group(1))
|
364 |
+
formatted_results = "\n\n**Sources:**\n"
|
365 |
+
for i, result in enumerate(search_results[:5], 1):
|
366 |
+
formatted_results += f"{i}. [{result['title']}]({result['link']})\n"
|
367 |
+
logger.info("Formatted search results.")
|
368 |
+
yield formatted_results
|
369 |
+
except json.JSONDecodeError as je:
|
370 |
+
logger.error("Failed to parse search results JSON.")
|
371 |
+
raise je
|
372 |
+
break # Exit the retry loop if successful
|
373 |
+
except ClientError as ce:
|
374 |
+
logger.error(f"Client error occurred: {ce}. Retrying attempt {attempt + 1}/{retry_attempts}")
|
375 |
+
if attempt == retry_attempts - 1:
|
376 |
+
raise HTTPException(status_code=502, detail="Error communicating with the external API.")
|
377 |
+
except asyncio.TimeoutError:
|
378 |
+
logger.error(f"Request timed out. Retrying attempt {attempt + 1}/{retry_attempts}")
|
379 |
+
if attempt == retry_attempts - 1:
|
380 |
+
raise HTTPException(status_code=504, detail="External API request timed out.")
|
381 |
except Exception as e:
|
382 |
+
logger.error(f"Unexpected error: {e}. Retrying attempt {attempt + 1}/{retry_attempts}")
|
383 |
+
if attempt == retry_attempts - 1:
|
384 |
+
raise HTTPException(status_code=500, detail=str(e))
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
385 |
|
386 |
# FastAPI app setup
|
387 |
app = FastAPI()
|
|
|
433 |
frequency_penalty: Optional[float] = 0.0
|
434 |
logit_bias: Optional[Dict[str, float]] = None
|
435 |
user: Optional[str] = None
|
436 |
+
websearch: Optional[bool] = False # Custom parameter
|
437 |
|
438 |
class TokenizerRequest(BaseModel):
|
439 |
text: str
|
|
|
466 |
"usage": None, # To be filled in non-streaming responses
|
467 |
}
|
468 |
|
|
|
469 |
@app.post("/v1/chat/completions", dependencies=[Depends(rate_limiter_per_ip)])
|
470 |
async def chat_completions(request: ChatRequest, req: Request, api_key: str = Depends(get_api_key)):
|
471 |
client_ip = req.client.host
|
|
|
486 |
messages=[{"role": msg.role, "content": msg.content} for msg in request.messages], # Actual message content used here
|
487 |
image=None,
|
488 |
image_name=None,
|
489 |
+
webSearchMode=request.webSearchMode
|
490 |
)
|
491 |
|
492 |
if request.stream:
|
|
|
606 |
logger.exception(f"An unexpected error occurred while processing the chat completions request from IP: {client_ip}.")
|
607 |
raise HTTPException(status_code=500, detail=str(e))
|
608 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
609 |
# Endpoint: POST /v1/tokenizer
|
610 |
@app.post("/v1/tokenizer", dependencies=[Depends(rate_limiter_per_ip)])
|
611 |
async def tokenizer(request: TokenizerRequest, req: Request):
|