Spaces:
Sleeping
Sleeping
Update services/kb_creation.py
Browse files- services/kb_creation.py +43 -369
services/kb_creation.py
CHANGED
|
@@ -1,3 +1,4 @@
|
|
|
|
|
| 1 |
# services/kb_creation.py
|
| 2 |
import os
|
| 3 |
import re
|
|
@@ -7,15 +8,15 @@ from docx import Document
|
|
| 7 |
from sentence_transformers import SentenceTransformer
|
| 8 |
import chromadb
|
| 9 |
|
| 10 |
-
# ---------------------------- ChromaDB setup ----------------------------
|
| 11 |
CHROMA_PATH = os.path.join(os.getcwd(), "chroma_db")
|
| 12 |
client = chromadb.PersistentClient(path=CHROMA_PATH)
|
| 13 |
collection = client.get_or_create_collection(name="knowledge_base")
|
| 14 |
|
| 15 |
-
# ---------------------------- Embedding model ----------------------------
|
| 16 |
model = SentenceTransformer("sentence-transformers/all-MiniLM-L6-v2")
|
| 17 |
|
| 18 |
-
# ---------------------------- BM25 (lightweight) ----------------------------
|
| 19 |
BM25_INDEX_FILE = os.path.join(CHROMA_PATH, "bm25_index.pkl")
|
| 20 |
bm25_docs: List[Dict[str, Any]] = []
|
| 21 |
bm25_inverted: Dict[str, List[int]] = {}
|
|
@@ -25,7 +26,7 @@ bm25_ready: bool = False
|
|
| 25 |
BM25_K1 = 1.5
|
| 26 |
BM25_B = 0.75
|
| 27 |
|
| 28 |
-
# ---------------------------- Utilities ----------------------------
|
| 29 |
def _tokenize(text: str) -> List[str]:
|
| 30 |
if not text:
|
| 31 |
return []
|
|
@@ -41,7 +42,7 @@ def _normalize_query(q: str) -> str:
|
|
| 41 |
def _tokenize_meta_value(val: Optional[str]) -> List[str]:
|
| 42 |
return _tokenize(val or "")
|
| 43 |
|
| 44 |
-
# ---------------------------- DOCX parsing & chunking ----------------------------
|
| 45 |
BULLET_RE = re.compile(r"^\s*(?:[\-\*\u2022]|\d+[.)])\s+", re.IGNORECASE)
|
| 46 |
|
| 47 |
def _split_by_sections(doc: Document) -> List[Tuple[str, List[str]]]:
|
|
@@ -68,11 +69,7 @@ def _split_by_sections(doc: Document) -> List[Tuple[str, List[str]]]:
|
|
| 68 |
return sections
|
| 69 |
|
| 70 |
def _paragraphs_to_lines(paragraphs: List[str]) -> List[str]:
|
| 71 |
-
"""
|
| 72 |
-
Split paragraphs into bullet-aware lines:
|
| 73 |
-
- Preserve bullets/numbered list lines as separate atomic lines.
|
| 74 |
-
- Split long paragraphs by sentence boundaries.
|
| 75 |
-
"""
|
| 76 |
lines: List[str] = []
|
| 77 |
for p in (paragraphs or []):
|
| 78 |
p = (p or "").strip()
|
|
@@ -86,14 +83,11 @@ def _paragraphs_to_lines(paragraphs: List[str]) -> List[str]:
|
|
| 86 |
return lines
|
| 87 |
|
| 88 |
def _chunk_text_with_context(doc_title: str, section_title: str, paragraphs: List[str], max_words: int = 160) -> List[str]:
|
| 89 |
-
"""
|
| 90 |
-
Smaller chunks (≈160 words), bullet-aware for better recall of error bullets.
|
| 91 |
-
"""
|
| 92 |
lines = _paragraphs_to_lines(paragraphs)
|
| 93 |
chunks: List[str] = []
|
| 94 |
current: List[str] = []
|
| 95 |
current_len = 0
|
| 96 |
-
|
| 97 |
for ln in lines:
|
| 98 |
w = ln.split()
|
| 99 |
if current_len + len(w) > max_words or (BULLET_RE.match(ln) and current):
|
|
@@ -105,22 +99,19 @@ def _chunk_text_with_context(doc_title: str, section_title: str, paragraphs: Lis
|
|
| 105 |
else:
|
| 106 |
current.append(ln)
|
| 107 |
current_len += len(w)
|
| 108 |
-
|
| 109 |
if current:
|
| 110 |
chunk = " ".join(current).strip()
|
| 111 |
if chunk:
|
| 112 |
chunks.append(chunk)
|
| 113 |
-
|
| 114 |
if not chunks:
|
| 115 |
body = " ".join(lines).strip()
|
| 116 |
if body:
|
| 117 |
chunks = [body]
|
| 118 |
return chunks
|
| 119 |
|
| 120 |
-
# ---------------------------- Intent & Module tagging ----------------------------
|
| 121 |
SECTION_STEPS_HINTS = ["process steps", "procedure", "how to", "workflow", "instructions", "steps"]
|
| 122 |
SECTION_ERRORS_HINTS = ["common errors", "resolution", "troubleshooting", "known issues", "common issues", "escalation", "escalation path", "permissions", "access"]
|
| 123 |
-
|
| 124 |
PERMISSION_TERMS = [
|
| 125 |
"permission", "permissions", "access", "access right", "authorization", "authorisation",
|
| 126 |
"role", "role access", "role mapping", "security", "security profile", "privilege", "insufficient",
|
|
@@ -128,7 +119,6 @@ PERMISSION_TERMS = [
|
|
| 128 |
]
|
| 129 |
ERROR_TERMS = ["error", "issue", "fail", "failure", "not working", "cannot", "can't", "mismatch", "locked", "wrong", "denied"]
|
| 130 |
STEP_VERBS = ["navigate", "select", "scan", "verify", "confirm", "print", "move", "complete", "click", "open", "choose", "enter", "update", "save", "delete", "create", "attach", "assign"]
|
| 131 |
-
|
| 132 |
MODULE_VOCAB = {
|
| 133 |
"receiving": [
|
| 134 |
"receive", "receiving", "inbound receiving", "inbound", "goods receipt", "grn",
|
|
@@ -166,18 +156,13 @@ def _derive_semantic_intent_from_text(text: str) -> Tuple[str, List[str]]:
|
|
| 166 |
tags: List[str] = []
|
| 167 |
intent = "neutral"
|
| 168 |
if any(term in t for term in PERMISSION_TERMS):
|
| 169 |
-
intent = "errors"
|
| 170 |
-
tags.append("
|
| 171 |
-
|
| 172 |
-
tags.append("role_access")
|
| 173 |
-
if "security" in t:
|
| 174 |
-
tags.append("security")
|
| 175 |
if intent == "neutral" and any(term in t for term in ERROR_TERMS):
|
| 176 |
-
intent = "errors"
|
| 177 |
-
tags.append("errors")
|
| 178 |
if intent == "neutral" and any(v in t for v in STEP_VERBS):
|
| 179 |
-
intent = "steps"
|
| 180 |
-
tags.append("procedure")
|
| 181 |
return intent, list(set(tags))
|
| 182 |
|
| 183 |
def _derive_module_tags(text: str, filename: str, section_title: str) -> List[str]:
|
|
@@ -195,7 +180,7 @@ def _derive_module_tags(text: str, filename: str, section_title: str) -> List[st
|
|
| 195 |
found = ["appointments"]
|
| 196 |
return list(sorted(set(found)))
|
| 197 |
|
| 198 |
-
# ---------------------------- Ingestion ----------------------------
|
| 199 |
def ingest_documents(folder_path: str) -> None:
|
| 200 |
print(f"[KB] Checking folder: {folder_path}")
|
| 201 |
files = [f for f in os.listdir(folder_path) if f.lower().endswith('.docx')]
|
|
@@ -214,13 +199,10 @@ def ingest_documents(folder_path: str) -> None:
|
|
| 214 |
doc = Document(file_path)
|
| 215 |
sections = _split_by_sections(doc)
|
| 216 |
total_chunks = 0
|
| 217 |
-
|
| 218 |
for s_idx, (section_title, paras) in enumerate(sections):
|
| 219 |
chunks = _chunk_text_with_context(doc_title, section_title, paras, max_words=160)
|
| 220 |
total_chunks += len(chunks)
|
| 221 |
-
|
| 222 |
base_intent = _infer_intent_tag(section_title)
|
| 223 |
-
|
| 224 |
for c_idx, chunk in enumerate(chunks):
|
| 225 |
derived_intent, topic_tags = _derive_semantic_intent_from_text(chunk)
|
| 226 |
final_intent = base_intent
|
|
@@ -228,7 +210,6 @@ def ingest_documents(folder_path: str) -> None:
|
|
| 228 |
final_intent = "errors"
|
| 229 |
elif base_intent == "neutral" and derived_intent in ("steps", "prereqs"):
|
| 230 |
final_intent = derived_intent
|
| 231 |
-
|
| 232 |
module_tags = _derive_module_tags(chunk, file, section_title)
|
| 233 |
embedding = model.encode(chunk).tolist()
|
| 234 |
doc_id = f"{file}:{s_idx}:{c_idx}"
|
|
@@ -255,7 +236,6 @@ def ingest_documents(folder_path: str) -> None:
|
|
| 255 |
tf: Dict[str, int] = {}
|
| 256 |
for tkn in tokens:
|
| 257 |
tf[tkn] = tf.get(tkn, 0) + 1
|
| 258 |
-
|
| 259 |
idx = len(bm25_docs)
|
| 260 |
bm25_docs.append({
|
| 261 |
"id": doc_id,
|
|
@@ -271,14 +251,11 @@ def ingest_documents(folder_path: str) -> None:
|
|
| 271 |
if term not in seen:
|
| 272 |
bm25_df[term] = bm25_df.get(term, 0) + 1
|
| 273 |
seen.add(term)
|
| 274 |
-
|
| 275 |
print(f"[KB] Ingested {file} → {total_chunks} chunks")
|
| 276 |
-
|
| 277 |
N = len(bm25_docs)
|
| 278 |
if N > 0:
|
| 279 |
bm25_avgdl = sum(d["length"] for d in bm25_docs) / float(N)
|
| 280 |
bm25_ready = True
|
| 281 |
-
|
| 282 |
payload = {
|
| 283 |
"bm25_docs": bm25_docs,
|
| 284 |
"bm25_inverted": bm25_inverted,
|
|
@@ -293,7 +270,7 @@ def ingest_documents(folder_path: str) -> None:
|
|
| 293 |
print(f"[KB] BM25 index saved: {BM25_INDEX_FILE}")
|
| 294 |
print(f"[KB] Documents ingested. Total entries in Chroma: {collection.count()}")
|
| 295 |
|
| 296 |
-
# ---------------------------- BM25 load ----------------------------
|
| 297 |
def _load_bm25_index() -> None:
|
| 298 |
global bm25_docs, bm25_inverted, bm25_df, bm25_avgdl, bm25_ready
|
| 299 |
if not os.path.exists(BM25_INDEX_FILE):
|
|
@@ -313,7 +290,7 @@ def _load_bm25_index() -> None:
|
|
| 313 |
|
| 314 |
_load_bm25_index()
|
| 315 |
|
| 316 |
-
# ---------------------------- BM25 search ----------------------------
|
| 317 |
def _bm25_score_for_doc(query_terms: List[str], doc_idx: int) -> float:
|
| 318 |
if not bm25_ready or doc_idx < 0 or doc_idx >= len(bm25_docs):
|
| 319 |
return 0.0
|
|
@@ -359,7 +336,7 @@ def bm25_search(query: str, top_k: int = 50) -> List[Tuple[int, float]]:
|
|
| 359 |
scored.sort(key=lambda x: x[1], reverse=True)
|
| 360 |
return scored[:top_k]
|
| 361 |
|
| 362 |
-
# ---------------------------- Semantic-only ----------------------------
|
| 363 |
def search_knowledge_base(query: str, top_k: int = 10) -> dict:
|
| 364 |
query_embedding = model.encode(query).tolist()
|
| 365 |
res = collection.query(
|
|
@@ -370,7 +347,6 @@ def search_knowledge_base(query: str, top_k: int = 10) -> dict:
|
|
| 370 |
documents = (res.get("documents", [[]]) or [[]])[0]
|
| 371 |
metadatas = (res.get("metadatas", [[]]) or [[]])[0]
|
| 372 |
distances = (res.get("distances", [[]]) or [[]])[0]
|
| 373 |
-
|
| 374 |
# Synthesize IDs from metadata (filename:section:chunk_index)
|
| 375 |
ids: List[str] = []
|
| 376 |
if documents:
|
|
@@ -381,7 +357,6 @@ def search_knowledge_base(query: str, top_k: int = 10) -> dict:
|
|
| 381 |
idx = (m or {}).get("chunk_index", i)
|
| 382 |
synthesized.append(f"{fn}:{sec}:{idx}")
|
| 383 |
ids = synthesized
|
| 384 |
-
|
| 385 |
print(f"[KB] search → {len(documents)} docs (top_k={top_k}); first distance: {distances[0] if distances else 'n/a'}; ids synthesized={len(ids)}")
|
| 386 |
return {
|
| 387 |
"documents": documents,
|
|
@@ -390,331 +365,16 @@ def search_knowledge_base(query: str, top_k: int = 10) -> dict:
|
|
| 390 |
"ids": ids,
|
| 391 |
}
|
| 392 |
|
| 393 |
-
# ---------------------------- Hybrid search (improved + exact-match rerank) ----------------------------
|
| 394 |
-
|
| 395 |
-
|
| 396 |
-
|
| 397 |
-
|
| 398 |
-
"navigate": ["navigate", "go to", "open"],
|
| 399 |
-
}
|
| 400 |
-
ERROR_INTENT_TERMS = [
|
| 401 |
-
"error", "issue", "fail", "not working", "resolution", "fix",
|
| 402 |
-
"permission", "permissions", "access", "no access", "authorization", "authorisation",
|
| 403 |
-
"role", "role mapping", "not authorized", "permission denied", "insufficient privileges",
|
| 404 |
-
"escalation", "escalation path", "access right", "mismatch", "locked", "wrong"
|
| 405 |
-
]
|
| 406 |
|
| 407 |
-
|
| 408 |
-
|
| 409 |
-
if any(k in q for k in ERROR_INTENT_TERMS):
|
| 410 |
-
return "errors"
|
| 411 |
-
if any(k in q for k in ["steps", "procedure", "how to", "navigate", "process", "do", "perform", "receiving"]):
|
| 412 |
-
return "steps"
|
| 413 |
-
if any(k in q for k in ["pre-requisite", "prerequisites", "requirement", "requirements"]):
|
| 414 |
-
return "prereqs"
|
| 415 |
-
if any(k in q for k in ["purpose", "overview", "introduction"]):
|
| 416 |
-
return "purpose"
|
| 417 |
-
return "neutral"
|
| 418 |
|
| 419 |
-
|
| 420 |
-
q = (query or "").lower()
|
| 421 |
-
found = []
|
| 422 |
-
for act, syns in ACTION_SYNONYMS.items():
|
| 423 |
-
if any(s in q for s in syns):
|
| 424 |
-
found.append(act)
|
| 425 |
-
if any(w in q for w in ["receive", "receiving", "grn", "goods receipt", "inbound"]):
|
| 426 |
-
found.append("navigate")
|
| 427 |
-
return list(sorted(set(found))) or []
|
| 428 |
-
|
| 429 |
-
def _extract_modules_from_query(query: str) -> List[str]:
|
| 430 |
-
q = (query or "").lower()
|
| 431 |
-
found = []
|
| 432 |
-
for mod, syns in MODULE_VOCAB.items():
|
| 433 |
-
if any(s in q for s in syns):
|
| 434 |
-
found.append(mod)
|
| 435 |
-
if not found and any(w in q for w in ["receive", "receiving", "grn", "goods receipt", "inbound"]):
|
| 436 |
-
found = ["receiving"]
|
| 437 |
-
if "receiving" in found and "appointments" in found:
|
| 438 |
-
return ["receiving"]
|
| 439 |
-
return list(sorted(set(found)))
|
| 440 |
-
|
| 441 |
-
def _action_weight(text: str, actions: List[str]) -> float:
|
| 442 |
-
if not actions:
|
| 443 |
-
return 0.0
|
| 444 |
-
t = (text or "").lower()
|
| 445 |
-
score = 0.0
|
| 446 |
-
for act in actions:
|
| 447 |
-
for syn in ACTION_SYNONYMS.get(act, [act]):
|
| 448 |
-
if syn in t:
|
| 449 |
-
score += 1.0
|
| 450 |
-
conflicts = {"create": ["delete"], "delete": ["create"], "update": ["delete"], "navigate": []}
|
| 451 |
-
for act in actions:
|
| 452 |
-
for bad in conflicts.get(act, []):
|
| 453 |
-
for syn in ACTION_SYNONYMS.get(bad, [bad]):
|
| 454 |
-
if syn in t:
|
| 455 |
-
score -= 0.8
|
| 456 |
-
return score
|
| 457 |
-
|
| 458 |
-
def _module_weight(meta: Dict[str, Any], user_modules: List[str]) -> float:
|
| 459 |
-
if not user_modules:
|
| 460 |
-
return 0.0
|
| 461 |
-
raw = (meta or {}).get("module_tags", "") or ""
|
| 462 |
-
doc_modules = [m.strip() for m in raw.split(",") if m.strip()] if isinstance(raw, str) else (raw or [])
|
| 463 |
-
overlap = len(set(user_modules) & set(doc_modules))
|
| 464 |
-
if overlap == 0:
|
| 465 |
-
return -0.8
|
| 466 |
-
return 0.7 * overlap
|
| 467 |
-
|
| 468 |
-
def _intent_weight(meta: dict, user_intent: str) -> float:
|
| 469 |
-
tag = (meta or {}).get("intent_tag", "neutral")
|
| 470 |
-
if user_intent == "neutral":
|
| 471 |
-
return 0.0
|
| 472 |
-
if tag == user_intent:
|
| 473 |
-
return 1.0
|
| 474 |
-
if tag in ["purpose", "prereqs"] and user_intent in ["steps", "errors"]:
|
| 475 |
-
return -0.6
|
| 476 |
-
st = ((meta or {}).get("section", "") or "").lower()
|
| 477 |
-
topics = (meta or {}).get("topic_tags", "") or ""
|
| 478 |
-
topic_list = [t.strip() for t in topics.split(",") if t.strip()]
|
| 479 |
-
# Prefer errors sections strongly
|
| 480 |
-
if user_intent == "errors" and (
|
| 481 |
-
any(k in st for k in ["common errors", "known issues", "common issues", "errors", "escalation", "permissions", "access"])
|
| 482 |
-
or ("permissions" in topic_list)
|
| 483 |
-
):
|
| 484 |
-
return 1.10 # stronger than before
|
| 485 |
-
if user_intent == "steps" and any(k in st for k in ["inbound receiving", "receiving", "goods receipt", "grn"]):
|
| 486 |
-
return 0.75
|
| 487 |
-
return -0.2
|
| 488 |
-
|
| 489 |
-
def _meta_overlap(meta: Dict[str, Any], q_terms: List[str]) -> float:
|
| 490 |
-
fn_tokens = _tokenize_meta_value(meta.get("filename"))
|
| 491 |
-
title_tokens = _tokenize_meta_value(meta.get("title"))
|
| 492 |
-
section_tokens = _tokenize_meta_value(meta.get("section"))
|
| 493 |
-
topic_tokens = _tokenize_meta_value((meta.get("topic_tags") or ""))
|
| 494 |
-
module_tokens = _tokenize_meta_value((meta.get("module_tags") or ""))
|
| 495 |
-
meta_tokens = set(fn_tokens + title_tokens + section_tokens + topic_tokens + module_tokens)
|
| 496 |
-
if not meta_tokens or not q_terms:
|
| 497 |
-
return 0.0
|
| 498 |
-
qset = set(q_terms)
|
| 499 |
-
inter = len(meta_tokens & qset)
|
| 500 |
-
return inter / max(1, len(qset))
|
| 501 |
-
|
| 502 |
-
def _make_ngrams(tokens: List[str], n: int) -> List[str]:
|
| 503 |
-
return [" ".join(tokens[i:i+n]) for i in range(len(tokens) - n + 1)]
|
| 504 |
-
|
| 505 |
-
def _phrase_boost_score(text: str, q_terms: List[str]) -> float:
|
| 506 |
-
if not text or not q_terms:
|
| 507 |
-
return 0.0
|
| 508 |
-
low = (text or "").lower()
|
| 509 |
-
bigrams = _make_ngrams(q_terms, 2)
|
| 510 |
-
trigrams = _make_ngrams(q_terms, 3)
|
| 511 |
-
score = 0.0
|
| 512 |
-
for bg in bigrams:
|
| 513 |
-
if bg and bg in low:
|
| 514 |
-
score += 0.40
|
| 515 |
-
for tg in trigrams:
|
| 516 |
-
if tg and tg in low:
|
| 517 |
-
score += 0.70
|
| 518 |
-
return min(score, 2.0)
|
| 519 |
-
|
| 520 |
-
def _literal_query_match_boost(text: str, query_norm: str) -> float:
|
| 521 |
-
"""Extra boost if exact normalized query substring or bigrams appear."""
|
| 522 |
-
t = (text or "").lower()
|
| 523 |
-
q = (query_norm or "").lower()
|
| 524 |
-
boost = 0.0
|
| 525 |
-
if q and q in t:
|
| 526 |
-
boost += 0.8
|
| 527 |
-
toks = [tok for tok in q.split() if len(tok) > 2]
|
| 528 |
-
bigrams = _make_ngrams(toks, 2)
|
| 529 |
-
for bg in bigrams:
|
| 530 |
-
if bg in t:
|
| 531 |
-
boost += 0.8
|
| 532 |
-
break
|
| 533 |
-
return min(boost, 1.6)
|
| 534 |
-
|
| 535 |
-
def hybrid_search_knowledge_base(query: str, top_k: int = 10, alpha: float = 0.6, beta: float = 0.4) -> dict:
|
| 536 |
-
norm_query = _normalize_query(query)
|
| 537 |
-
q_terms = _tokenize(norm_query)
|
| 538 |
-
user_intent = _detect_user_intent(query)
|
| 539 |
-
actions = _extract_actions(query)
|
| 540 |
-
user_modules = _extract_modules_from_query(query)
|
| 541 |
-
|
| 542 |
-
sem_res = search_knowledge_base(norm_query, top_k=max(top_k, 40))
|
| 543 |
-
sem_docs = sem_res.get("documents", [])
|
| 544 |
-
sem_metas = sem_res.get("metadatas", [])
|
| 545 |
-
sem_dists = sem_res.get("distances", [])
|
| 546 |
-
sem_ids = sem_res.get("ids", [])
|
| 547 |
-
|
| 548 |
-
def dist_to_sim(d: Optional[float]) -> float:
|
| 549 |
-
if d is None:
|
| 550 |
-
return 0.0
|
| 551 |
-
try:
|
| 552 |
-
return 1.0 / (1.0 + float(d))
|
| 553 |
-
except Exception:
|
| 554 |
-
return 0.0
|
| 555 |
-
|
| 556 |
-
sem_sims = [dist_to_sim(d) for d in sem_dists]
|
| 557 |
-
|
| 558 |
-
bm25_hits = bm25_search(norm_query, top_k=max(80, top_k * 6))
|
| 559 |
-
bm25_max = max([s for _, s in bm25_hits], default=1.0)
|
| 560 |
-
bm25_norm_pairs = [(idx, (score / bm25_max) if bm25_max > 0 else 0.0) for idx, score in bm25_hits]
|
| 561 |
-
bm25_id_to_norm, bm25_id_to_text, bm25_id_to_meta = {}, {}, {}
|
| 562 |
-
for idx, nscore in bm25_norm_pairs:
|
| 563 |
-
d = bm25_docs[idx]
|
| 564 |
-
bm25_id_to_norm[d["id"]] = nscore
|
| 565 |
-
bm25_id_to_text[d["id"]] = d["text"]
|
| 566 |
-
bm25_id_to_meta[d["id"]] = d["meta"]
|
| 567 |
-
|
| 568 |
-
union_ids = set(sem_ids) | set(bm25_id_to_norm.keys())
|
| 569 |
-
|
| 570 |
-
gamma = 0.30 # meta overlap
|
| 571 |
-
delta = 0.55 # intent boost (stronger)
|
| 572 |
-
epsilon = 0.30 # action weight
|
| 573 |
-
zeta = 0.65 # module weight
|
| 574 |
-
eta = 0.50 # phrase-level boost (stronger)
|
| 575 |
-
theta = 0.40 # heading alignment bonus
|
| 576 |
-
iota = 0.60 # literal query match boost (stronger)
|
| 577 |
-
|
| 578 |
-
combined_records_ext: List[Tuple[str, float, float, str, Dict[str, Any], float, float, float, float, float, float, float]] = []
|
| 579 |
-
for cid in union_ids:
|
| 580 |
-
if cid in sem_ids:
|
| 581 |
-
pos = sem_ids.index(cid)
|
| 582 |
-
sem_sim = sem_sims[pos] if pos < len(sem_sims) else 0.0
|
| 583 |
-
sem_dist = sem_dists[pos] if pos < len(sem_dists) else None
|
| 584 |
-
sem_text = sem_docs[pos] if pos < len(sem_docs) else ""
|
| 585 |
-
sem_meta = sem_metas[pos] if pos < len(sem_metas) else {}
|
| 586 |
-
else:
|
| 587 |
-
sem_sim, sem_dist, sem_text, sem_meta = 0.0, None, "", {}
|
| 588 |
-
|
| 589 |
-
bm25_sim = bm25_id_to_norm.get(cid, 0.0)
|
| 590 |
-
bm25_text = bm25_id_to_text.get(cid, "")
|
| 591 |
-
bm25_meta = bm25_id_to_meta.get(cid, {})
|
| 592 |
-
|
| 593 |
-
text = sem_text if sem_text else bm25_text
|
| 594 |
-
meta = sem_meta if sem_meta else bm25_meta
|
| 595 |
-
|
| 596 |
-
m_overlap = _meta_overlap(meta, q_terms)
|
| 597 |
-
intent_boost = _intent_weight(meta, user_intent)
|
| 598 |
-
act_wt = _action_weight(text, actions)
|
| 599 |
-
mod_wt = _module_weight(meta, user_modules)
|
| 600 |
-
phrase_wt = _phrase_boost_score(text, q_terms)
|
| 601 |
-
literal_wt = _literal_query_match_boost(text, norm_query)
|
| 602 |
-
|
| 603 |
-
sec_low = ((meta or {}).get("section", "") or "").lower()
|
| 604 |
-
title_low = ((meta or {}).get("title", "") or "").lower()
|
| 605 |
-
heading_bonus = 0.0
|
| 606 |
-
if any(root in sec_low for root in ["receiving", "inbound receiving", "goods receipt", "grn"]) and any(w in norm_query for w in ["receive", "receiving", "inbound", "grn", "goods receipt"]):
|
| 607 |
-
heading_bonus += 0.40
|
| 608 |
-
if any(root in title_low for root in ["receiving", "inbound receiving", "goods receipt", "grn"]) and any(w in norm_query for w in ["receive", "receiving", "inbound", "grn", "goods receipt"]):
|
| 609 |
-
heading_bonus += 0.40
|
| 610 |
-
if any(root in sec_low for root in ["appointment", "appointments", "schedule"]) and "receiv" in norm_query:
|
| 611 |
-
heading_bonus -= 0.35
|
| 612 |
-
|
| 613 |
-
final_score = (
|
| 614 |
-
alpha * sem_sim
|
| 615 |
-
+ beta * bm25_sim
|
| 616 |
-
+ gamma * m_overlap
|
| 617 |
-
+ delta * intent_boost
|
| 618 |
-
+ epsilon * act_wt
|
| 619 |
-
+ zeta * mod_wt
|
| 620 |
-
+ eta * phrase_wt
|
| 621 |
-
+ theta * heading_bonus
|
| 622 |
-
+ iota * literal_wt
|
| 623 |
-
)
|
| 624 |
-
|
| 625 |
-
combined_records_ext.append(
|
| 626 |
-
(cid, final_score, (sem_dist if sem_dist is not None else 999.0), text, meta, m_overlap, intent_boost, act_wt, mod_wt, phrase_wt, heading_bonus, literal_wt)
|
| 627 |
-
)
|
| 628 |
-
|
| 629 |
-
# ---- Exact-match rerank for errors ----
|
| 630 |
-
if user_intent == "errors":
|
| 631 |
-
exact_hits = []
|
| 632 |
-
for rec in combined_records_ext:
|
| 633 |
-
text_lower = (rec[3] or "").lower()
|
| 634 |
-
if any(phrase in text_lower for phrase in [
|
| 635 |
-
norm_query, # whole normalized query
|
| 636 |
-
# common 2-gram patterns extracted from the query
|
| 637 |
-
*(_make_ngrams([tok for tok in norm_query.split() if len(tok) > 2], 2))
|
| 638 |
-
]):
|
| 639 |
-
exact_hits.append(rec)
|
| 640 |
-
if exact_hits:
|
| 641 |
-
# Move exact hits to front and keep order by current final_score
|
| 642 |
-
rest = [r for r in combined_records_ext if r not in exact_hits]
|
| 643 |
-
exact_hits.sort(key=lambda x: x[1], reverse=True)
|
| 644 |
-
rest.sort(key=lambda x: x[1], reverse=True)
|
| 645 |
-
combined_records_ext = exact_hits + rest
|
| 646 |
-
|
| 647 |
-
from collections import defaultdict
|
| 648 |
-
doc_groups: Dict[str, List[Tuple[str, float, float, str, Dict[str, Any], float, float, float, float, float, float, float]]] = defaultdict(list)
|
| 649 |
-
for rec in combined_records_ext:
|
| 650 |
-
meta = rec[4] or {}
|
| 651 |
-
fn = meta.get("filename", "unknown")
|
| 652 |
-
doc_groups[fn].append(rec)
|
| 653 |
-
|
| 654 |
-
def doc_prior(recs: List[Tuple[str, float, float, str, Dict[str, Any], float, float, float, float, float, float, float]]) -> float:
|
| 655 |
-
total_score = sum(r[1] for r in recs)
|
| 656 |
-
total_overlap = sum(r[5] for r in recs)
|
| 657 |
-
total_intent = sum(max(0.0, r[6]) for r in recs)
|
| 658 |
-
total_action = sum(max(0.0, r[7]) for r in recs)
|
| 659 |
-
total_module = sum(r[8] for r in recs)
|
| 660 |
-
total_phrase = sum(r[9] for r in recs)
|
| 661 |
-
total_heading = sum(r[10] for r in recs)
|
| 662 |
-
total_literal = sum(r[11] for r in recs)
|
| 663 |
-
total_penalty = sum(min(0.0, r[6]) for r in recs) + sum(min(0.0, r[7]) for r in recs)
|
| 664 |
-
# Errors doc prior: if many chunks are from an errors/known issues section, add a bonus
|
| 665 |
-
errors_section_bonus = 0.0
|
| 666 |
-
if any("error" in ((r[4] or {}).get("section", "")).lower() or "known issues" in ((r[4] or {}).get("section", "")).lower()
|
| 667 |
-
or "common issues" in ((r[4] or {}).get("section", "")).lower() for r in recs):
|
| 668 |
-
errors_section_bonus = 0.5
|
| 669 |
-
return (
|
| 670 |
-
total_score
|
| 671 |
-
+ 0.4 * total_overlap
|
| 672 |
-
+ 0.7 * total_intent
|
| 673 |
-
+ 0.5 * total_action
|
| 674 |
-
+ 0.8 * total_module
|
| 675 |
-
+ 0.6 * total_phrase
|
| 676 |
-
+ 0.6 * total_heading
|
| 677 |
-
+ 0.7 * total_literal
|
| 678 |
-
+ errors_section_bonus
|
| 679 |
-
+ 0.3 * total_penalty
|
| 680 |
-
)
|
| 681 |
-
|
| 682 |
-
best_doc, best_doc_prior = None, -1.0
|
| 683 |
-
for fn, recs in doc_groups.items():
|
| 684 |
-
p = doc_prior(recs)
|
| 685 |
-
if p > best_doc_prior:
|
| 686 |
-
best_doc_prior, best_doc = p, fn
|
| 687 |
-
|
| 688 |
-
best_recs = sorted(doc_groups.get(best_doc, []), key=lambda x: x[1], reverse=True)
|
| 689 |
-
other_recs: List[Tuple[str, float, float, str, Dict[str, Any], float, float, float, float, float, float, float]] = []
|
| 690 |
-
for fn, recs in doc_groups.items():
|
| 691 |
-
if fn == best_doc:
|
| 692 |
-
continue
|
| 693 |
-
other_recs.extend(recs)
|
| 694 |
-
other_recs.sort(key=lambda x: x[1], reverse=True)
|
| 695 |
-
|
| 696 |
-
reordered = best_recs + other_recs
|
| 697 |
-
top = reordered[:top_k]
|
| 698 |
-
|
| 699 |
-
documents = [t[3] for t in top]
|
| 700 |
-
metadatas = [t[4] for t in top]
|
| 701 |
-
distances = [t[2] for t in top]
|
| 702 |
-
ids = [t[0] for t in top]
|
| 703 |
-
combined_scores = [t[1] for t in top]
|
| 704 |
-
|
| 705 |
-
return {
|
| 706 |
-
"documents": documents,
|
| 707 |
-
"metadatas": metadatas,
|
| 708 |
-
"distances": distances,
|
| 709 |
-
"ids": ids,
|
| 710 |
-
"combined_scores": combined_scores,
|
| 711 |
-
"best_doc": best_doc,
|
| 712 |
-
"best_doc_prior": best_doc_prior,
|
| 713 |
-
"user_intent": user_intent,
|
| 714 |
-
"actions": actions,
|
| 715 |
-
}
|
| 716 |
-
|
| 717 |
-
# ---------------------------- Section fetch helpers ----------------------------
|
| 718 |
def get_section_text(filename: str, section: str) -> str:
|
| 719 |
texts: List[str] = []
|
| 720 |
for d in bm25_docs:
|
|
@@ -758,7 +418,23 @@ def get_best_errors_section_text(filename: str) -> str:
|
|
| 758 |
texts.append(t)
|
| 759 |
return "\n\n".join(texts).strip()
|
| 760 |
|
| 761 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 762 |
def get_kb_runtime_info() -> Dict[str, Any]:
|
| 763 |
return {
|
| 764 |
"chroma_path": CHROMA_PATH,
|
|
@@ -778,13 +454,11 @@ def reset_kb(folder_path: str) -> Dict[str, Any]:
|
|
| 778 |
pass
|
| 779 |
global collection
|
| 780 |
collection = client.get_or_create_collection(name="knowledge_base")
|
| 781 |
-
|
| 782 |
try:
|
| 783 |
if os.path.isfile(BM25_INDEX_FILE):
|
| 784 |
os.remove(BM25_INDEX_FILE)
|
| 785 |
except Exception as e:
|
| 786 |
result.setdefault("warnings", []).append(f"bm25 index delete: {e}")
|
| 787 |
-
|
| 788 |
os.makedirs(CHROMA_PATH, exist_ok=True)
|
| 789 |
ingest_documents(folder_path)
|
| 790 |
result["info"] = get_kb_runtime_info()
|
|
|
|
| 1 |
+
|
| 2 |
# services/kb_creation.py
|
| 3 |
import os
|
| 4 |
import re
|
|
|
|
| 8 |
from sentence_transformers import SentenceTransformer
|
| 9 |
import chromadb
|
| 10 |
|
| 11 |
+
# ------------------------------ ChromaDB setup ------------------------------
|
| 12 |
CHROMA_PATH = os.path.join(os.getcwd(), "chroma_db")
|
| 13 |
client = chromadb.PersistentClient(path=CHROMA_PATH)
|
| 14 |
collection = client.get_or_create_collection(name="knowledge_base")
|
| 15 |
|
| 16 |
+
# ------------------------------ Embedding model ------------------------------
|
| 17 |
model = SentenceTransformer("sentence-transformers/all-MiniLM-L6-v2")
|
| 18 |
|
| 19 |
+
# ------------------------------ BM25 (lightweight) ------------------------------
|
| 20 |
BM25_INDEX_FILE = os.path.join(CHROMA_PATH, "bm25_index.pkl")
|
| 21 |
bm25_docs: List[Dict[str, Any]] = []
|
| 22 |
bm25_inverted: Dict[str, List[int]] = {}
|
|
|
|
| 26 |
BM25_K1 = 1.5
|
| 27 |
BM25_B = 0.75
|
| 28 |
|
| 29 |
+
# ------------------------------ Utilities ------------------------------
|
| 30 |
def _tokenize(text: str) -> List[str]:
|
| 31 |
if not text:
|
| 32 |
return []
|
|
|
|
| 42 |
def _tokenize_meta_value(val: Optional[str]) -> List[str]:
|
| 43 |
return _tokenize(val or "")
|
| 44 |
|
| 45 |
+
# ------------------------------ DOCX parsing & chunking ------------------------------
|
| 46 |
BULLET_RE = re.compile(r"^\s*(?:[\-\*\u2022]|\d+[.)])\s+", re.IGNORECASE)
|
| 47 |
|
| 48 |
def _split_by_sections(doc: Document) -> List[Tuple[str, List[str]]]:
|
|
|
|
| 69 |
return sections
|
| 70 |
|
| 71 |
def _paragraphs_to_lines(paragraphs: List[str]) -> List[str]:
|
| 72 |
+
"""Preserve bullets/numbered list lines; split long paragraphs by sentence boundaries."""
|
|
|
|
|
|
|
|
|
|
|
|
|
| 73 |
lines: List[str] = []
|
| 74 |
for p in (paragraphs or []):
|
| 75 |
p = (p or "").strip()
|
|
|
|
| 83 |
return lines
|
| 84 |
|
| 85 |
def _chunk_text_with_context(doc_title: str, section_title: str, paragraphs: List[str], max_words: int = 160) -> List[str]:
|
| 86 |
+
"""Smaller chunks (~160 words), bullet-aware."""
|
|
|
|
|
|
|
| 87 |
lines = _paragraphs_to_lines(paragraphs)
|
| 88 |
chunks: List[str] = []
|
| 89 |
current: List[str] = []
|
| 90 |
current_len = 0
|
|
|
|
| 91 |
for ln in lines:
|
| 92 |
w = ln.split()
|
| 93 |
if current_len + len(w) > max_words or (BULLET_RE.match(ln) and current):
|
|
|
|
| 99 |
else:
|
| 100 |
current.append(ln)
|
| 101 |
current_len += len(w)
|
|
|
|
| 102 |
if current:
|
| 103 |
chunk = " ".join(current).strip()
|
| 104 |
if chunk:
|
| 105 |
chunks.append(chunk)
|
|
|
|
| 106 |
if not chunks:
|
| 107 |
body = " ".join(lines).strip()
|
| 108 |
if body:
|
| 109 |
chunks = [body]
|
| 110 |
return chunks
|
| 111 |
|
| 112 |
+
# ------------------------------ Intent & Module tagging ------------------------------
|
| 113 |
SECTION_STEPS_HINTS = ["process steps", "procedure", "how to", "workflow", "instructions", "steps"]
|
| 114 |
SECTION_ERRORS_HINTS = ["common errors", "resolution", "troubleshooting", "known issues", "common issues", "escalation", "escalation path", "permissions", "access"]
|
|
|
|
| 115 |
PERMISSION_TERMS = [
|
| 116 |
"permission", "permissions", "access", "access right", "authorization", "authorisation",
|
| 117 |
"role", "role access", "role mapping", "security", "security profile", "privilege", "insufficient",
|
|
|
|
| 119 |
]
|
| 120 |
ERROR_TERMS = ["error", "issue", "fail", "failure", "not working", "cannot", "can't", "mismatch", "locked", "wrong", "denied"]
|
| 121 |
STEP_VERBS = ["navigate", "select", "scan", "verify", "confirm", "print", "move", "complete", "click", "open", "choose", "enter", "update", "save", "delete", "create", "attach", "assign"]
|
|
|
|
| 122 |
MODULE_VOCAB = {
|
| 123 |
"receiving": [
|
| 124 |
"receive", "receiving", "inbound receiving", "inbound", "goods receipt", "grn",
|
|
|
|
| 156 |
tags: List[str] = []
|
| 157 |
intent = "neutral"
|
| 158 |
if any(term in t for term in PERMISSION_TERMS):
|
| 159 |
+
intent = "errors"; tags.append("permissions")
|
| 160 |
+
if "role" in t: tags.append("role_access")
|
| 161 |
+
if "security" in t: tags.append("security")
|
|
|
|
|
|
|
|
|
|
| 162 |
if intent == "neutral" and any(term in t for term in ERROR_TERMS):
|
| 163 |
+
intent = "errors"; tags.append("errors")
|
|
|
|
| 164 |
if intent == "neutral" and any(v in t for v in STEP_VERBS):
|
| 165 |
+
intent = "steps"; tags.append("procedure")
|
|
|
|
| 166 |
return intent, list(set(tags))
|
| 167 |
|
| 168 |
def _derive_module_tags(text: str, filename: str, section_title: str) -> List[str]:
|
|
|
|
| 180 |
found = ["appointments"]
|
| 181 |
return list(sorted(set(found)))
|
| 182 |
|
| 183 |
+
# ------------------------------ Ingestion ------------------------------
|
| 184 |
def ingest_documents(folder_path: str) -> None:
|
| 185 |
print(f"[KB] Checking folder: {folder_path}")
|
| 186 |
files = [f for f in os.listdir(folder_path) if f.lower().endswith('.docx')]
|
|
|
|
| 199 |
doc = Document(file_path)
|
| 200 |
sections = _split_by_sections(doc)
|
| 201 |
total_chunks = 0
|
|
|
|
| 202 |
for s_idx, (section_title, paras) in enumerate(sections):
|
| 203 |
chunks = _chunk_text_with_context(doc_title, section_title, paras, max_words=160)
|
| 204 |
total_chunks += len(chunks)
|
|
|
|
| 205 |
base_intent = _infer_intent_tag(section_title)
|
|
|
|
| 206 |
for c_idx, chunk in enumerate(chunks):
|
| 207 |
derived_intent, topic_tags = _derive_semantic_intent_from_text(chunk)
|
| 208 |
final_intent = base_intent
|
|
|
|
| 210 |
final_intent = "errors"
|
| 211 |
elif base_intent == "neutral" and derived_intent in ("steps", "prereqs"):
|
| 212 |
final_intent = derived_intent
|
|
|
|
| 213 |
module_tags = _derive_module_tags(chunk, file, section_title)
|
| 214 |
embedding = model.encode(chunk).tolist()
|
| 215 |
doc_id = f"{file}:{s_idx}:{c_idx}"
|
|
|
|
| 236 |
tf: Dict[str, int] = {}
|
| 237 |
for tkn in tokens:
|
| 238 |
tf[tkn] = tf.get(tkn, 0) + 1
|
|
|
|
| 239 |
idx = len(bm25_docs)
|
| 240 |
bm25_docs.append({
|
| 241 |
"id": doc_id,
|
|
|
|
| 251 |
if term not in seen:
|
| 252 |
bm25_df[term] = bm25_df.get(term, 0) + 1
|
| 253 |
seen.add(term)
|
|
|
|
| 254 |
print(f"[KB] Ingested {file} → {total_chunks} chunks")
|
|
|
|
| 255 |
N = len(bm25_docs)
|
| 256 |
if N > 0:
|
| 257 |
bm25_avgdl = sum(d["length"] for d in bm25_docs) / float(N)
|
| 258 |
bm25_ready = True
|
|
|
|
| 259 |
payload = {
|
| 260 |
"bm25_docs": bm25_docs,
|
| 261 |
"bm25_inverted": bm25_inverted,
|
|
|
|
| 270 |
print(f"[KB] BM25 index saved: {BM25_INDEX_FILE}")
|
| 271 |
print(f"[KB] Documents ingested. Total entries in Chroma: {collection.count()}")
|
| 272 |
|
| 273 |
+
# ------------------------------ BM25 load ------------------------------
|
| 274 |
def _load_bm25_index() -> None:
|
| 275 |
global bm25_docs, bm25_inverted, bm25_df, bm25_avgdl, bm25_ready
|
| 276 |
if not os.path.exists(BM25_INDEX_FILE):
|
|
|
|
| 290 |
|
| 291 |
_load_bm25_index()
|
| 292 |
|
| 293 |
+
# ------------------------------ BM25 search ------------------------------
|
| 294 |
def _bm25_score_for_doc(query_terms: List[str], doc_idx: int) -> float:
|
| 295 |
if not bm25_ready or doc_idx < 0 or doc_idx >= len(bm25_docs):
|
| 296 |
return 0.0
|
|
|
|
| 336 |
scored.sort(key=lambda x: x[1], reverse=True)
|
| 337 |
return scored[:top_k]
|
| 338 |
|
| 339 |
+
# ------------------------------ Semantic-only ------------------------------
|
| 340 |
def search_knowledge_base(query: str, top_k: int = 10) -> dict:
|
| 341 |
query_embedding = model.encode(query).tolist()
|
| 342 |
res = collection.query(
|
|
|
|
| 347 |
documents = (res.get("documents", [[]]) or [[]])[0]
|
| 348 |
metadatas = (res.get("metadatas", [[]]) or [[]])[0]
|
| 349 |
distances = (res.get("distances", [[]]) or [[]])[0]
|
|
|
|
| 350 |
# Synthesize IDs from metadata (filename:section:chunk_index)
|
| 351 |
ids: List[str] = []
|
| 352 |
if documents:
|
|
|
|
| 357 |
idx = (m or {}).get("chunk_index", i)
|
| 358 |
synthesized.append(f"{fn}:{sec}:{idx}")
|
| 359 |
ids = synthesized
|
|
|
|
| 360 |
print(f"[KB] search → {len(documents)} docs (top_k={top_k}); first distance: {distances[0] if distances else 'n/a'}; ids synthesized={len(ids)}")
|
| 361 |
return {
|
| 362 |
"documents": documents,
|
|
|
|
| 365 |
"ids": ids,
|
| 366 |
}
|
| 367 |
|
| 368 |
+
# ------------------------------ Hybrid search (improved + exact-match rerank) ------------------------------
|
| 369 |
+
# (unchanged from your version; omitted for brevity here)
|
| 370 |
+
# NOTE: Keep your existing 'hybrid_search_knowledge_base' implementation as-is.
|
| 371 |
+
# It already returns best_doc, user_intent, etc.
|
| 372 |
+
from collections import defaultdict
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 373 |
|
| 374 |
+
# (Paste your existing hybrid_search_knowledge_base implementation here unchanged.)
|
| 375 |
+
# ── For brevity in this reply we keep your original code intact. ──
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 376 |
|
| 377 |
+
# ------------------------------ Section fetch helpers ------------------------------
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 378 |
def get_section_text(filename: str, section: str) -> str:
|
| 379 |
texts: List[str] = []
|
| 380 |
for d in bm25_docs:
|
|
|
|
| 418 |
texts.append(t)
|
| 419 |
return "\n\n".join(texts).strip()
|
| 420 |
|
| 421 |
+
def get_escalation_text(filename: str) -> str:
|
| 422 |
+
"""
|
| 423 |
+
Return concatenated text from any 'Escalation' section in the given SOP file.
|
| 424 |
+
Works across future SOPs—only relies on the heading name containing 'escalation'.
|
| 425 |
+
"""
|
| 426 |
+
texts: List[str] = []
|
| 427 |
+
for d in bm25_docs:
|
| 428 |
+
m = d.get("meta", {})
|
| 429 |
+
if m.get("filename") == filename:
|
| 430 |
+
sec = (m.get("section") or "").lower()
|
| 431 |
+
if "escalation" in sec:
|
| 432 |
+
t = (d.get("text") or "").strip()
|
| 433 |
+
if t:
|
| 434 |
+
texts.append(t)
|
| 435 |
+
return "\n\n".join(texts).strip()
|
| 436 |
+
|
| 437 |
+
# ------------------------------ Admin helpers ------------------------------
|
| 438 |
def get_kb_runtime_info() -> Dict[str, Any]:
|
| 439 |
return {
|
| 440 |
"chroma_path": CHROMA_PATH,
|
|
|
|
| 454 |
pass
|
| 455 |
global collection
|
| 456 |
collection = client.get_or_create_collection(name="knowledge_base")
|
|
|
|
| 457 |
try:
|
| 458 |
if os.path.isfile(BM25_INDEX_FILE):
|
| 459 |
os.remove(BM25_INDEX_FILE)
|
| 460 |
except Exception as e:
|
| 461 |
result.setdefault("warnings", []).append(f"bm25 index delete: {e}")
|
|
|
|
| 462 |
os.makedirs(CHROMA_PATH, exist_ok=True)
|
| 463 |
ingest_documents(folder_path)
|
| 464 |
result["info"] = get_kb_runtime_info()
|