Spaces:
Sleeping
Sleeping
File size: 10,526 Bytes
a2a2d14 d83a16b a2a2d14 6e941de 82b3136 a2a2d14 d83a16b a2a2d14 ddeab24 a2a2d14 d83a16b a2a2d14 3268902 82b3136 a2a2d14 9f89ffb 82b3136 a2a2d14 82b3136 9f89ffb a2a2d14 9f89ffb a2a2d14 d83a16b a2a2d14 82b3136 a2a2d14 ddeab24 a2a2d14 ddeab24 a2a2d14 9f89ffb a2a2d14 e6c9deb a2a2d14 ddeab24 a2a2d14 9f89ffb a2a2d14 9f89ffb a2a2d14 52e07b7 a2a2d14 52e07b7 a2a2d14 9f89ffb 6e941de 3268902 6f94a8a 3268902 d83a16b 52e07b7 9f89ffb 82b3136 6f94a8a d83a16b 3268902 9f89ffb a2a2d14 52e07b7 9f89ffb d83a16b 6f94a8a a2a2d14 52e07b7 9f89ffb a2a2d14 d83a16b 82b3136 a2a2d14 6f94a8a a2a2d14 9f89ffb 6e941de 9f89ffb 3268902 a2a2d14 3268902 a2a2d14 3268902 a2a2d14 3268902 a2a2d14 3268902 a2a2d14 3268902 |
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 |
# api/rag_engine.py
"""
RAG engine:
- build_rag_chunks_from_file(path, doc_type) -> List[chunk]
- retrieve_relevant_chunks(query, chunks, ...) -> (context_text, used_chunks)
Chunk format (MVP):
{
"text": str,
"source_file": str,
"section": str,
"doc_type": str
}
✅ Update in this version:
- retrieve_relevant_chunks now supports optional scoping:
- allowed_source_files: Optional[List[str]] (match by basename)
- allowed_doc_types: Optional[List[str]]
- Scoping happens BEFORE scoring, so refs returned are guaranteed to be the true used chunks.
"""
import os
import re
from typing import Dict, List, Tuple, Optional
from pypdf import PdfReader
from docx import Document
from pptx import Presentation
# ============================
# Token helpers (optional tiktoken)
# ============================
def _safe_import_tiktoken():
try:
import tiktoken # type: ignore
return tiktoken
except Exception:
return None
def _approx_tokens(text: str) -> int:
if not text:
return 0
return max(1, int(len(text) / 4))
def _count_text_tokens(text: str, model: str = "") -> int:
tk = _safe_import_tiktoken()
if tk is None:
return _approx_tokens(text)
try:
enc = tk.encoding_for_model(model) if model else tk.get_encoding("cl100k_base")
except Exception:
enc = tk.get_encoding("cl100k_base")
return len(enc.encode(text or ""))
def _truncate_to_tokens(text: str, max_tokens: int, model: str = "") -> str:
"""
Deterministic truncation. Uses tiktoken if available; otherwise approximates by char ratio.
"""
if not text:
return text
tk = _safe_import_tiktoken()
if tk is None:
total = _approx_tokens(text)
if total <= max_tokens:
return text
ratio = max_tokens / max(1, total)
cut = max(50, min(len(text), int(len(text) * ratio)))
s = text[:cut]
while _approx_tokens(s) > max_tokens and len(s) > 50:
s = s[: int(len(s) * 0.9)]
return s
try:
enc = tk.encoding_for_model(model) if model else tk.get_encoding("cl100k_base")
except Exception:
enc = tk.get_encoding("cl100k_base")
ids = enc.encode(text or "")
if len(ids) <= max_tokens:
return text
return enc.decode(ids[:max_tokens])
# ============================
# RAG hard limits
# ============================
RAG_TOPK_LIMIT = 4
RAG_CHUNK_TOKEN_LIMIT = 500
RAG_CONTEXT_TOKEN_LIMIT = 2000 # 4 * 500
# ----------------------------
# Helpers
# ----------------------------
def _clean_text(s: str) -> str:
s = (s or "").replace("\r", "\n")
s = re.sub(r"\n{3,}", "\n\n", s)
return s.strip()
def _split_into_chunks(text: str, max_chars: int = 1400) -> List[str]:
"""
Simple deterministic chunker:
- split by blank lines
- then pack into <= max_chars
"""
text = _clean_text(text)
if not text:
return []
paras = [p.strip() for p in text.split("\n\n") if p.strip()]
chunks: List[str] = []
buf = ""
for p in paras:
if not buf:
buf = p
continue
if len(buf) + 2 + len(p) <= max_chars:
buf = buf + "\n\n" + p
else:
chunks.append(buf)
buf = p
if buf:
chunks.append(buf)
return chunks
def _file_label(path: str) -> str:
return os.path.basename(path) if path else "uploaded_file"
def _basename(x: str) -> str:
try:
return os.path.basename(x or "")
except Exception:
return x or ""
# ----------------------------
# Parsers
# ----------------------------
def _parse_pdf_to_text(path: str) -> List[Tuple[str, str]]:
"""
Returns list of (section_label, text)
section_label uses page numbers.
"""
reader = PdfReader(path)
out: List[Tuple[str, str]] = []
for i, page in enumerate(reader.pages):
t = page.extract_text() or ""
t = _clean_text(t)
if t:
out.append((f"p{i+1}", t))
return out
def _parse_docx_to_text(path: str) -> List[Tuple[str, str]]:
doc = Document(path)
paras = [p.text.strip() for p in doc.paragraphs if p.text and p.text.strip()]
if not paras:
return []
full = "\n\n".join(paras)
return [("docx", _clean_text(full))]
def _parse_pptx_to_text(path: str) -> List[Tuple[str, str]]:
prs = Presentation(path)
out: List[Tuple[str, str]] = []
for idx, slide in enumerate(prs.slides, start=1):
lines: List[str] = []
for shape in slide.shapes:
if hasattr(shape, "text") and shape.text:
txt = shape.text.strip()
if txt:
lines.append(txt)
if lines:
out.append((f"slide{idx}", _clean_text("\n".join(lines))))
return out
# ----------------------------
# Public API
# ----------------------------
def build_rag_chunks_from_file(path: str, doc_type: str) -> List[Dict]:
"""
Build RAG chunks from a local file path.
Supports: .pdf / .docx / .pptx / .txt
"""
if not path or not os.path.exists(path):
return []
ext = os.path.splitext(path)[1].lower()
source_file = _file_label(path)
sections: List[Tuple[str, str]] = []
try:
if ext == ".pdf":
sections = _parse_pdf_to_text(path)
elif ext == ".docx":
sections = _parse_docx_to_text(path)
elif ext == ".pptx":
sections = _parse_pptx_to_text(path)
elif ext in [".txt", ".md"]:
with open(path, "r", encoding="utf-8", errors="ignore") as f:
sections = [("text", _clean_text(f.read()))]
else:
print(f"[rag_engine] unsupported file type: {ext}")
return []
except Exception as e:
print(f"[rag_engine] parse error for {source_file}: {repr(e)}")
return []
chunks: List[Dict] = []
for section, text in sections:
for j, piece in enumerate(_split_into_chunks(text), start=1):
chunks.append(
{
"text": piece,
"source_file": source_file,
"section": f"{section}#{j}",
"doc_type": doc_type,
}
)
return chunks
def retrieve_relevant_chunks(
query: str,
chunks: List[Dict],
k: int = RAG_TOPK_LIMIT,
max_context_chars: int = 600, # kept for backward compatibility (still used as a safety cap)
min_score: int = 6,
chunk_token_limit: int = RAG_CHUNK_TOKEN_LIMIT,
max_context_tokens: int = RAG_CONTEXT_TOKEN_LIMIT,
model_for_tokenizer: str = "",
# ✅ NEW: scoping controls
allowed_source_files: Optional[List[str]] = None,
allowed_doc_types: Optional[List[str]] = None,
) -> Tuple[str, List[Dict]]:
"""
Deterministic lightweight retrieval (no embeddings):
- score by token overlap
- return top-k chunks concatenated as context
✅ Scoping:
- If allowed_source_files provided: only consider chunks whose source_file basename is in the allowlist
- If allowed_doc_types provided: only consider chunks whose doc_type is in the allowlist
Scoping is applied BEFORE scoring; returned used_chunks are the true sources for refs.
Hard limits implemented:
- top-k <= 4 (default)
- each chunk <= 500 tokens
- total context <= 2000 tokens (default)
"""
query = _clean_text(query)
if not query or not chunks:
return "", []
# ----------------------------
# ✅ Apply scoping BEFORE scoring
# ----------------------------
filtered = chunks or []
if allowed_source_files:
allow_files = {_basename(str(x)).strip() for x in allowed_source_files if str(x).strip()}
if allow_files:
filtered = [
c
for c in filtered
if _basename(str(c.get("source_file", ""))).strip() in allow_files
]
if allowed_doc_types:
allow_dt = {str(x).strip() for x in allowed_doc_types if str(x).strip()}
if allow_dt:
filtered = [c for c in filtered if str(c.get("doc_type", "")).strip() in allow_dt]
if not filtered:
return "", []
# ✅ Short query gate: avoid wasting time on RAG for greetings / tiny inputs
q_tokens_list = re.findall(r"[a-zA-Z0-9]+", query.lower())
if (len(q_tokens_list) < 3) and (len(query) < 20):
return "", []
q_tokens = set(q_tokens_list)
if not q_tokens:
return "", []
scored: List[Tuple[int, Dict]] = []
for c in filtered:
text = (c.get("text") or "")
if not text:
continue
t_tokens = set(re.findall(r"[a-zA-Z0-9]+", text.lower()))
score = len(q_tokens.intersection(t_tokens))
if score >= min_score:
scored.append((score, c))
if not scored:
return "", []
scored.sort(key=lambda x: x[0], reverse=True)
# hard cap k
k = min(int(k or RAG_TOPK_LIMIT), RAG_TOPK_LIMIT)
top = [c for _, c in scored[:k]]
# truncate each chunk to <= chunk_token_limit
used: List[Dict] = []
truncated_texts: List[str] = []
total_tokens = 0
for c in top:
raw = c.get("text") or ""
if not raw:
continue
t = _truncate_to_tokens(raw, max_tokens=chunk_token_limit, model=model_for_tokenizer)
# enforce total context tokens cap
t_tokens = _count_text_tokens(t, model=model_for_tokenizer)
if total_tokens + t_tokens > max_context_tokens:
remaining = max_context_tokens - total_tokens
if remaining <= 0:
break
t = _truncate_to_tokens(t, max_tokens=remaining, model=model_for_tokenizer)
t_tokens = _count_text_tokens(t, model=model_for_tokenizer)
# legacy char cap safety (keep your previous behavior as extra guard)
if max_context_chars and max_context_chars > 0:
current_chars = sum(len(x) for x in truncated_texts)
if current_chars + len(t) > max_context_chars:
t = t[: max(0, max_context_chars - current_chars)]
t = _clean_text(t)
if not t:
continue
truncated_texts.append(t)
used.append(c)
total_tokens += t_tokens
if total_tokens >= max_context_tokens:
break
if not truncated_texts:
return "", []
context = "\n\n---\n\n".join(truncated_texts)
return context, used
|