""" LLM integration for natural answer generation. Supports OpenAI GPT, Anthropic Claude, Ollama, Hugging Face Inference API, Local Hugging Face models, and API mode. """ import os import re import json import sys import traceback import logging import time from pathlib import Path from typing import List, Dict, Any, Optional, Set, Tuple from .structured_legal import ( build_structured_legal_prompt, get_legal_output_parser, parse_structured_output, LegalAnswer, ) from .legal_guardrails import get_legal_guard try: from dotenv import load_dotenv load_dotenv() except ImportError: pass # dotenv is optional logger = logging.getLogger(__name__) BASE_DIR = Path(__file__).resolve().parents[2] GUARDRAILS_LOG_DIR = BASE_DIR / "logs" / "guardrails" GUARDRAILS_LOG_FILE = GUARDRAILS_LOG_DIR / "legal_structured.log" def _write_guardrails_debug(label: str, content: Optional[str]) -> None: """Persist raw Guardrails inputs/outputs for debugging.""" if not content: return try: GUARDRAILS_LOG_DIR.mkdir(parents=True, exist_ok=True) timestamp = time.strftime("%Y-%m-%d %H:%M:%S") snippet = content.strip() max_len = 4000 if len(snippet) > max_len: snippet = snippet[:max_len] + "...[truncated]" with GUARDRAILS_LOG_FILE.open("a", encoding="utf-8") as fp: fp.write(f"[{timestamp}] [{label}] {snippet}\n{'-' * 80}\n") except Exception as exc: logger.debug("Unable to write guardrails log: %s", exc) def _collect_doc_metadata(documents: List[Any]) -> Tuple[Set[str], Set[str]]: titles: Set[str] = set() sections: Set[str] = set() for doc in documents: document = getattr(doc, "document", None) title = getattr(document, "title", None) if title: titles.add(title.strip()) section_code = getattr(doc, "section_code", None) if section_code: sections.add(section_code.strip()) return titles, sections def _contains_any(text: str, tokens: Set[str]) -> bool: if not tokens: return True normalized = text.lower() return any(token.lower() in normalized for token in tokens if token) def _validate_structured_answer( answer: "LegalAnswer", documents: List[Any], ) -> Tuple[bool, str]: """Ensure structured answer references actual documents/sections.""" allowed_titles, allowed_sections = _collect_doc_metadata(documents) if allowed_titles and not _contains_any(answer.summary, allowed_titles): return False, "Summary thiếu tên văn bản từ bảng tham chiếu" for idx, bullet in enumerate(answer.details, 1): if allowed_titles and not _contains_any(bullet, allowed_titles): return False, f"Chi tiết {idx} thiếu tên văn bản" if allowed_sections and not _contains_any(bullet, allowed_sections): return False, f"Chi tiết {idx} thiếu mã điều/khoản" allowed_title_lower = {title.lower() for title in allowed_titles} allowed_section_lower = {section.lower() for section in allowed_sections} for idx, citation in enumerate(answer.citations, 1): if citation.document_title and citation.document_title.lower() not in allowed_title_lower: return False, f"Citation {idx} chứa văn bản không có trong nguồn" if ( citation.section_code and allowed_section_lower and citation.section_code.lower() not in allowed_section_lower ): return False, f"Citation {idx} chứa điều/khoản không có trong nguồn" return True, "" # Import download progress tracker (optional) try: from .download_progress import get_progress_tracker, DownloadProgress PROGRESS_TRACKER_AVAILABLE = True except ImportError: PROGRESS_TRACKER_AVAILABLE = False logger.warning("Download progress tracker not available") # LLM Provider types LLM_PROVIDER_OPENAI = "openai" LLM_PROVIDER_ANTHROPIC = "anthropic" LLM_PROVIDER_OLLAMA = "ollama" LLM_PROVIDER_HUGGINGFACE = "huggingface" # Hugging Face Inference API LLM_PROVIDER_LOCAL = "local" # Local Hugging Face Transformers model LLM_PROVIDER_LLAMA_CPP = "llama_cpp" # GGUF via llama.cpp LLM_PROVIDER_API = "api" # API mode - call HF Spaces API LLM_PROVIDER_NONE = "none" # Get provider from environment (default to llama.cpp Gemma if none provided) DEFAULT_LLM_PROVIDER = os.environ.get( "DEFAULT_LLM_PROVIDER", LLM_PROVIDER_LLAMA_CPP, ).lower() env_provider = os.environ.get("LLM_PROVIDER", "").strip().lower() LLM_PROVIDER = env_provider or DEFAULT_LLM_PROVIDER LEGAL_STRUCTURED_MAX_ATTEMPTS = max( 1, int(os.environ.get("LEGAL_STRUCTURED_MAX_ATTEMPTS", "2")) ) class LLMGenerator: """Generate natural language answers using LLMs.""" # Class-level cache for llama.cpp model (shared across all instances in same process) _llama_cpp_shared = None _llama_cpp_model_path_shared = None def __init__(self, provider: Optional[str] = None): """ Initialize LLM generator. Args: provider: LLM provider ('openai', 'anthropic', 'ollama', 'local', 'huggingface', 'api', or None for auto-detect). """ self.provider = provider or LLM_PROVIDER self.client = None self.local_model = None self.local_tokenizer = None self.llama_cpp = None self.llama_cpp_model_path = None self.api_base_url = None self._initialize_client() def _initialize_client(self): """Initialize LLM client based on provider.""" if self.provider == LLM_PROVIDER_OPENAI: try: import openai api_key = os.environ.get("OPENAI_API_KEY") if api_key: self.client = openai.OpenAI(api_key=api_key) print("✅ OpenAI client initialized") else: print("⚠️ OPENAI_API_KEY not found, OpenAI disabled") except ImportError: print("⚠️ openai package not installed, install with: pip install openai") elif self.provider == LLM_PROVIDER_ANTHROPIC: try: import anthropic api_key = os.environ.get("ANTHROPIC_API_KEY") if api_key: self.client = anthropic.Anthropic(api_key=api_key) print("✅ Anthropic client initialized") else: print("⚠️ ANTHROPIC_API_KEY not found, Anthropic disabled") except ImportError: print("⚠️ anthropic package not installed, install with: pip install anthropic") elif self.provider == LLM_PROVIDER_OLLAMA: self.ollama_base_url = os.environ.get("OLLAMA_BASE_URL", "http://localhost:11434") self.ollama_model = os.environ.get("OLLAMA_MODEL", "qwen2.5:7b") print(f"✅ Ollama configured (base_url: {self.ollama_base_url}, model: {self.ollama_model})") elif self.provider == LLM_PROVIDER_HUGGINGFACE: self.hf_api_key = os.environ.get("HF_TOKEN") or os.environ.get("HUGGINGFACE_API_KEY") self.hf_model = os.environ.get("HF_MODEL", "Qwen/Qwen2.5-7B-Instruct") if self.hf_api_key: print(f"✅ Hugging Face API configured (model: {self.hf_model})") else: print("⚠️ HF_TOKEN not found, Hugging Face may have rate limits") elif self.provider == LLM_PROVIDER_API: # API mode - call HF Spaces API self.api_base_url = os.environ.get( "HF_API_BASE_URL", "https://davidtran999-hue-portal-backend.hf.space/api" ) print(f"✅ API mode configured (base_url: {self.api_base_url})") elif self.provider == LLM_PROVIDER_LLAMA_CPP: self._initialize_llama_cpp_model() elif self.provider == LLM_PROVIDER_LOCAL: self._initialize_local_model() else: print("ℹ️ No LLM provider configured, using template-based generation") def _initialize_local_model(self): """Initialize local Hugging Face Transformers model.""" try: from transformers import AutoModelForCausalLM, AutoTokenizer import torch # Default to Qwen 2.5 7B with 8-bit quantization (fits in GPU RAM) model_path = os.environ.get("LOCAL_MODEL_PATH", "Qwen/Qwen2.5-7B-Instruct") device = os.environ.get("LOCAL_MODEL_DEVICE", "auto") # auto, cpu, cuda print(f"[LLM] Loading local model: {model_path}", flush=True) logger.info(f"[LLM] Loading local model: {model_path}") # Determine device if device == "auto": device = "cuda" if torch.cuda.is_available() else "cpu" # Start cache monitoring for download progress (optional) try: from .cache_monitor import get_cache_monitor monitor = get_cache_monitor() monitor.start_monitoring(model_path, interval=2.0) print(f"[LLM] 📊 Started cache monitoring for {model_path}", flush=True) logger.info(f"[LLM] 📊 Started cache monitoring for {model_path}") except Exception as e: logger.warning(f"Could not start cache monitoring: {e}") # Load tokenizer print("[LLM] Loading tokenizer...", flush=True) logger.info("[LLM] Loading tokenizer...") try: self.local_tokenizer = AutoTokenizer.from_pretrained( model_path, trust_remote_code=True ) print("[LLM] ✅ Tokenizer loaded successfully", flush=True) logger.info("[LLM] ✅ Tokenizer loaded successfully") except Exception as tokenizer_err: error_trace = traceback.format_exc() print(f"[LLM] ❌ Tokenizer load error: {tokenizer_err}", flush=True) print(f"[LLM] ❌ Tokenizer trace: {error_trace}", flush=True) logger.error(f"[LLM] ❌ Tokenizer load error: {tokenizer_err}\n{error_trace}") print(f"[LLM] ❌ ERROR: {type(tokenizer_err).__name__}: {str(tokenizer_err)}", file=sys.stderr, flush=True) traceback.print_exc(file=sys.stderr) raise # Load model with optional quantization and fallback mechanism print(f"[LLM] Loading model to {device}...", flush=True) logger.info(f"[LLM] Loading model to {device}...") # Check for quantization config # Default to 8-bit for 7B (better thinking), 4-bit for larger models default_8bit = "7b" in model_path.lower() or "7B" in model_path default_4bit = ("32b" in model_path.lower() or "32B" in model_path or "14b" in model_path.lower() or "14B" in model_path) and not default_8bit # Check environment variable for explicit quantization preference quantization_pref = os.environ.get("LOCAL_MODEL_QUANTIZATION", "").lower() if quantization_pref == "4bit": use_8bit = False use_4bit = True elif quantization_pref == "8bit": use_8bit = True use_4bit = False elif quantization_pref == "none": use_8bit = False use_4bit = False else: # Use defaults based on model size use_8bit = os.environ.get("LOCAL_MODEL_8BIT", "true" if default_8bit else "false").lower() == "true" use_4bit = os.environ.get("LOCAL_MODEL_4BIT", "true" if default_4bit else "false").lower() == "true" # Try loading with fallback: 8-bit → 4-bit → float16 model_loaded = False quantization_attempts = [] if device == "cuda": # Attempt 1: Try 8-bit quantization (if requested) if use_8bit: quantization_attempts.append(("8-bit", True, False)) # Attempt 2: Try 4-bit quantization (if 8-bit fails or not requested) if use_4bit or (use_8bit and not model_loaded): quantization_attempts.append(("4-bit", False, True)) # Attempt 3: Fallback to float16 (no quantization) quantization_attempts.append(("float16", False, False)) else: # CPU: only float32 quantization_attempts.append(("float32", False, False)) last_error = None for attempt_name, try_8bit, try_4bit in quantization_attempts: if model_loaded: break try: load_kwargs = { "trust_remote_code": True, "low_cpu_mem_usage": True, } if device == "cuda": load_kwargs["device_map"] = "auto" if try_4bit: # Check if bitsandbytes is available try: import bitsandbytes as bnb from transformers import BitsAndBytesConfig load_kwargs["quantization_config"] = BitsAndBytesConfig( load_in_4bit=True, bnb_4bit_compute_dtype=torch.float16 ) print(f"[LLM] Attempting to load with 4-bit quantization (~4-5GB VRAM for 7B)", flush=True) except ImportError: print(f"[LLM] ⚠️ bitsandbytes not available, skipping 4-bit quantization", flush=True) raise ImportError("bitsandbytes not available") elif try_8bit: from transformers import BitsAndBytesConfig # Fixed: Remove CPU offload to avoid Int8Params compatibility issue load_kwargs["quantization_config"] = BitsAndBytesConfig( load_in_8bit=True, llm_int8_threshold=6.0 # Removed: llm_int8_enable_fp32_cpu_offload=True (causes compatibility issues) ) # Removed: max_memory override - let accelerate handle it automatically print(f"[LLM] Attempting to load with 8-bit quantization (~7GB VRAM for 7B)", flush=True) else: load_kwargs["torch_dtype"] = torch.float16 print(f"[LLM] Attempting to load with float16 (no quantization)", flush=True) else: load_kwargs["torch_dtype"] = torch.float32 print(f"[LLM] Attempting to load with float32 (CPU)", flush=True) # Load model self.local_model = AutoModelForCausalLM.from_pretrained( model_path, **load_kwargs ) # Stop cache monitoring (download complete) try: from .cache_monitor import get_cache_monitor monitor = get_cache_monitor() monitor.stop_monitoring(model_path) print(f"[LLM] ✅ Model download complete, stopped monitoring", flush=True) except: pass print(f"[LLM] ✅ Model loaded successfully with {attempt_name} quantization", flush=True) logger.info(f"[LLM] ✅ Model loaded successfully with {attempt_name} quantization") # Optional: Compile model for faster inference (PyTorch 2.0+) try: if hasattr(torch, "compile") and device == "cuda": print(f"[LLM] ⚡ Compiling model for faster inference...", flush=True) self.local_model = torch.compile(self.local_model, mode="reduce-overhead") print(f"[LLM] ✅ Model compiled successfully", flush=True) logger.info(f"[LLM] ✅ Model compiled for faster inference") except Exception as compile_err: print(f"[LLM] ⚠️ Model compilation skipped: {compile_err}", flush=True) # Continue without compilation model_loaded = True except Exception as model_load_err: last_error = model_load_err error_trace = traceback.format_exc() print(f"[LLM] ⚠️ Failed to load with {attempt_name}: {model_load_err}", flush=True) logger.warning(f"[LLM] ⚠️ Failed to load with {attempt_name}: {model_load_err}") # If this was the last attempt, raise the error if attempt_name == quantization_attempts[-1][0]: print(f"[LLM] ❌ All quantization attempts failed. Last error: {model_load_err}", flush=True) print(f"[LLM] ❌ Model load trace: {error_trace}", flush=True) logger.error(f"[LLM] ❌ Model load error: {model_load_err}\n{error_trace}") print(f"[LLM] ❌ ERROR: {type(model_load_err).__name__}: {str(model_load_err)}", file=sys.stderr, flush=True) traceback.print_exc(file=sys.stderr) raise else: # Try next quantization method print(f"[LLM] 🔄 Falling back to next quantization method...", flush=True) continue if not model_loaded: raise RuntimeError("Failed to load model with any quantization method") if device == "cpu": try: self.local_model = self.local_model.to(device) print(f"[LLM] ✅ Model moved to {device}", flush=True) logger.info(f"[LLM] ✅ Model moved to {device}") except Exception as move_err: error_trace = traceback.format_exc() print(f"[LLM] ❌ Model move error: {move_err}", flush=True) logger.error(f"[LLM] ❌ Model move error: {move_err}\n{error_trace}") print(f"[LLM] ❌ ERROR: {type(move_err).__name__}: {str(move_err)}", file=sys.stderr, flush=True) traceback.print_exc(file=sys.stderr) self.local_model.eval() # Set to evaluation mode print(f"[LLM] ✅ Local model loaded successfully on {device}", flush=True) logger.info(f"[LLM] ✅ Local model loaded successfully on {device}") except ImportError as import_err: error_msg = "transformers package not installed, install with: pip install transformers torch" print(f"[LLM] ⚠️ {error_msg}", flush=True) logger.warning(f"[LLM] ⚠️ {error_msg}") print(f"[LLM] ❌ ImportError: {import_err}", file=sys.stderr, flush=True) self.local_model = None self.local_tokenizer = None except Exception as e: error_trace = traceback.format_exc() print(f"[LLM] ❌ Error loading local model: {e}", flush=True) print(f"[LLM] ❌ Full trace: {error_trace}", flush=True) logger.error(f"[LLM] ❌ Error loading local model: {e}\n{error_trace}") print(f"[LLM] ❌ ERROR: {type(e).__name__}: {str(e)}", file=sys.stderr, flush=True) traceback.print_exc(file=sys.stderr) print("[LLM] 💡 Tip: Use smaller models like Qwen/Qwen2.5-1.5B-Instruct or Qwen/Qwen2.5-0.5B-Instruct", flush=True) self.local_model = None self.local_tokenizer = None def _initialize_llama_cpp_model(self) -> None: """Initialize llama.cpp runtime for GGUF inference.""" # Use shared model if available (singleton pattern for process-level reuse) if LLMGenerator._llama_cpp_shared is not None: self.llama_cpp = LLMGenerator._llama_cpp_shared self.llama_cpp_model_path = LLMGenerator._llama_cpp_model_path_shared print("[LLM] ♻️ Reusing shared llama.cpp model (kept alive)", flush=True) logger.debug("[LLM] Reusing shared llama.cpp model (kept alive)") return # Skip if instance model already loaded if self.llama_cpp is not None: print("[LLM] ♻️ llama.cpp model already loaded, skipping re-initialization", flush=True) logger.debug("[LLM] llama.cpp model already loaded, skipping re-initialization") return try: from llama_cpp import Llama except ImportError: print("⚠️ llama-cpp-python not installed. Run: pip install llama-cpp-python", flush=True) logger.warning("llama-cpp-python not installed") return model_path = os.environ.get( "LLAMA_CPP_MODEL_PATH", # Mặc định trỏ tới file GGUF local trong backend/models str(BASE_DIR / "models" / "gemma-2b-it-Q5_K_M.gguf"), ) resolved_path = self._resolve_llama_cpp_model_path(model_path) if not resolved_path: print("❌ Unable to resolve GGUF model path for llama.cpp", flush=True) logger.error("Unable to resolve GGUF model path for llama.cpp") return # RAM optimization: Increased n_ctx to 16384 and n_batch to 2048 for better performance n_ctx = int(os.environ.get("LLAMA_CPP_CONTEXT", "16384")) n_threads = int(os.environ.get("LLAMA_CPP_THREADS", str(max(1, os.cpu_count() or 2)))) n_batch = int(os.environ.get("LLAMA_CPP_BATCH", "2048")) n_gpu_layers = int(os.environ.get("LLAMA_CPP_GPU_LAYERS", "0")) use_mmap = os.environ.get("LLAMA_CPP_USE_MMAP", "true").lower() == "true" use_mlock = os.environ.get("LLAMA_CPP_USE_MLOCK", "true").lower() == "true" rope_freq_base = os.environ.get("LLAMA_CPP_ROPE_FREQ_BASE") rope_freq_scale = os.environ.get("LLAMA_CPP_ROPE_FREQ_SCALE") llama_kwargs = { "model_path": resolved_path, "n_ctx": n_ctx, "n_batch": n_batch, "n_threads": n_threads, "n_gpu_layers": n_gpu_layers, "use_mmap": use_mmap, "use_mlock": use_mlock, "logits_all": False, } if rope_freq_base and rope_freq_scale: try: llama_kwargs["rope_freq_base"] = float(rope_freq_base) llama_kwargs["rope_freq_scale"] = float(rope_freq_scale) except ValueError: logger.warning("Invalid rope frequency overrides, ignoring custom values.") try: print(f"[LLM] Loading llama.cpp model: {resolved_path}", flush=True) logger.info("[LLM] Loading llama.cpp model from %s", resolved_path) self.llama_cpp = Llama(**llama_kwargs) self.llama_cpp_model_path = resolved_path # Store in shared cache for reuse across instances LLMGenerator._llama_cpp_shared = self.llama_cpp LLMGenerator._llama_cpp_model_path_shared = resolved_path print( f"[LLM] ✅ llama.cpp ready (ctx={n_ctx}, threads={n_threads}, batch={n_batch}) - Model cached for reuse", flush=True, ) logger.info( "[LLM] ✅ llama.cpp ready (ctx=%s, threads=%s, batch=%s)", n_ctx, n_threads, n_batch, ) except Exception as exc: error_trace = traceback.format_exc() print(f"[LLM] ❌ Failed to load llama.cpp model: {exc}", flush=True) print(f"[LLM] ❌ Trace: {error_trace}", flush=True) logger.error("Failed to load llama.cpp model: %s\n%s", exc, error_trace) self.llama_cpp = None def _resolve_llama_cpp_model_path(self, configured_path: str) -> Optional[str]: """Resolve GGUF model path, downloading from Hugging Face if needed.""" potential_path = Path(configured_path) if potential_path.is_file(): logger.info(f"[LLM] Using existing model file: {potential_path}") return str(potential_path) repo_id = os.environ.get( "LLAMA_CPP_MODEL_REPO", "QuantFactory/gemma-2-2b-it-GGUF", ) filename = os.environ.get( "LLAMA_CPP_MODEL_FILE", "gemma-2-2b-it-Q5_K_M.gguf", ) cache_dir = Path(os.environ.get("LLAMA_CPP_CACHE_DIR", BASE_DIR / "models")) cache_dir.mkdir(parents=True, exist_ok=True) # Check if file already exists in cache_dir (avoid re-downloading) cached_file = cache_dir / filename if cached_file.is_file(): logger.info(f"[LLM] Using cached model file: {cached_file}") print(f"[LLM] ✅ Found cached model: {cached_file}", flush=True) return str(cached_file) try: from huggingface_hub import hf_hub_download except ImportError: print("⚠️ huggingface_hub not installed. Run: pip install huggingface_hub", flush=True) logger.warning("huggingface_hub not installed") return None try: print(f"[LLM] Downloading model from Hugging Face: {repo_id}/{filename}", flush=True) logger.info(f"[LLM] Downloading model from Hugging Face: {repo_id}/{filename}") # hf_hub_download has built-in caching - won't re-download if file exists in HF cache downloaded_path = hf_hub_download( repo_id=repo_id, filename=filename, local_dir=str(cache_dir), local_dir_use_symlinks=False, # Force download only if file doesn't exist (hf_hub_download checks cache automatically) ) print(f"[LLM] ✅ Model downloaded/cached: {downloaded_path}", flush=True) logger.info(f"[LLM] ✅ Model downloaded/cached: {downloaded_path}") return downloaded_path except Exception as exc: error_trace = traceback.format_exc() print(f"[LLM] ❌ Failed to download GGUF model: {exc}", flush=True) print(f"[LLM] ❌ Trace: {error_trace}", flush=True) logger.error("Failed to download GGUF model: %s\n%s", exc, error_trace) return None def is_available(self) -> bool: """Check if LLM is available.""" return ( self.client is not None or self.provider == LLM_PROVIDER_OLLAMA or self.provider == LLM_PROVIDER_HUGGINGFACE or self.provider == LLM_PROVIDER_API or (self.provider == LLM_PROVIDER_LOCAL and self.local_model is not None) or (self.provider == LLM_PROVIDER_LLAMA_CPP and self.llama_cpp is not None) ) def generate_answer( self, query: str, context: Optional[List[Dict[str, Any]]] = None, documents: Optional[List[Any]] = None ) -> Optional[str]: """ Generate natural language answer from documents. Args: query: User query. context: Optional conversation context. documents: Retrieved documents. Returns: Generated answer or None if LLM not available. """ if not self.is_available(): return None prompt = self._build_prompt(query, context, documents) return self._generate_from_prompt(prompt, context=context) def _build_prompt( self, query: str, context: Optional[List[Dict[str, Any]]], documents: Optional[List[Any]] ) -> str: """Build prompt for LLM.""" prompt_parts = [ "Bạn là chuyên gia tư vấn về xử lí kỷ luật cán bộ đảng viên của Phòng Thanh Tra - Công An Thành Phố Huế.", "Nhiệm vụ: Trả lời câu hỏi của người dùng dựa trên các văn bản quy định pháp luật về xử lí kỷ luật cán bộ đảng viên được cung cấp.", "", f"Câu hỏi của người dùng: {query}", "" ] if context: prompt_parts.append("Ngữ cảnh cuộc hội thoại trước đó:") for msg in context[-3:]: # Last 3 messages role = "Người dùng" if msg.get("role") == "user" else "Bot" content = msg.get("content", "") prompt_parts.append(f"{role}: {content}") prompt_parts.append("") if documents: prompt_parts.append("Các văn bản/quy định liên quan:") # 4 chunks for good context and speed balance for i, doc in enumerate(documents[:4], 1): # Extract relevant fields based on document type doc_text = self._format_document(doc) prompt_parts.append(f"{i}. {doc_text}") prompt_parts.append("") # If documents exist, require strict adherence prompt_parts.extend([ "Yêu cầu QUAN TRỌNG:", "- CHỈ trả lời dựa trên thông tin trong 'Các văn bản/quy định liên quan' ở trên", "- KHÔNG được tự tạo hoặc suy đoán thông tin không có trong tài liệu", "- Khi đã có trích đoạn, phải tổng hợp theo cấu trúc rõ ràng:\n 1) Tóm tắt ngắn gọn nội dung chính\n 2) Liệt kê từng điều/khoản hoặc hình thức xử lý (dùng bullet/đánh số, ghi rõ Điều, Khoản, trang, tên văn bản)\n 3) Kết luận + khuyến nghị áp dụng.", "- Luôn nhắc tên văn bản (ví dụ: Quyết định 69/QĐ-TW) và mã điều trong nội dung trả lời.", "- Kết thúc phần trả lời bằng câu: '(Xem trích dẫn chi tiết bên dưới)'.", "- Không dùng những câu chung chung như 'Rất tiếc' hay 'Tôi không thể giúp', hãy trả lời thẳng vào câu hỏi.", "- Chỉ khi HOÀN TOÀN không có thông tin trong tài liệu mới được nói: 'Thông tin trong cơ sở dữ liệu chưa đủ để trả lời câu hỏi này'", "- Nếu có mức phạt, phải ghi rõ số tiền (ví dụ: 200.000 - 400.000 VNĐ)", "- Nếu có điều khoản, ghi rõ mã điều (ví dụ: Điều 5, Điều 10)", "- Nếu có thủ tục, ghi rõ hồ sơ, lệ phí, thời hạn", "- Trả lời bằng tiếng Việt, ngắn gọn, dễ hiểu", "", "Trả lời:" ]) else: # No documents - allow general conversation prompt_parts.extend([ "Yêu cầu:", "- Trả lời câu hỏi một cách tự nhiên và hữu ích như một chatbot AI thông thường.", "- Phản hồi phải có ít nhất 2 đoạn (mỗi đoạn ≥ 2 câu) và tổng cộng ≥ 6 câu.", "- Luôn có ít nhất 1 danh sách bullet hoặc đánh số để người dùng dễ làm theo.", "- Với chủ đề đời sống (ẩm thực, sức khỏe, du lịch, công nghệ...), hãy đưa ra gợi ý thật đầy đủ, gồm tối thiểu 4-6 câu hoặc 2 đoạn nội dung.", "- Nếu câu hỏi cần công thức/nấu ăn: liệt kê NGUYÊN LIỆU rõ ràng (dạng bullet) và CÁC BƯỚC chi tiết (đánh số 1,2,3...). Đề xuất thêm mẹo hoặc biến tấu phù hợp.", "- Với các chủ đề mẹo vặt khác, hãy chia nhỏ câu trả lời thành từng phần (Ví dụ: Bối cảnh → Các bước → Lưu ý).", "- Tuyệt đối không mở đầu bằng lời xin lỗi hoặc từ chối; hãy đi thẳng vào nội dung chính.", "- Nếu câu hỏi liên quan đến pháp luật, thủ tục, mức phạt nhưng không có thông tin trong cơ sở dữ liệu, hãy nói: 'Tôi không tìm thấy thông tin này trong cơ sở dữ liệu. Bạn có thể liên hệ trực tiếp với Công an thành phố Huế để được tư vấn chi tiết hơn.'", "- Giữ giọng điệu thân thiện, khích lệ, giống một người bạn hiểu biết.", "- Trả lời bằng tiếng Việt, mạch lạc, dễ hiểu, ưu tiên trình bày có tiêu đề/phân đoạn để người đọc dễ làm theo.", "", "Trả lời:" ]) return "\n".join(prompt_parts) def _generate_from_prompt( self, prompt: str, context: Optional[List[Dict[str, Any]]] = None ) -> Optional[str]: """Run current provider with a fully formatted prompt.""" if not self.is_available(): return None try: print(f"[LLM] Generating answer with provider: {self.provider}", flush=True) logger.info(f"[LLM] Generating answer with provider: {self.provider}") if self.provider == LLM_PROVIDER_OPENAI: result = self._generate_openai(prompt) elif self.provider == LLM_PROVIDER_ANTHROPIC: result = self._generate_anthropic(prompt) elif self.provider == LLM_PROVIDER_OLLAMA: result = self._generate_ollama(prompt) elif self.provider == LLM_PROVIDER_HUGGINGFACE: result = self._generate_huggingface(prompt) elif self.provider == LLM_PROVIDER_LOCAL: result = self._generate_local(prompt) elif self.provider == LLM_PROVIDER_LLAMA_CPP: result = self._generate_llama_cpp(prompt) elif self.provider == LLM_PROVIDER_API: result = self._generate_api(prompt, context) else: result = None if result: print( f"[LLM] ✅ Answer generated successfully (length: {len(result)})", flush=True, ) logger.info( f"[LLM] ✅ Answer generated successfully (length: {len(result)})" ) else: print(f"[LLM] ⚠️ No answer generated", flush=True) logger.warning("[LLM] ⚠️ No answer generated") return result except Exception as exc: error_trace = traceback.format_exc() print(f"[LLM] ❌ Error generating answer: {exc}", flush=True) print(f"[LLM] ❌ Full trace: {error_trace}", flush=True) logger.error(f"[LLM] ❌ Error generating answer: {exc}\n{error_trace}") print( f"[LLM] ❌ ERROR: {type(exc).__name__}: {str(exc)}", file=sys.stderr, flush=True, ) traceback.print_exc(file=sys.stderr) return None def suggest_clarification_topics( self, query: str, candidates: List[Dict[str, Any]], max_options: int = 3, ) -> Optional[Dict[str, Any]]: """ Ask the LLM to propose clarification options based on candidate documents. """ if not candidates or not self.is_available(): return None candidate_lines = [] for idx, candidate in enumerate(candidates[: max_options + 2], 1): title = candidate.get("title") or candidate.get("code") or "Văn bản" summary = candidate.get("summary") or candidate.get("section_title") or "" doc_type = candidate.get("doc_type") or "" candidate_lines.append( f"{idx}. {candidate.get('code', '').upper()} – {title}\n" f" Loại: {doc_type or 'không rõ'}; Tóm tắt: {summary[:200] or 'Không có'}" ) prompt = ( "Bạn là trợ lý pháp luật. Người dùng vừa hỏi:\n" f"\"{query.strip()}\"\n\n" "Đây là các văn bản ứng viên có thể liên quan:\n" f"{os.linesep.join(candidate_lines)}\n\n" "Hãy chọn tối đa {max_options} văn bản quan trọng cần người dùng xác nhận để tôi tra cứu chính xác.\n" "Yêu cầu trả về JSON với dạng:\n" "{\n" ' "message": "Câu nhắc người dùng bằng tiếng Việt",\n' ' "options": [\n' ' {"code": "MÃ VĂN BẢN", "title": "Tên văn bản", "reason": "Lý do gợi ý"},\n' " ...\n" " ]\n" "}\n" "Chỉ in JSON, không thêm lời giải thích khác." ).format(max_options=max_options) raw = self._generate_from_prompt(prompt) if not raw: return None parsed = self._extract_json_payload(raw) if not parsed: return None options = parsed.get("options") or [] sanitized_options = [] for option in options: code = (option.get("code") or "").strip() title = (option.get("title") or "").strip() if not code or not title: continue sanitized_options.append( { "code": code.upper(), "title": title, "reason": (option.get("reason") or "").strip(), } ) if len(sanitized_options) >= max_options: break if not sanitized_options: return None message = (parsed.get("message") or "Tôi cần bạn chọn văn bản muốn tra cứu chi tiết hơn.").strip() return {"message": message, "options": sanitized_options} def suggest_topic_options( self, query: str, document_code: str, document_title: str, search_results: List[Dict[str, Any]], conversation_context: Optional[List[Dict[str, str]]] = None, max_options: int = 3, ) -> Optional[Dict[str, Any]]: """ Ask the LLM to propose topic/section options within a selected document. Args: query: Original user query document_code: Selected document code document_title: Selected document title search_results: Pre-searched sections from the document conversation_context: Recent conversation history max_options: Maximum number of options to return Returns: Dict with message, options, and search_keywords """ if not self.is_available(): return None # Build context summary context_summary = "" if conversation_context: recent_messages = conversation_context[-3:] # Last 3 messages context_summary = "\n".join([ f"{msg.get('role', 'user')}: {msg.get('content', '')[:100]}" for msg in recent_messages ]) # Format search results as candidates candidate_lines = [] for idx, result in enumerate(search_results[:max_options + 2], 1): section_title = result.get("section_title") or result.get("title") or "" article = result.get("article") or result.get("article_number") or "" excerpt = result.get("excerpt") or result.get("body") or "" if excerpt: excerpt = excerpt[:150] + "..." if len(excerpt) > 150 else excerpt candidate_lines.append( f"{idx}. {section_title or article or 'Điều khoản'}\n" f" {'Điều: ' + article if article else ''}\n" f" Nội dung: {excerpt[:200] or 'Không có'}" ) prompt = ( "Bạn là trợ lý pháp luật. Người dùng đã chọn văn bản:\n" f"- Mã: {document_code}\n" f"- Tên: {document_title}\n\n" f"Câu hỏi ban đầu của người dùng: \"{query.strip()}\"\n\n" ) if context_summary: prompt += ( f"Lịch sử hội thoại gần đây:\n{context_summary}\n\n" ) prompt += ( "Đây là các điều khoản/chủ đề trong văn bản có thể liên quan:\n" f"{os.linesep.join(candidate_lines)}\n\n" f"Hãy chọn tối đa {max_options} chủ đề/điều khoản quan trọng nhất cần người dùng xác nhận.\n" "Yêu cầu trả về JSON với dạng:\n" "{\n" ' "message": "Câu nhắc người dùng bằng tiếng Việt",\n' ' "options": [\n' ' {"title": "Tên chủ đề/điều khoản", "article": "Điều X", "reason": "Lý do gợi ý", "keywords": ["từ", "khóa", "tìm", "kiếm"]},\n' " ...\n" " ],\n" ' "search_keywords": ["từ", "khóa", "chính", "để", "tìm", "kiếm"]\n' "}\n" "Trong đó:\n" "- options: Danh sách chủ đề/điều khoản để người dùng chọn\n" "- search_keywords: Danh sách từ khóa quan trọng để tìm kiếm thông tin liên quan\n" "- Mỗi option nên có keywords riêng để tìm kiếm chính xác hơn\n" "Chỉ in JSON, không thêm lời giải thích khác." ) raw = self._generate_from_prompt(prompt) if not raw: return None parsed = self._extract_json_payload(raw) if not parsed: return None options = parsed.get("options") or [] sanitized_options = [] for option in options: title = (option.get("title") or "").strip() if not title: continue sanitized_options.append({ "title": title, "article": (option.get("article") or "").strip(), "reason": (option.get("reason") or "").strip(), "keywords": option.get("keywords") or [], }) if len(sanitized_options) >= max_options: break if not sanitized_options: return None message = (parsed.get("message") or f"Bạn muốn tìm điều khoản/chủ đề nào cụ thể trong {document_title}?").strip() search_keywords = parsed.get("search_keywords") or [] return { "message": message, "options": sanitized_options, "search_keywords": search_keywords, } def suggest_detail_options( self, query: str, selected_document_code: str, selected_topic: str, conversation_context: Optional[List[Dict[str, str]]] = None, max_options: int = 3, ) -> Optional[Dict[str, Any]]: """ Ask the LLM to propose detail options for further clarification. Args: query: Original user query selected_document_code: Selected document code selected_topic: Selected topic/section conversation_context: Recent conversation history max_options: Maximum number of options to return Returns: Dict with message, options, and search_keywords """ if not self.is_available(): return None # Build context summary context_summary = "" if conversation_context: recent_messages = conversation_context[-5:] # Last 5 messages context_summary = "\n".join([ f"{msg.get('role', 'user')}: {msg.get('content', '')[:100]}" for msg in recent_messages ]) prompt = ( "Bạn là trợ lý pháp luật. Người dùng đã:\n" f"1. Chọn văn bản: {selected_document_code}\n" f"2. Chọn chủ đề: {selected_topic}\n\n" f"Câu hỏi ban đầu: \"{query.strip()}\"\n\n" ) if context_summary: prompt += ( f"Lịch sử hội thoại:\n{context_summary}\n\n" ) prompt += ( "Người dùng muốn biết thêm chi tiết về chủ đề này.\n" f"Hãy đề xuất tối đa {max_options} khía cạnh/chi tiết cụ thể mà người dùng có thể muốn biết.\n" "Yêu cầu trả về JSON với dạng:\n" "{\n" ' "message": "Câu hỏi xác nhận bằng tiếng Việt",\n' ' "options": [\n' ' {"title": "Khía cạnh/chi tiết", "reason": "Lý do gợi ý", "keywords": ["từ", "khóa"]},\n' " ...\n" " ],\n" ' "search_keywords": ["từ", "khóa", "tìm", "kiếm"]\n' "}\n" "Chỉ in JSON, không thêm lời giải thích khác." ) raw = self._generate_from_prompt(prompt) if not raw: return None parsed = self._extract_json_payload(raw) if not parsed: return None options = parsed.get("options") or [] sanitized_options = [] for option in options: title = (option.get("title") or "").strip() if not title: continue sanitized_options.append({ "title": title, "reason": (option.get("reason") or "").strip(), "keywords": option.get("keywords") or [], }) if len(sanitized_options) >= max_options: break if not sanitized_options: return None message = (parsed.get("message") or "Bạn muốn chi tiết gì cho chủ đề này nữa không?").strip() search_keywords = parsed.get("search_keywords") or [] return { "message": message, "options": sanitized_options, "search_keywords": search_keywords, } def extract_search_keywords( self, query: str, selected_options: Optional[List[Dict[str, Any]]] = None, conversation_context: Optional[List[Dict[str, str]]] = None, ) -> List[str]: """ Intelligently extract search keywords from query, selected options, and context. Args: query: Original user query selected_options: List of selected options (document, topic, etc.) conversation_context: Recent conversation history Returns: List of extracted keywords for search optimization """ if not self.is_available(): # Fallback to simple keyword extraction return self._fallback_keyword_extraction(query) # Build context context_text = query if selected_options: for opt in selected_options: title = opt.get("title") or opt.get("code") or "" reason = opt.get("reason") or "" keywords = opt.get("keywords") or [] if title: context_text += f" {title}" if reason: context_text += f" {reason}" if keywords: context_text += f" {' '.join(keywords)}" if conversation_context: recent_user_messages = [ msg.get("content", "") for msg in conversation_context[-3:] if msg.get("role") == "user" ] context_text += " " + " ".join(recent_user_messages) prompt = ( "Bạn là trợ lý pháp luật. Tôi cần bạn trích xuất các từ khóa quan trọng để tìm kiếm thông tin.\n\n" f"Ngữ cảnh: {context_text[:500]}\n\n" "Hãy trích xuất 5-10 từ khóa quan trọng nhất (tiếng Việt) để tìm kiếm.\n" "Yêu cầu trả về JSON với dạng:\n" "{\n" ' "keywords": ["từ", "khóa", "quan", "trọng"]\n' "}\n" "Chỉ in JSON, không thêm lời giải thích khác." ) raw = self._generate_from_prompt(prompt) if not raw: return self._fallback_keyword_extraction(query) parsed = self._extract_json_payload(raw) if not parsed: return self._fallback_keyword_extraction(query) keywords = parsed.get("keywords") or [] if isinstance(keywords, list) and len(keywords) > 0: # Filter out stopwords and short words filtered_keywords = [ kw.strip().lower() for kw in keywords if kw and len(kw.strip()) > 2 ] return filtered_keywords[:10] # Limit to 10 keywords return self._fallback_keyword_extraction(query) def _fallback_keyword_extraction(self, query: str) -> List[str]: """Fallback keyword extraction using simple rule-based method.""" # Simple Vietnamese stopwords stopwords = { "và", "của", "cho", "với", "trong", "là", "có", "được", "bị", "sẽ", "thì", "mà", "này", "đó", "nào", "gì", "như", "về", "từ", "đến", "các", "những", "một", "hai", "ba", "bốn", "năm", "sáu", "bảy", "tám", "chín", "mười", "nhiều", "ít", "rất", "quá", "cũng", "đã", "sẽ", } words = query.lower().split() keywords = [ w.strip() for w in words if w.strip() not in stopwords and len(w.strip()) > 2 ] return keywords[:10] def _extract_json_payload(self, raw: str) -> Optional[Dict[str, Any]]: """Best-effort extraction of JSON object from raw LLM text.""" if not raw: return None raw = raw.strip() for snippet in (raw, self._slice_to_json(raw)): if not snippet: continue try: return json.loads(snippet) except Exception: continue return None def _slice_to_json(self, text: str) -> Optional[str]: start = text.find("{") end = text.rfind("}") if start == -1 or end == -1 or end <= start: return None return text[start : end + 1] def generate_structured_legal_answer( self, query: str, documents: List[Any], prefill_summary: Optional[str] = None, ) -> Optional[LegalAnswer]: """ Ask the LLM for a structured legal answer (summary + details + citations). """ if not self.is_available() or not documents: return None parser = get_legal_output_parser() guard = get_legal_guard() retry_hint: Optional[str] = None failure_reason: Optional[str] = None for attempt in range(LEGAL_STRUCTURED_MAX_ATTEMPTS): prompt = build_structured_legal_prompt( query, documents, parser, prefill_summary=prefill_summary, retry_hint=retry_hint, ) logger.debug( "[LLM] Structured prompt preview (attempt %s): %s", attempt + 1, prompt[:600].replace("\n", " "), ) raw_output = self._generate_from_prompt(prompt) if not raw_output: failure_reason = "LLM không trả lời" retry_hint = ( "Lần trước bạn không trả về JSON nào. " "Hãy in duy nhất một JSON với SUMMARY, DETAILS và CITATIONS." ) continue _write_guardrails_debug( f"raw_output_attempt_{attempt + 1}", raw_output, ) structured: Optional[LegalAnswer] = None try: guard_result = guard.parse(llm_output=raw_output) guarded_output = getattr(guard_result, "validated_output", None) if guarded_output: structured = LegalAnswer.parse_obj(guarded_output) _write_guardrails_debug( f"guard_validated_attempt_{attempt + 1}", json.dumps(guarded_output, ensure_ascii=False), ) except Exception as exc: failure_reason = f"Guardrails: {exc}" logger.warning("[LLM] Guardrails validation failed: %s", exc) _write_guardrails_debug( f"guard_error_attempt_{attempt + 1}", f"{type(exc).__name__}: {exc}", ) if not structured: structured = parse_structured_output(parser, raw_output or "") if structured: _write_guardrails_debug( f"parser_recovery_attempt_{attempt + 1}", structured.model_dump_json(indent=None, ensure_ascii=False), ) else: retry_hint = ( "JSON chưa hợp lệ. Hãy dùng cấu trúc SUMMARY/DETAILS/CITATIONS như ví dụ." ) continue is_valid, validation_reason = _validate_structured_answer(structured, documents) if is_valid: return structured failure_reason = validation_reason or "Không đạt yêu cầu kiểm tra nội dung" logger.warning( "[LLM] ❌ Structured answer failed validation: %s", failure_reason ) retry_hint = ( f"Lần trước vi phạm: {failure_reason}. " "Hãy dùng đúng tên văn bản và mã điều trong bảng tham chiếu, không bịa thông tin mới." ) logger.warning( "[LLM] ❌ Structured legal parsing failed sau %s lần. Lý do cuối: %s", LEGAL_STRUCTURED_MAX_ATTEMPTS, failure_reason, ) return None def _format_document(self, doc: Any) -> str: """Format document for prompt.""" doc_type = type(doc).__name__.lower() if "fine" in doc_type: parts = [f"Mức phạt: {getattr(doc, 'name', '')}"] if hasattr(doc, 'code') and doc.code: parts.append(f"Mã: {doc.code}") if hasattr(doc, 'min_fine') and hasattr(doc, 'max_fine'): if doc.min_fine and doc.max_fine: parts.append(f"Số tiền: {doc.min_fine:,.0f} - {doc.max_fine:,.0f} VNĐ") return " | ".join(parts) elif "procedure" in doc_type: parts = [f"Thủ tục: {getattr(doc, 'title', '')}"] if hasattr(doc, 'dossier') and doc.dossier: parts.append(f"Hồ sơ: {doc.dossier}") if hasattr(doc, 'fee') and doc.fee: parts.append(f"Lệ phí: {doc.fee}") return " | ".join(parts) elif "office" in doc_type: parts = [f"Đơn vị: {getattr(doc, 'unit_name', '')}"] if hasattr(doc, 'address') and doc.address: parts.append(f"Địa chỉ: {doc.address}") if hasattr(doc, 'phone') and doc.phone: parts.append(f"Điện thoại: {doc.phone}") return " | ".join(parts) elif "advisory" in doc_type: parts = [f"Cảnh báo: {getattr(doc, 'title', '')}"] if hasattr(doc, 'summary') and doc.summary: parts.append(f"Nội dung: {doc.summary[:200]}") return " | ".join(parts) elif "legalsection" in doc_type or "legal" in doc_type: parts = [] if hasattr(doc, 'section_code') and doc.section_code: parts.append(f"Điều khoản: {doc.section_code}") if hasattr(doc, 'section_title') and doc.section_title: parts.append(f"Tiêu đề: {doc.section_title}") if hasattr(doc, 'document') and doc.document: doc_obj = doc.document if hasattr(doc_obj, 'title'): parts.append(f"Văn bản: {doc_obj.title}") if hasattr(doc_obj, 'code'): parts.append(f"Mã văn bản: {doc_obj.code}") if hasattr(doc, 'content') and doc.content: # Provide longer snippet so LLM has enough context (up to ~1500 chars) max_len = 1500 snippet = doc.content[:max_len].strip() if len(doc.content) > max_len: snippet += "..." parts.append(f"Nội dung: {snippet}") return " | ".join(parts) if parts else str(doc) return str(doc) def _generate_openai(self, prompt: str) -> Optional[str]: """Generate answer using OpenAI.""" if not self.client: return None try: response = self.client.chat.completions.create( model=os.environ.get("OPENAI_MODEL", "gpt-3.5-turbo"), messages=[ {"role": "system", "content": "Bạn là chuyên gia tư vấn về xử lí kỷ luật cán bộ đảng viên của Phòng Thanh Tra - Công An Thành Phố Huế. Bạn giúp người dùng tra cứu các văn bản quy định pháp luật về xử lí kỷ luật cán bộ đảng viên."}, {"role": "user", "content": prompt} ], temperature=0.7, max_tokens=500 ) return response.choices[0].message.content except Exception as e: print(f"OpenAI API error: {e}") return None def _generate_anthropic(self, prompt: str) -> Optional[str]: """Generate answer using Anthropic Claude.""" if not self.client: return None try: message = self.client.messages.create( model=os.environ.get("ANTHROPIC_MODEL", "claude-3-5-sonnet-20241022"), max_tokens=500, messages=[ {"role": "user", "content": prompt} ] ) return message.content[0].text except Exception as e: print(f"Anthropic API error: {e}") return None def _generate_ollama(self, prompt: str) -> Optional[str]: """Generate answer using Ollama (local LLM).""" try: import requests model = getattr(self, 'ollama_model', os.environ.get("OLLAMA_MODEL", "qwen2.5:7b")) response = requests.post( f"{self.ollama_base_url}/api/generate", json={ "model": model, "prompt": prompt, "stream": False, "options": { "temperature": 0.7, "top_p": 0.9, "num_predict": 500 } }, timeout=60 ) if response.status_code == 200: return response.json().get("response") return None except Exception as e: print(f"Ollama API error: {e}") return None def _generate_huggingface(self, prompt: str) -> Optional[str]: """Generate answer using Hugging Face Inference API.""" try: import requests api_url = f"https://api-inference.huggingface.co/models/{self.hf_model}" headers = {} if hasattr(self, 'hf_api_key') and self.hf_api_key: headers["Authorization"] = f"Bearer {self.hf_api_key}" response = requests.post( api_url, headers=headers, json={ "inputs": prompt, "parameters": { "temperature": 0.7, "max_new_tokens": 500, "return_full_text": False } }, timeout=60 ) if response.status_code == 200: result = response.json() if isinstance(result, list) and len(result) > 0: return result[0].get("generated_text", "") elif isinstance(result, dict): return result.get("generated_text", "") elif response.status_code == 503: # Model is loading, wait and retry print("⚠️ Model is loading, please wait...") return None else: print(f"Hugging Face API error: {response.status_code} - {response.text}") return None except Exception as e: print(f"Hugging Face API error: {e}") return None def _generate_local(self, prompt: str) -> Optional[str]: """Generate answer using local Hugging Face Transformers model.""" if self.local_model is None or self.local_tokenizer is None: return None try: import torch # Format prompt for Qwen models messages = [ {"role": "system", "content": "Bạn là chuyên gia tư vấn về xử lí kỷ luật cán bộ đảng viên của Phòng Thanh Tra - Công An Thành Phố Huế. Bạn giúp người dùng tra cứu các văn bản quy định pháp luật về xử lí kỷ luật cán bộ đảng viên."}, {"role": "user", "content": prompt} ] # Apply chat template if available if hasattr(self.local_tokenizer, "apply_chat_template"): text = self.local_tokenizer.apply_chat_template( messages, tokenize=False, add_generation_prompt=True ) else: text = prompt # Tokenize inputs = self.local_tokenizer(text, return_tensors="pt") # Move to device device = next(self.local_model.parameters()).device inputs = {k: v.to(device) for k, v in inputs.items()} # Generate with optimized parameters for faster inference with torch.no_grad(): # Use greedy decoding for faster generation (can switch to sampling if needed) outputs = self.local_model.generate( **inputs, max_new_tokens=150, # Reduced from 500 for faster generation temperature=0.6, # Lower temperature for faster, more deterministic output top_p=0.85, # Slightly lower top_p do_sample=True, use_cache=True, # Enable KV cache for faster generation pad_token_id=self.local_tokenizer.eos_token_id, repetition_penalty=1.1 # Prevent repetition # Removed early_stopping (only works with num_beams > 1) ) # Decode generated_text = self.local_tokenizer.decode( outputs[0][inputs["input_ids"].shape[1]:], skip_special_tokens=True ) return generated_text.strip() except TypeError as e: # Check for Int8Params compatibility error if "_is_hf_initialized" in str(e) or "Int8Params" in str(e): error_msg = ( f"[LLM] ❌ Int8Params compatibility error: {e}\n" f"[LLM] 💡 This error occurs when using 8-bit quantization with incompatible library versions.\n" f"[LLM] 💡 Solutions:\n" f"[LLM] 1. Set LOCAL_MODEL_QUANTIZATION=4bit to use 4-bit quantization instead\n" f"[LLM] 2. Set LOCAL_MODEL_QUANTIZATION=none to disable quantization\n" f"[LLM] 3. Use API mode (LLM_PROVIDER=api) to avoid local model issues\n" f"[LLM] 4. Use a smaller model like Qwen/Qwen2.5-1.5B-Instruct" ) print(error_msg, flush=True) logger.error(f"[LLM] ❌ Int8Params compatibility error: {e}") print(f"[LLM] ❌ ERROR: {type(e).__name__}: {str(e)}", file=sys.stderr, flush=True) return None else: # Other TypeError, re-raise to be caught by general handler raise except Exception as e: error_trace = traceback.format_exc() print(f"[LLM] ❌ Local model generation error: {e}", flush=True) print(f"[LLM] ❌ Full trace: {error_trace}", flush=True) logger.error(f"[LLM] ❌ Local model generation error: {e}\n{error_trace}") print(f"[LLM] ❌ ERROR: {type(e).__name__}: {str(e)}", file=sys.stderr, flush=True) traceback.print_exc(file=sys.stderr) return None def _generate_llama_cpp(self, prompt: str) -> Optional[str]: """Generate answer using llama.cpp GGUF runtime.""" if self.llama_cpp is None: return None try: temperature = float(os.environ.get("LLAMA_CPP_TEMPERATURE", "0.35")) top_p = float(os.environ.get("LLAMA_CPP_TOP_P", "0.85")) # Reduced max_tokens for faster inference on CPU (HF Space free tier) max_tokens = int(os.environ.get("LLAMA_CPP_MAX_TOKENS", "256")) repeat_penalty = float(os.environ.get("LLAMA_CPP_REPEAT_PENALTY", "1.1")) system_prompt = os.environ.get( "LLAMA_CPP_SYSTEM_PROMPT", "Bạn là chuyên gia tư vấn về xử lí kỷ luật cán bộ đảng viên của Phòng Thanh Tra - Công An Thành Phố Huế. Trả lời cực kỳ chính xác, trích dẫn văn bản và mã điều. Bạn giúp người dùng tra cứu các văn bản quy định pháp luật về xử lí kỷ luật cán bộ đảng viên.", ) response = self.llama_cpp.create_chat_completion( messages=[ {"role": "system", "content": system_prompt}, {"role": "user", "content": prompt}, ], temperature=temperature, top_p=top_p, max_tokens=max_tokens, repeat_penalty=repeat_penalty, stream=False, ) choices = response.get("choices") if not choices: return None content = choices[0]["message"]["content"] if isinstance(content, list): # llama.cpp may return list of segments content = "".join(segment.get("text", "") for segment in content) if isinstance(content, str): return content.strip() return None except Exception as exc: error_trace = traceback.format_exc() print(f"[LLM] ❌ llama.cpp generation error: {exc}", flush=True) print(f"[LLM] ❌ Trace: {error_trace}", flush=True) logger.error("llama.cpp generation error: %s\n%s", exc, error_trace) return None def _generate_api(self, prompt: str, context: Optional[List[Dict[str, Any]]] = None) -> Optional[str]: """Generate answer by calling HF Spaces API. Args: prompt: Full prompt including query and documents context. context: Optional conversation context (not used in API mode, handled by HF Spaces). """ if not self.api_base_url: return None try: import requests # Prepare request payload # Send the full prompt (with documents) as the message to HF Spaces # This ensures HF Spaces receives all context from retrieved documents payload = { "message": prompt, "reset_session": False } # Only add session_id if we have a valid session context # For now, we'll omit it and let the API generate a new one # Add context if available (API may support this in future) # For now, context is handled by the API internally # Call API endpoint api_url = f"{self.api_base_url}/chatbot/chat/" print(f"[LLM] 🔗 Calling API: {api_url}", flush=True) print(f"[LLM] 📤 Payload: {payload}", flush=True) response = requests.post( api_url, json=payload, headers={"Content-Type": "application/json"}, timeout=60 ) print(f"[LLM] 📥 Response status: {response.status_code}", flush=True) print(f"[LLM] 📥 Response headers: {dict(response.headers)}", flush=True) if response.status_code == 200: try: result = response.json() print(f"[LLM] 📥 Response JSON: {result}", flush=True) # Extract message from response if isinstance(result, dict): message = result.get("message", None) if message: print(f"[LLM] ✅ Got message from API (length: {len(message)})", flush=True) return message else: print(f"[LLM] ⚠️ Response is not a dict: {type(result)}", flush=True) return None except ValueError as e: print(f"[LLM] ❌ JSON decode error: {e}", flush=True) print(f"[LLM] ❌ Response text: {response.text[:500]}", flush=True) return None elif response.status_code == 503: # Service unavailable - model might be loading print("[LLM] ⚠️ API service is loading, please wait...", flush=True) return None else: print(f"[LLM] ❌ API error: {response.status_code} - {response.text[:500]}", flush=True) return None except requests.exceptions.Timeout: print("[LLM] ❌ API request timeout") return None except requests.exceptions.ConnectionError as e: print(f"[LLM] ❌ API connection error: {e}") return None except Exception as e: error_trace = traceback.format_exc() print(f"[LLM] ❌ API mode error: {e}", flush=True) print(f"[LLM] ❌ Full trace: {error_trace}", flush=True) logger.error(f"[LLM] ❌ API mode error: {e}\n{error_trace}") return None def summarize_context(self, messages: List[Dict[str, Any]], max_length: int = 200) -> str: """ Summarize conversation context. Args: messages: List of conversation messages. max_length: Maximum summary length. Returns: Summary string. """ if not messages: return "" # Simple summarization: extract key entities and intents intents = [] entities = set() for msg in messages: if msg.get("intent"): intents.append(msg["intent"]) if msg.get("entities"): for key, value in msg["entities"].items(): if isinstance(value, str): entities.add(value) elif isinstance(value, list): entities.update(value) summary_parts = [] if intents: unique_intents = list(set(intents)) summary_parts.append(f"Chủ đề: {', '.join(unique_intents)}") if entities: summary_parts.append(f"Thông tin: {', '.join(list(entities)[:5])}") summary = ". ".join(summary_parts) return summary[:max_length] if len(summary) > max_length else summary def extract_entities_llm(self, query: str) -> Dict[str, Any]: """ Extract entities using LLM. Args: query: User query. Returns: Dictionary of extracted entities. """ if not self.is_available(): return {} prompt = f""" Trích xuất các thực thể từ câu hỏi sau: "{query}" Các loại thực thể cần tìm: - fine_code: Mã vi phạm (V001, V002, ...) - fine_name: Tên vi phạm - procedure_name: Tên thủ tục - office_name: Tên đơn vị Trả lời dưới dạng JSON: {{"fine_code": "...", "fine_name": "...", ...}} Nếu không có, trả về {{}}. """ try: if self.provider == LLM_PROVIDER_OPENAI: response = self._generate_openai(prompt) elif self.provider == LLM_PROVIDER_ANTHROPIC: response = self._generate_anthropic(prompt) elif self.provider == LLM_PROVIDER_OLLAMA: response = self._generate_ollama(prompt) elif self.provider == LLM_PROVIDER_HUGGINGFACE: response = self._generate_huggingface(prompt) elif self.provider == LLM_PROVIDER_LOCAL: response = self._generate_local(prompt) elif self.provider == LLM_PROVIDER_API: # For API mode, we can't extract entities directly # Return empty dict return {} else: return {} if response: # Try to extract JSON from response json_match = re.search(r'\{[^}]+\}', response) if json_match: return json.loads(json_match.group()) except Exception as e: print(f"Error extracting entities with LLM: {e}") return {} # Global LLM generator instance _llm_generator: Optional[LLMGenerator] = None _last_provider: Optional[str] = None def get_llm_generator() -> Optional[LLMGenerator]: """Get or create LLM generator instance. Recreates instance only if provider changed (e.g., from local to api). Model is kept alive and reused across requests. """ global _llm_generator, _last_provider # Get current provider from env current_provider = os.environ.get("LLM_PROVIDER", LLM_PROVIDER).lower() # Recreate only if provider changed, instance doesn't exist, or model not available if _llm_generator is None or _last_provider != current_provider or not _llm_generator.is_available(): _llm_generator = LLMGenerator() _last_provider = current_provider print(f"[LLM] 🔄 Recreated LLM generator with provider: {current_provider}", flush=True) else: # Model already exists and provider hasn't changed - reuse it print("[LLM] ♻️ Reusing existing LLM generator instance (model kept alive)", flush=True) logger.debug("[LLM] Reusing existing LLM generator instance (model kept alive)") return _llm_generator if _llm_generator.is_available() else None