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
|
from __future__ import annotations
import json
from aiohttp import ClientSession, ClientTimeout, ClientError
from ...typing import AsyncResult, Messages
from ..base_provider import AsyncGeneratorProvider, ProviderModelMixin
class NexraBlackbox(AsyncGeneratorProvider, ProviderModelMixin):
label = "Nexra Blackbox"
url = "https://nexra.aryahcr.cc/documentation/blackbox/en"
api_endpoint = "https://nexra.aryahcr.cc/api/chat/complements"
working = False
supports_stream = True
default_model = 'blackbox'
models = [default_model]
model_aliases = {
"blackboxai": "blackbox",
}
@classmethod
def get_model(cls, model: str) -> str:
if model in cls.models:
return model
elif model in cls.model_aliases:
return cls.model_aliases[model]
else:
return cls.default_model
@classmethod
async def create_async_generator(
cls,
model: str,
messages: Messages,
proxy: str = None,
stream: bool = False,
markdown: bool = False,
websearch: bool = False,
**kwargs
) -> AsyncResult:
model = cls.get_model(model)
headers = {
"Content-Type": "application/json"
}
payload = {
"messages": [{"role": msg["role"], "content": msg["content"]} for msg in messages],
"websearch": websearch,
"stream": stream,
"markdown": markdown,
"model": model
}
timeout = ClientTimeout(total=600) # 10 minutes timeout
try:
async with ClientSession(headers=headers, timeout=timeout) as session:
async with session.post(cls.api_endpoint, json=payload, proxy=proxy) as response:
if response.status != 200:
error_text = await response.text()
raise Exception(f"Error: {response.status} - {error_text}")
content = await response.text()
# Split content by Record Separator character
parts = content.split('\x1e')
full_message = ""
links = []
for part in parts:
if part:
try:
json_response = json.loads(part)
if json_response.get("message"):
full_message = json_response["message"] # Overwrite instead of append
if isinstance(json_response.get("search"), list):
links = json_response["search"] # Overwrite instead of extend
if json_response.get("finish", False):
break
except json.JSONDecodeError:
pass
if full_message:
yield full_message.strip()
if payload["websearch"] and links:
yield "\n\n**Source:**"
for i, link in enumerate(links, start=1):
yield f"\n{i}. {link['title']}: {link['link']}"
except ClientError:
raise
except Exception:
raise
|