File size: 13,478 Bytes
0dd82d9 | 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 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 | """
API OpenAI-compatible wrappant aifreeforever.com
Endpoints :
GET /v1/models
POST /v1/chat/completions (stream=false & stream=true)
"""
import asyncio, json, time, uuid
from typing import Optional
from fastapi import FastAPI, HTTPException
from fastapi.responses import StreamingResponse
from pydantic import BaseModel
from playwright.async_api import async_playwright, Page, TimeoutError as PWTimeout
# ββββββββββββββββββββββββββββββββββββββββ
# FastAPI
# ββββββββββββββββββββββββββββββββββββββββ
app = FastAPI(title="Free Chat API")
# Limite 1 requΓͺte Playwright Γ la fois (free tier = peu de RAM)
SEM = asyncio.Semaphore(1)
MODEL_NAME = "aifreeforever"
# ββββββββββββββββββββββββββββββββββββββββ
# Modèles Pydantic (format OpenAI)
# ββββββββββββββββββββββββββββββββββββββββ
class Message(BaseModel):
role: str
content: str
class ChatRequest(BaseModel):
model: Optional[str] = MODEL_NAME
messages: list[Message]
stream: Optional[bool] = False
temperature: Optional[float] = None
max_tokens: Optional[int] = None
# ββββββββββββββββββββββββββββββββββββββββ
# CONFIG PLAYWRIGHT
# ββββββββββββββββββββββββββββββββββββββββ
URL = "https://aifreeforever.com/tools/free-chatgpt-no-login"
HEADLESS = True
MAX_RETRIES = 5
SEL_TEXTAREA = 'textarea[placeholder*="Ask anything"]'
SEL_SEND_BTN = 'button.absolute.right-3.top-4.w-10.h-10'
SEL_BOT_MSG = '.flex.justify-start .rounded-2xl.shadow-sm.bg-white.border.border-gray-100'
SEL_BOT_CONTENT = '.markdown-content'
SEL_ACCEPT_BTN = 'button:has-text("Accept & Continue")'
SEL_AGE_BTN = 'button:has-text("13 and Over")'
SEL_COPY_BTN = (
'button.text-xs.text-gray-500.flex.items-center.gap-1'
'.px-2.py-1.rounded-md.transition-colors:has-text("Copy")'
)
SEL_ERROR_MSG = 'p.text-red-600:has-text("Failed to send message")'
COOKIE_SELECTORS = [
'button.unic-agree-all-button',
'button:has-text("Accepter et continuer")',
'button:has-text("Accepter tout")',
'button:has-text("Accept all")',
'button:has-text("Accept All")',
'button:has-text("I agree")',
]
AD_SELECTORS = [
'button:has(path[fill="#1D1D1B"][opacity="0.7"])',
'button:has(path[style*="stroke: rgb(255, 255, 255)"][style*="stroke-width: 6.353"])',
'button[aria-label*="close" i]',
'button[aria-label*="fermer" i]',
'button[title*="close" i]',
'button:has-text("Γ")',
'button:has-text("β")',
'button:has-text("Close")',
'[class*="close-btn"]',
]
# ββββββββββββββββββββββββββββββββββββββββ
# HELPERS PLAYWRIGHT (identiques au script)
# ββββββββββββββββββββββββββββββββββββββββ
async def _try_click(page: Page, selector: str, timeout: int) -> bool:
try:
btn = page.locator(selector).first
await btn.wait_for(state="visible", timeout=timeout)
await btn.click()
return True
except PWTimeout:
return False
async def click_first_visible(page: Page, selectors: list[str], timeout: int = 4000):
tasks = [_try_click(page, sel, timeout) for sel in selectors]
results = await asyncio.gather(*tasks, return_exceptions=True)
return any(r is True for r in results)
async def click_if_visible(page: Page, selector: str, timeout: int = 8000) -> bool:
return await _try_click(page, selector, timeout)
async def send_with_retry(page: Page, prompt: str) -> bool:
for attempt in range(1, MAX_RETRIES + 1):
if attempt > 1:
await page.locator(SEL_TEXTAREA).fill(prompt)
await page.locator(SEL_SEND_BTN).click(timeout=15_000)
await asyncio.sleep(2)
if await page.locator(SEL_ERROR_MSG).count() == 0:
return True
return False
async def try_copy_button(page: Page) -> str | None:
try:
msgs = page.locator(SEL_BOT_MSG)
count = await msgs.count()
if count == 0:
return None
last_msg = None
for i in range(count - 1, -1, -1):
msg = msgs.nth(i)
if await msg.locator(SEL_BOT_CONTENT).count() > 0:
last_msg = msg
break
if last_msg is None:
last_msg = msgs.nth(count - 1)
copy_btn = last_msg.locator(SEL_COPY_BTN)
await copy_btn.wait_for(state="visible", timeout=3000)
await copy_btn.click()
await asyncio.sleep(0.8)
text = await page.evaluate("async () => navigator.clipboard.readText()")
if text and len(text.strip()) > 20:
return text.strip()
except Exception:
pass
return None
async def scrape_last_bot_message(page: Page) -> str | None:
try:
msgs = page.locator(SEL_BOT_MSG)
count = await msgs.count()
for i in range(count - 1, -1, -1):
msg = msgs.nth(i)
content_el = msg.locator(SEL_BOT_CONTENT)
if await content_el.count() > 0:
text = (await content_el.first.inner_text()).strip()
if len(text) > 20:
return text
else:
text = (await msg.inner_text()).strip()
if len(text) > 80 and "Accept & Continue" not in text:
return text
except Exception:
pass
return None
async def get_response(page: Page) -> str:
text = await try_copy_button(page)
if text:
return text
return await scrape_last_bot_message(page) or ""
async def wait_for_stream_end(page: Page, timeout_s: int = 120) -> None:
prev_text = ""
stable = 0
elapsed = 0.0
interval = 0.6
while elapsed < timeout_s:
await asyncio.sleep(interval)
elapsed += interval
msgs = page.locator(SEL_BOT_MSG)
count = await msgs.count()
if count == 0:
continue
current = ""
for i in range(count - 1, -1, -1):
content_el = msgs.nth(i).locator(SEL_BOT_CONTENT)
if await content_el.count() > 0:
t = (await content_el.first.inner_text()).strip()
if len(t) > 20:
current = t
break
if not current:
continue
if current != prev_text:
stable = 0
else:
stable += 1
if stable >= 3:
try:
await msgs.nth(count - 1).locator(SEL_COPY_BTN).wait_for(
state="visible", timeout=1500
)
return
except PWTimeout:
stable = 0
prev_text = current
# ββββββββββββββββββββββββββββββββββββββββ
# CΕUR : envoie un prompt, rΓ©cupΓ¨re la rΓ©ponse
# ββββββββββββββββββββββββββββββββββββββββ
async def chat(prompt: str) -> str:
async with async_playwright() as p:
browser = await p.chromium.launch(
headless=HEADLESS,
args=[
"--disable-blink-features=AutomationControlled",
"--disable-extensions", "--disable-default-apps",
"--no-first-run", "--no-sandbox", "--disable-gpu",
"--disable-dev-shm-usage",
"--window-size=1280,720",
],
)
context = await browser.new_context(
user_agent=(
"Mozilla/5.0 (Windows NT 10.0; Win64; x64) "
"AppleWebKit/537.36 (KHTML, like Gecko) "
"Chrome/124.0.0.0 Safari/537.36"
),
viewport={"width": 1280, "height": 720},
permissions=["clipboard-read", "clipboard-write"],
java_script_enabled=True,
)
await context.route(
"**/*",
lambda route: route.abort()
if route.request.resource_type in ("image", "media", "font")
else route.continue_(),
)
page = await context.new_page()
try:
await page.goto(URL, wait_until="domcontentloaded", timeout=60_000)
await asyncio.gather(
click_first_visible(page, AD_SELECTORS, timeout=3000),
click_first_visible(page, COOKIE_SELECTORS, timeout=5000),
)
await page.wait_for_selector(SEL_TEXTAREA, timeout=30_000)
await page.locator(SEL_TEXTAREA).fill(prompt)
if not await send_with_retry(page, prompt):
return ""
await asyncio.gather(
click_if_visible(page, SEL_AGE_BTN, timeout=8000),
click_if_visible(page, SEL_ACCEPT_BTN, timeout=8000),
)
await wait_for_stream_end(page, timeout_s=120)
response = await get_response(page)
finally:
await browser.close()
return response
# ββββββββββββββββββββββββββββββββββββββββ
# HELPERS FORMAT OPENAI
# ββββββββββββββββββββββββββββββββββββββββ
def _make_id():
return f"chatcmpl-{uuid.uuid4().hex[:29]}"
def _completion_response(content: str, model: str) -> dict:
return {
"id": _make_id(),
"object": "chat.completion",
"created": int(time.time()),
"model": model,
"choices": [
{
"index": 0,
"message": {"role": "assistant", "content": content},
"finish_reason": "stop",
}
],
"usage": {
"prompt_tokens": 0,
"completion_tokens": 0,
"total_tokens": 0,
},
}
async def _stream_chunks(content: str, model: str):
"""Génère des SSE au format OpenAI streaming."""
cid = _make_id()
created = int(time.time())
# Premier chunk (role)
chunk = {
"id": cid, "object": "chat.completion.chunk",
"created": created, "model": model,
"choices": [{"index": 0, "delta": {"role": "assistant", "content": ""}, "finish_reason": None}],
}
yield f"data: {json.dumps(chunk)}\n\n"
# Contenu dΓ©coupΓ© mot par mot
words = content.split(" ")
for i, word in enumerate(words):
token = word if i == 0 else f" {word}"
chunk = {
"id": cid, "object": "chat.completion.chunk",
"created": created, "model": model,
"choices": [{"index": 0, "delta": {"content": token}, "finish_reason": None}],
}
yield f"data: {json.dumps(chunk)}\n\n"
await asyncio.sleep(0.02)
# Dernier chunk
chunk = {
"id": cid, "object": "chat.completion.chunk",
"created": created, "model": model,
"choices": [{"index": 0, "delta": {}, "finish_reason": "stop"}],
}
yield f"data: {json.dumps(chunk)}\n\n"
yield "data: [DONE]\n\n"
# ββββββββββββββββββββββββββββββββββββββββ
# ENDPOINTS
# ββββββββββββββββββββββββββββββββββββββββ
@app.get("/")
async def root():
return {"status": "ok", "message": "OpenAI-compatible API. Use /v1/chat/completions"}
@app.get("/v1/models")
async def list_models():
return {
"object": "list",
"data": [
{
"id": MODEL_NAME,
"object": "model",
"created": 1700000000,
"owned_by": "aifreeforever",
}
],
}
@app.post("/v1/chat/completions")
async def chat_completions(req: ChatRequest):
# Construire le prompt Γ partir des messages
# On prend le dernier message user, ou on concatène tout
parts = []
for m in req.messages:
if m.role == "system":
parts.append(f"[System] {m.content}")
elif m.role == "user":
parts.append(f"{m.content}")
elif m.role == "assistant":
parts.append(f"[Assistant] {m.content}")
prompt = "\n\n".join(parts)
if not prompt.strip():
raise HTTPException(status_code=400, detail="Empty prompt")
# SΓ©maphore : 1 seule requΓͺte Playwright Γ la fois
async with SEM:
try:
content = await chat(prompt)
except Exception as e:
raise HTTPException(status_code=500, detail=str(e))
if not content:
raise HTTPException(status_code=502, detail="No response from upstream")
model = req.model or MODEL_NAME
# Streaming
if req.stream:
return StreamingResponse(
_stream_chunks(content, model),
media_type="text/event-stream",
)
# Non-streaming
return _completion_response(content, model) |