File size: 24,552 Bytes
268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 1ea0a48 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 75e8c43 268c625 |
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 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 |
from fastapi import FastAPI, WebSocket, HTTPException, WebSocketDisconnect
from fastapi.responses import JSONResponse, HTMLResponse
from fastapi.staticfiles import StaticFiles
from fastapi.middleware.cors import CORSMiddleware
from pydantic import BaseModel, Field
import uvicorn
import json
import os
import asyncio
from datetime import datetime
from typing import List, Dict, Optional, Any
import logging
import uuid
# If the module does not exist, try to import from the current directory
try:
from recursive_thinking_ai import EnhancedRecursiveThinkingChat
except ModuleNotFoundError:
# The file recursive_thinking_ai.py must exist in the current directory
import sys
sys.path.append('.')
from recursive_thinking_ai import EnhancedRecursiveThinkingChat
# Set up logging
logging.basicConfig(
level=logging.INFO,
format='%(asctime)s - %(name)s - %(levelname)s - %(message)s'
)
logger = logging.getLogger(__name__)
app = FastAPI(
title="Chain-of-Recursive-Thoughts: TEST",
description="https://github.com/PhialsBasement/Chain-of-Recursive-Thoughts",
version="1.0.0"
)
# Add CORS middleware
app.add_middleware(
CORSMiddleware,
allow_origins=["*"], # In production, replace with specific origins
allow_credentials=True,
allow_methods=["*"],
allow_headers=["*"],
)
# Create a dictionary to store chat instances
chat_instances = {}
# Retrieve API key from environment variable
API_KEY = os.getenv("OPENROUTE_API")
if not API_KEY:
logger.warning("The OPENROUTE_API environment variable is not set. Some features may not work.")
# Pydantic models for request/response validation
class ChatConfig(BaseModel):
# Removed api_key field; only model and temperature are received
model: str = "mistralai/mistral-small-3.1-24b-instruct:free"
temperature: Optional[float] = Field(default=0.7, ge=0.0, le=1.0)
class MessageRequest(BaseModel):
session_id: str
message: str
thinking_rounds: Optional[int] = Field(default=None, ge=1, le=10)
alternatives_per_round: Optional[int] = Field(default=3, ge=1, le=5)
temperature: Optional[float] = Field(default=None, ge=0.0, le=1.0)
class SaveRequest(BaseModel):
session_id: str
filename: Optional[str] = None
full_log: bool = False
class SessionInfo(BaseModel):
session_id: str
message_count: int
created_at: str
model: str
class SessionResponse(BaseModel):
sessions: List[SessionInfo]
class InitResponse(BaseModel):
session_id: str
status: str
# Simple HTML interface (API key input form removed)
@app.get("/", response_class=HTMLResponse)
async def root():
"""Root endpoint with a simple HTML interface"""
html_content = f"""
<!DOCTYPE html>
<html>
<head>
<title>Chain-of-Recursive-Thoughts: TEST</title>
<style>
body {{
font-family: Arial, sans-serif;
max-width: 800px;
margin: 0 auto;
padding: 20px;
line-height: 1.6;
}}
h1 {{
color: #333;
border-bottom: 1px solid #eee;
padding-bottom: 10px;
}}
.container {{
background-color: #f9f9f9;
border-radius: 5px;
padding: 20px;
margin-top: 20px;
}}
label {{
display: block;
margin-bottom: 5px;
font-weight: bold;
}}
input, textarea, select {{
width: 100%;
padding: 8px;
margin-bottom: 10px;
border: 1px solid #ddd;
border-radius: 4px;
}}
button {{
background-color: #4CAF50;
color: white;
padding: 10px 15px;
border: none;
border-radius: 4px;
cursor: pointer;
}}
button:hover {{
background-color: #45a049;
}}
#response {{
white-space: pre-wrap;
background-color: #f5f5f5;
padding: 15px;
border-radius: 4px;
margin-top: 20px;
min-height: 100px;
}}
.log {{
margin-top: 20px;
font-size: 0.9em;
color: #666;
}}
</style>
</head>
<body>
<h1>Chain-of-Recursive-Thoughts: TEST</h1>
<div class="container">
<div id="init-form">
<h2>1. Initialize Chat</h2>
<!-- API key input removed -->
<label for="model">Model:</label>
<input type="text" id="model" value="mistralai/mistral-small-3.1-24b-instruct:free">
<label for="temperature">Temperature:</label>
<input type="number" id="temperature" min="0" max="1" step="0.1" value="0.7">
<button onclick="initializeChat()">Initialize</button>
</div>
<div id="chat-form" style="display: none;">
<h2>2. Send Message</h2>
<p>Session ID: <span id="session-id"></span></p>
<label for="message">Message:</label>
<textarea id="message" rows="4" placeholder="Enter your message"></textarea>
<label for="thinking-rounds">Thinking Rounds (optional):</label>
<input type="number" id="thinking-rounds" min="1" max="10" placeholder="Auto">
<label for="alternatives">Number of Alternatives (optional):</label>
<input type="number" id="alternatives" min="1" max="5" value="3">
<button onclick="sendMessage()">Send</button>
<button onclick="resetChat()" style="background-color: #f44336;">Reset</button>
</div>
<div id="response-container" style="display: none;">
<h2>3. Response</h2>
<div id="response">The response will appear here...</div>
<div class="log">
<h3>Thinking Process Log:</h3>
<div id="thinking-log"></div>
</div>
</div>
</div>
<div style="margin-top: 30px;">
<p>Repo: https://github.com/PhialsBasement/Chain-of-Recursive-Thoughts</p>
<p>Community: https://discord.gg/openfreeai</p>
</div>
<script>
let currentSessionId = null;
async function initializeChat() {{
const model = document.getElementById('model').value;
const temperature = parseFloat(document.getElementById('temperature').value);
try {{
const response = await fetch('/api/initialize', {{
method: 'POST',
headers: {{
'Content-Type': 'application/json',
}},
body: JSON.stringify({{
model: model,
temperature: temperature
}}),
}});
const data = await response.json();
if (response.ok) {{
currentSessionId = data.session_id;
document.getElementById('session-id').textContent = currentSessionId;
document.getElementById('init-form').style.display = 'none';
document.getElementById('chat-form').style.display = 'block';
document.getElementById('response-container').style.display = 'block';
}} else {{
alert('Initialization failed: ' + (data.detail || 'Unknown error'));
}}
}} catch (error) {{
alert('An error occurred: ' + error.message);
}}
}}
async function sendMessage() {{
if (!currentSessionId) {{
alert('Please initialize a chat session first.');
return;
}}
const message = document.getElementById('message').value;
const thinkingRounds = document.getElementById('thinking-rounds').value;
const alternatives = document.getElementById('alternatives').value;
if (!message) {{
alert('Please enter a message.');
return;
}}
document.getElementById('response').textContent = 'Processing...';
document.getElementById('thinking-log').textContent = '';
try {{
const response = await fetch('/api/send_message', {{
method: 'POST',
headers: {{
'Content-Type': 'application/json',
}},
body: JSON.stringify({{
session_id: currentSessionId,
message: message,
thinking_rounds: thinkingRounds ? parseInt(thinkingRounds) : null,
alternatives_per_round: alternatives ? parseInt(alternatives) : 3
}}),
}});
const data = await response.json();
if (response.ok) {{
document.getElementById('response').textContent = data.response;
// Display thinking history
let thinkingLogHTML = '';
data.thinking_history.forEach(item => {{
const selected = item.selected ? ' ✓ Selected' : '';
thinkingLogHTML += "<p><strong>Round " + item.round + selected + ":</strong> ";
if (item.explanation && item.selected) {{
thinkingLogHTML += "<br><em>Reason for selection: " + item.explanation + "</em>";
}}
thinkingLogHTML += "</p>";
}});
document.getElementById('thinking-log').innerHTML = thinkingLogHTML;
}} else {{
document.getElementById('response').textContent = 'Error: ' + (data.detail || 'Unknown error');
}}
}} catch (error) {{
document.getElementById('response').textContent = 'An error occurred: ' + error.message;
}}
}}
function resetChat() {{
currentSessionId = null;
document.getElementById('init-form').style.display = 'block';
document.getElementById('chat-form').style.display = 'none';
document.getElementById('response-container').style.display = 'none';
document.getElementById('message').value = '';
document.getElementById('thinking-rounds').value = '';
document.getElementById('alternatives').value = '3';
}}
</script>
</body>
</html>
"""
return html_content
# Health check endpoint
@app.get("/health")
async def health_check():
"""Health check endpoint"""
return {"status": "healthy", "timestamp": datetime.now().isoformat()}
@app.post("/api/initialize", response_model=InitResponse)
async def initialize_chat(config: ChatConfig):
"""Initialize a new chat session using the environment API key"""
try:
# Generate a session ID
session_id = f"session_{datetime.now().strftime('%Y%m%d%H%M%S')}_{uuid.uuid4().hex[:8]}"
# If the environment variable is missing, raise an error (or warning)
if not API_KEY:
raise HTTPException(status_code=400, detail="The OPENROUTE_API environment variable is not set.")
# Initialize the chat instance
chat = EnhancedRecursiveThinkingChat(
api_key=API_KEY,
model=config.model,
temperature=config.temperature
)
chat_instances[session_id] = {
"chat": chat,
"created_at": datetime.now().isoformat(),
"model": config.model
}
return {"session_id": session_id, "status": "initialized"}
except Exception as e:
logger.error(f"Error initializing chat: {str(e)}")
raise HTTPException(status_code=500, detail=f"Failed to initialize chat: {str(e)}")
@app.post("/api/send_message")
async def send_message(request: MessageRequest):
"""Send a message and get a response with the thinking process"""
try:
if request.session_id not in chat_instances:
raise HTTPException(status_code=404, detail="Session not found")
chat = chat_instances[request.session_id]["chat"]
# Override class parameters if provided
original_thinking_fn = chat._determine_thinking_rounds
original_alternatives_fn = chat._generate_alternatives
original_temperature = getattr(chat, "temperature", 0.7)
if request.thinking_rounds is not None:
# Override the thinking rounds determination
chat._determine_thinking_rounds = lambda _: request.thinking_rounds
if request.alternatives_per_round is not None:
def modified_generate_alternatives(base_response, prompt, num_alternatives=3):
return original_alternatives_fn(base_response, prompt, request.alternatives_per_round)
chat._generate_alternatives = modified_generate_alternatives
# Override temperature if provided
if request.temperature is not None:
setattr(chat, "temperature", request.temperature)
# Process the message
logger.info(f"Processing message for session {request.session_id}")
start_time = datetime.now()
result = chat.think_and_respond(request.message, verbose=True)
processing_time = (datetime.now() - start_time).total_seconds()
logger.info(f"Message processed in {processing_time:.2f} seconds")
# Restore original functions and parameters
chat._determine_thinking_rounds = original_thinking_fn
chat._generate_alternatives = original_alternatives_fn
if request.temperature is not None:
setattr(chat, "temperature", original_temperature)
return {
"session_id": request.session_id,
"response": result["response"],
"thinking_rounds": result["thinking_rounds"],
"thinking_history": result["thinking_history"],
"processing_time": processing_time
}
except Exception as e:
logger.error(f"Error processing message: {str(e)}")
raise HTTPException(status_code=500, detail=f"Failed to process message: {str(e)}")
@app.post("/api/save")
async def save_conversation(request: SaveRequest):
"""Save the conversation or the full thinking log"""
try:
if request.session_id not in chat_instances:
raise HTTPException(status_code=404, detail="Session not found")
chat = chat_instances[request.session_id]["chat"]
# Generate default filename if not provided
filename = request.filename
if filename is None:
timestamp = datetime.now().strftime("%Y%m%d_%H%M%S")
log_type = "full_log" if request.full_log else "conversation"
filename = f"recthink_{log_type}_{timestamp}.json"
# Make sure the output directory exists
os.makedirs("logs", exist_ok=True)
file_path = os.path.join("logs", filename)
if request.full_log:
chat.save_full_log(file_path)
else:
chat.save_conversation(file_path)
return {"status": "saved", "filename": filename, "path": file_path}
except Exception as e:
logger.error(f"Error saving conversation: {str(e)}")
raise HTTPException(status_code=500, detail=f"Failed to save conversation: {str(e)}")
@app.get("/api/sessions", response_model=SessionResponse)
async def list_sessions():
"""List all active chat sessions"""
sessions = []
for session_id, session_data in chat_instances.items():
chat = session_data["chat"]
message_count = len(chat.conversation_history) // 2 # Each message-response pair counts as 2
sessions.append(SessionInfo(
session_id=session_id,
message_count=message_count,
created_at=session_data["created_at"],
model=session_data["model"]
))
return {"sessions": sessions}
@app.get("/api/sessions/{session_id}")
async def get_session(session_id: str):
"""Get details for a specific chat session"""
if session_id not in chat_instances:
raise HTTPException(status_code=404, detail="Session not found")
session_data = chat_instances[session_id]
chat = session_data["chat"]
# Extract conversation history
conversation = []
for i in range(0, len(chat.conversation_history), 2):
if i+1 < len(chat.conversation_history):
conversation.append({
"user": chat.conversation_history[i],
"assistant": chat.conversation_history[i+1]
})
return {
"session_id": session_id,
"created_at": session_data["created_at"],
"model": session_data["model"],
"message_count": len(conversation),
"conversation": conversation
}
@app.delete("/api/sessions/{session_id}")
async def delete_session(session_id: str):
"""Delete a chat session"""
if session_id not in chat_instances:
raise HTTPException(status_code=404, detail="Session not found")
del chat_instances[session_id]
return {"status": "deleted", "session_id": session_id}
# WebSocket connection manager
class ConnectionManager:
def __init__(self):
self.active_connections: Dict[str, WebSocket] = {}
async def connect(self, session_id: str, websocket: WebSocket):
await websocket.accept()
self.active_connections[session_id] = websocket
def disconnect(self, session_id: str):
if session_id in self.active_connections:
del self.active_connections[session_id]
async def send_json(self, session_id: str, data: dict):
if session_id in self.active_connections:
await self.active_connections[session_id].send_json(data)
manager = ConnectionManager()
# WebSocket for streaming the thinking process
@app.websocket("/ws/{session_id}")
async def websocket_endpoint(websocket: WebSocket, session_id: str):
try:
await manager.connect(session_id, websocket)
if session_id not in chat_instances:
await websocket.send_json({"error": "Session not found"})
await websocket.close()
return
chat = chat_instances[session_id]["chat"]
# Set up a custom callback to stream the thinking process
original_call_api = chat._call_api
async def stream_callback(chunk):
await manager.send_json(session_id, {"type": "chunk", "content": chunk})
# Override the _call_api method to also send updates via WebSocket
def ws_call_api(messages, temperature=0.7, stream=True):
result = original_call_api(messages, temperature, stream)
# Send the chunk via WebSocket if we're streaming
if stream:
asyncio.create_task(stream_callback(result))
return result
# Replace the method temporarily
chat._call_api = ws_call_api
# Wait for messages from the client
while True:
data = await websocket.receive_text()
message_data = json.loads(data)
if message_data["type"] == "message":
# Process the message
start_time = datetime.now()
try:
# Get parameters if they exist
thinking_rounds = message_data.get("thinking_rounds", None)
alternatives_per_round = message_data.get("alternatives_per_round", None)
temperature = message_data.get("temperature", None)
# Override if needed
original_thinking_fn = chat._determine_thinking_rounds
original_alternatives_fn = chat._generate_alternatives
original_temperature = getattr(chat, "temperature", 0.7)
if thinking_rounds is not None:
chat._determine_thinking_rounds = lambda _: thinking_rounds
if alternatives_per_round is not None:
def modified_generate_alternatives(base_response, prompt, num_alternatives=3):
return original_alternatives_fn(base_response, prompt, alternatives_per_round)
chat._generate_alternatives = modified_generate_alternatives
if temperature is not None:
setattr(chat, "temperature", temperature)
# Send a status message that we've started processing
await manager.send_json(session_id, {
"type": "status",
"status": "processing",
"message": "Starting recursive thinking process..."
})
# Process the message
result = chat.think_and_respond(message_data["content"], verbose=True)
processing_time = (datetime.now() - start_time).total_seconds()
# Restore original functions
chat._determine_thinking_rounds = original_thinking_fn
chat._generate_alternatives = original_alternatives_fn
if temperature is not None:
setattr(chat, "temperature", original_temperature)
# Send the final result
await manager.send_json(session_id, {
"type": "final",
"response": result["response"],
"thinking_rounds": result["thinking_rounds"],
"thinking_history": result["thinking_history"],
"processing_time": processing_time
})
except Exception as e:
error_msg = str(e)
logger.error(f"Error in WebSocket message processing: {error_msg}")
await manager.send_json(session_id, {
"type": "error",
"error": error_msg
})
except WebSocketDisconnect:
logger.info(f"WebSocket disconnected: {session_id}")
manager.disconnect(session_id)
except Exception as e:
error_msg = str(e)
logger.error(f"WebSocket error: {error_msg}")
try:
await websocket.send_json({"type": "error", "error": error_msg})
except:
pass
finally:
# Restore the original method if needed
if 'chat' in locals() and 'original_call_api' in locals():
chat._call_api = original_call_api
# Make sure to disconnect
manager.disconnect(session_id)
# Use port 7860 for Hugging Face Spaces
if __name__ == "__main__":
port = 7860
print(f"Starting server on port {port}")
uvicorn.run("app:app", host="0.0.0.0", port=port)
|