File size: 15,965 Bytes
1dc8f33 a0b9343 1dc8f33 a0b9343 de4dcc8 a0b9343 1dc8f33 a0b9343 1dc8f33 3ce4ddf a0b9343 3ce4ddf a0b9343 3ce4ddf a0b9343 3ce4ddf a0b9343 fe33dd1 a0b9343 3ce4ddf a0b9343 fe33dd1 a0b9343 3ce4ddf a0b9343 |
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 |
# Implements: Phase 3 AI Assistant Integration (T005-T018, T030-T034)
# Phase III - AI-Powered Todo Chatbot
# Chat API Endpoint - Full implementation with Qwen and MCP tools
import json
import os
import re
import time
from typing import Optional, List, Dict, Any
from uuid import UUID
from fastapi import APIRouter, HTTPException, status, Depends
from pydantic import BaseModel, Field
from sqlmodel import Session, create_engine
from logging import getLogger
from src.middleware.auth import get_current_user_id
from src.ai.qwen_client import QwenClient
from src.ai.prompt_builder import PromptBuilder
from src.mcp.server import MCPServer
from src.mcp.registry import initialize_mcp_tools, register_mcp_tools_with_server
from src.repositories.todo_repository import ConversationRepository
logger = getLogger(__name__)
router = APIRouter(prefix="/api/ai-chat", tags=["AI Chat"]) # Changed from /api/chat for dashboard integration
# Database setup
DATABASE_URL = os.getenv("NEON_DATABASE_URL", "sqlite:///./test.db")
engine = create_engine(DATABASE_URL)
class ChatRequest(BaseModel):
"""Request model for chat endpoint"""
message: str = Field(
...,
min_length=1,
max_length=1000,
description="User message to send to the AI (English or Urdu)"
)
conversation_id: Optional[str] = Field(None, description="Conversation UUID to continue")
class ChatResponse(BaseModel):
"""Response model for chat endpoint"""
reply: str = Field(..., description="AI response in user's language")
conversation_id: str = Field(..., description="Conversation UUID")
tool_calls: Optional[List[Dict[str, Any]]] = Field(None, description="MCP tools executed by AI")
def get_session():
"""Get database session"""
with Session(engine) as session:
yield session
def extract_tool_call(ai_response: str) -> Optional[Dict[str, Any]]:
"""
Extract tool call from AI response.
The AI may respond with a tool call in format:
TOOL_CALL: {"tool": "create_task", "parameters": {"title": "..."}}
Args:
ai_response: AI response text
Returns:
Tool call dict or None
"""
if "TOOL_CALL:" in ai_response:
try:
# Extract JSON after TOOL_CALL:
tool_call_str = ai_response.split("TOOL_CALL:")[1].strip()
return json.loads(tool_call_str)
except (json.JSONDecodeError, IndexError):
logger.warning("Failed to parse tool call from AI response")
return None
def sanitize_input(message: str) -> str:
"""
Sanitize user input to prevent injection attacks.
Removes HTML tags, SQL injection patterns, and suspicious characters.
Args:
message: Raw user message
Returns:
Sanitized message
"""
# Remove HTML tags
message = re.sub(r'<[^>]+>', '', message)
# Remove common SQL injection patterns
sql_patterns = [
r"(\b(SELECT|INSERT|UPDATE|DELETE|DROP|CREATE|ALTER|TRUNCATE)\b)",
r"(\b(UNION|JOIN|WHERE)\b.*\b(OR|AND)\b)",
r"(;|\-\-|#|\/\*|\*\/)",
r"(\bEXEC\b|\bEXECUTE\b)",
]
for pattern in sql_patterns:
message = re.sub(pattern, '', message, flags=re.IGNORECASE)
# Remove excessive whitespace
message = ' '.join(message.split())
return message.strip()
# T005: AI Command Request Schema for Dashboard Integration
class AICommandRequest(BaseModel):
"""Request model for AI command endpoint (dashboard integration)"""
message: str = Field(
...,
min_length=1,
max_length=1000,
description="Natural language command from user"
)
conversationId: Optional[str] = Field("new", description="Conversation UUID or 'new' to start new")
class AICommandResponse(BaseModel):
"""Response model for AI command endpoint"""
success: bool = Field(..., description="Whether command executed successfully")
action: str = Field(..., description="Action executed: create_task, list_tasks, update_task, delete_task, complete_task, clarify")
message: str = Field(..., description="Human-readable response from AI")
data: Optional[Dict[str, Any]] = Field(None, description="Action-specific data (e.g., created task, task list)")
@router.post("/command", response_model=AICommandResponse)
def ai_command(
request: AICommandRequest,
user_id: str = Depends(get_current_user_id),
session: Session = Depends(get_session)
):
"""
AI Command Endpoint for Dashboard Integration.
This endpoint processes natural language commands from the floating AI chat panel,
executes them via MCP tools, and returns structured responses.
Flow:
1. Sanitize input
2. Verify JWT and extract user_id
3. Load or create conversation
4. Build message array with conversation history
5. Send to Qwen AI model
6. Parse AI response (action + parameters)
7. Execute action via MCP tools
8. Save messages to database
9. Return structured response
Args:
request: AI command request with message
user_id: Extracted from JWT token
session: Database session
Returns:
AI command response with action, message, and data
"""
start_time = time.time()
try:
# T008: Input sanitization
sanitized_message = sanitize_input(request.message)
logger.info(f"AI command from user {user_id}: {sanitized_message[:50]}...")
user_uuid = UUID(user_id)
# Initialize repositories and MCP
conv_repo = ConversationRepository(session)
# Handle conversation ID
if request.conversationId == "new":
conversation = conv_repo.get_or_create_conversation(user_uuid, None)
else:
try:
conversation_uuid = UUID(request.conversationId)
conversation = conv_repo.get_conversation(conversation_uuid)
if not conversation or conversation.user_id != user_uuid:
# Create new conversation if invalid or belongs to another user
conversation = conv_repo.get_or_create_conversation(user_uuid, None)
except ValueError:
conversation = conv_repo.get_or_create_conversation(user_uuid, None)
# Save user message
conv_repo.add_message(
conversation_id=conversation.id,
role="user",
content=sanitized_message
)
# Detect language
language = PromptBuilder.detect_language(sanitized_message)
# Load conversation history (last 50 messages for performance)
history = conv_repo.get_conversation_history(conversation.id, limit=50)
messages = [
{"role": msg.role, "content": msg.content}
for msg in history
]
# Initialize Qwen client
qwen_client = QwenClient()
# Initialize MCP server and tools
mcp_server = MCPServer()
mcp_tools = initialize_mcp_tools(session, user_uuid)
register_mcp_tools_with_server(mcp_server, mcp_tools)
# Build system prompt with tool definitions
tool_descriptions = mcp_server.list_tools()
system_prompt = PromptBuilder.build_system_prompt(
language=language,
tools_available=tool_descriptions
)
# Prepare messages for Qwen
qwen_messages = [
{"role": "system", "content": system_prompt},
*messages
]
# Get AI response
ai_response = qwen_client.generate(qwen_messages)
# Check if AI wants to call a tool
tool_call = extract_tool_call(ai_response)
action = "clarify"
result_data = None
tool_results = []
if tool_call:
# Execute the tool call
tool_name = tool_call.get("tool")
logger.info(f"Executing tool: {tool_name}")
results = execute_tool_calls([tool_call], mcp_server)
tool_results = results
# Map tool name to action
tool_to_action = {
"create_todo": "create_task",
"list_todos": "list_tasks",
"update_todo": "update_task",
"delete_todo": "delete_task",
"complete_todo": "complete_task",
"search_tasks": "search_by_keyword",
"bulk_complete": "bulk_complete"
}
action = tool_to_action.get(tool_name, "clarify")
# Extract result data
if results and results[0].get("success"):
result_data = results[0].get("result")
# Format tool results for AI
tool_result_text = json.dumps(results, indent=2)
# Ask AI to format the tool result for user
followup_messages = qwen_messages + [
{"role": "assistant", "content": ai_response},
{"role": "user", "content": f"Tool executed successfully. Here is the result:\n{tool_result_text}\n\nPlease format this for the user in {language}."}
]
final_response = qwen_client.generate(followup_messages)
else:
# No tool call, just conversation
final_response = ai_response
action = "clarify"
# Save assistant response
conv_repo.add_message(
conversation_id=conversation.id,
role="assistant",
content=final_response,
tool_calls={"calls": tool_results} if tool_results else None
)
# Log performance
response_time = time.time() - start_time
logger.info(f"AI command completed in {response_time:.2f}s: action={action}")
return AICommandResponse(
success=True,
action=action,
message=final_response,
data=result_data
)
except ValueError as e:
logger.error(f"Validation error: {str(e)}")
raise HTTPException(
status_code=status.HTTP_400_BAD_REQUEST,
detail=f"Invalid request: {str(e)}"
)
except Exception as e:
logger.error(f"AI command endpoint error: {str(e)}", exc_info=True)
# T017: Error handling for AI service failures
return AICommandResponse(
success=False,
action="error",
message="AI assistant is temporarily unavailable. Please try again or use the manual controls.",
data=None
)
# Keep existing standalone chat endpoint for backward compatibility during migration
def execute_tool_calls(
tool_calls: List[Dict[str, Any]],
mcp_server: MCPServer
) -> List[Dict[str, Any]]:
"""
Execute multiple tool calls (synchronous).
Args:
tool_calls: List of tool call dicts with 'tool' and 'parameters'
mcp_server: MCP server instance
Returns:
List of tool execution results
"""
results = []
for tool_call in tool_calls:
tool_name = tool_call.get("tool")
parameters = tool_call.get("parameters", {})
try:
result = mcp_server.call_tool(tool_name, parameters)
results.append({
"tool": tool_name,
"success": True,
"result": result
})
except Exception as e:
logger.error(f"Tool execution failed: {str(e)}")
results.append({
"tool": tool_name,
"success": False,
"error": str(e)
})
return results
@router.post("/", response_model=ChatResponse)
def chat(
request: ChatRequest,
user_id: str = Depends(get_current_user_id),
session: Session = Depends(get_session)
):
"""
Send message to AI chatbot and receive response.
Flow:
1. Verify JWT and extract user_id
2. Load or create conversation for user
3. Save user message to database
4. Build system prompt with tool definitions
5. Send conversation history to Qwen
6. Execute MCP tools if requested
7. Save assistant response to database
8. Return AI response
Args:
request: Chat request with user message
user_id: Extracted from JWT token
session: Database session
Returns:
Chat response with AI reply
"""
try:
user_uuid = UUID(user_id)
logger.info(f"Chat request from user {user_id}: {request.message[:50]}...")
# Initialize repositories and MCP
conv_repo = ConversationRepository(session)
conversation = conv_repo.get_or_create_conversation(
user_uuid,
UUID(request.conversation_id) if request.conversation_id else None
)
# Save user message
conv_repo.add_message(
conversation_id=conversation.id,
role="user",
content=request.message
)
# Detect language
language = PromptBuilder.detect_language(request.message)
# Load conversation history
history = conv_repo.get_conversation_history(conversation.id)
messages = [
{"role": msg.role, "content": msg.content}
for msg in history
]
# Initialize Qwen client
qwen_client = QwenClient()
# Initialize MCP server and tools
mcp_server = MCPServer()
mcp_tools = initialize_mcp_tools(session, user_uuid)
register_mcp_tools_with_server(mcp_server, mcp_tools)
# Build system prompt with tool definitions
tool_descriptions = mcp_server.list_tools()
system_prompt = PromptBuilder.build_system_prompt(
language=language,
tools_available=tool_descriptions
)
# Prepare messages for Qwen
qwen_messages = [
{"role": "system", "content": system_prompt},
*messages[-10:] # Last 10 messages for context
]
# Get AI response
ai_response = qwen_client.generate(qwen_messages)
# Check if AI wants to call a tool
tool_call = extract_tool_call(ai_response)
tool_results = []
final_response = ai_response
if tool_call:
# Execute the tool call
logger.info(f"Executing tool call: {tool_call['tool']}")
results = execute_tool_calls([tool_call], mcp_server)
tool_results = results
# Format tool results for AI
tool_result_text = json.dumps(results, indent=2)
# Ask AI to format the tool result for user
followup_messages = qwen_messages + [
{"role": "assistant", "content": ai_response},
{"role": "user", "content": f"Tool executed successfully. Here is the result:\n{tool_result_text}\n\nPlease format this for the user in {language}."}
]
final_response = qwen_client.generate(followup_messages)
# Save assistant response
conv_repo.add_message(
conversation_id=conversation.id,
role="assistant",
content=final_response,
tool_calls={"calls": tool_results} if tool_results else None
)
return ChatResponse(
reply=final_response,
conversation_id=str(conversation.id),
tool_calls=tool_results if tool_results else None
)
except ValueError as e:
logger.error(f"Validation error: {str(e)}")
raise HTTPException(
status_code=status.HTTP_400_BAD_REQUEST,
detail=f"Invalid request: {str(e)}"
)
except Exception as e:
logger.error(f"Chat endpoint error: {str(e)}", exc_info=True)
raise HTTPException(
status_code=status.HTTP_500_INTERNAL_SERVER_ERROR,
detail=f"Internal server error: {str(e)}"
)
@router.get("/health")
def health_check():
"""Health check endpoint for chat API"""
return {"status": "healthy", "service": "chat-api"}
|