retriever.py mit neuer Wrapper Klasse
This commit is contained in:
parent
90f0be6baf
commit
c3ef65d069
|
|
@ -1,3 +1,9 @@
|
||||||
|
"""
|
||||||
|
app/core/retriever.py — Hybrider Such-Algorithmus
|
||||||
|
|
||||||
|
Version:
|
||||||
|
0.5.1 (WP-05 Fix: Wrapper-Class added)
|
||||||
|
"""
|
||||||
from __future__ import annotations
|
from __future__ import annotations
|
||||||
|
|
||||||
import os
|
import os
|
||||||
|
|
@ -22,24 +28,18 @@ import app.core.graph_adapter as ga
|
||||||
|
|
||||||
try:
|
try:
|
||||||
import yaml # type: ignore[import]
|
import yaml # type: ignore[import]
|
||||||
except Exception: # pragma: no cover - Fallback, falls PyYAML nicht installiert ist
|
except Exception: # pragma: no cover
|
||||||
yaml = None # type: ignore[assignment]
|
yaml = None # type: ignore[assignment]
|
||||||
|
|
||||||
|
|
||||||
@lru_cache
|
@lru_cache
|
||||||
def _get_scoring_weights() -> Tuple[float, float, float]:
|
def _get_scoring_weights() -> Tuple[float, float, float]:
|
||||||
"""Liefert (semantic_weight, edge_weight, centrality_weight) für den Retriever.
|
"""Liefert (semantic_weight, edge_weight, centrality_weight) für den Retriever."""
|
||||||
|
|
||||||
Priorität:
|
|
||||||
1. Werte aus config/retriever.yaml (falls vorhanden und gültig).
|
|
||||||
2. Fallback auf Settings.RETRIEVER_W_* (ENV-basiert).
|
|
||||||
"""
|
|
||||||
settings = get_settings()
|
settings = get_settings()
|
||||||
sem = float(getattr(settings, "RETRIEVER_W_SEM", 1.0))
|
sem = float(getattr(settings, "RETRIEVER_W_SEM", 1.0))
|
||||||
edge = float(getattr(settings, "RETRIEVER_W_EDGE", 0.0))
|
edge = float(getattr(settings, "RETRIEVER_W_EDGE", 0.0))
|
||||||
cent = float(getattr(settings, "RETRIEVER_W_CENT", 0.0))
|
cent = float(getattr(settings, "RETRIEVER_W_CENT", 0.0))
|
||||||
|
|
||||||
# YAML-Override, falls konfiguriert
|
|
||||||
config_path = os.getenv("MINDNET_RETRIEVER_CONFIG", "config/retriever.yaml")
|
config_path = os.getenv("MINDNET_RETRIEVER_CONFIG", "config/retriever.yaml")
|
||||||
if yaml is None:
|
if yaml is None:
|
||||||
return sem, edge, cent
|
return sem, edge, cent
|
||||||
|
|
@ -52,22 +52,19 @@ def _get_scoring_weights() -> Tuple[float, float, float]:
|
||||||
edge = float(scoring.get("edge_weight", edge))
|
edge = float(scoring.get("edge_weight", edge))
|
||||||
cent = float(scoring.get("centrality_weight", cent))
|
cent = float(scoring.get("centrality_weight", cent))
|
||||||
except Exception:
|
except Exception:
|
||||||
# Bei Fehlern in der YAML-Konfiguration defensiv auf Defaults zurückfallen
|
|
||||||
return sem, edge, cent
|
return sem, edge, cent
|
||||||
return sem, edge, cent
|
return sem, edge, cent
|
||||||
|
|
||||||
|
|
||||||
def _get_client_and_prefix() -> Tuple[Any, str]:
|
def _get_client_and_prefix() -> Tuple[Any, str]:
|
||||||
"""Liefert (QdrantClient, prefix) basierend auf QdrantConfig.from_env()."""
|
"""Liefert (QdrantClient, prefix)."""
|
||||||
cfg = qdr.QdrantConfig.from_env()
|
cfg = qdr.QdrantConfig.from_env()
|
||||||
client = qdr.get_client(cfg)
|
client = qdr.get_client(cfg)
|
||||||
return client, cfg.prefix
|
return client, cfg.prefix
|
||||||
|
|
||||||
|
|
||||||
def _get_query_vector(req: QueryRequest) -> List[float]:
|
def _get_query_vector(req: QueryRequest) -> List[float]:
|
||||||
"""
|
"""Liefert den Query-Vektor aus dem Request."""
|
||||||
Liefert den Query-Vektor aus dem Request.
|
|
||||||
"""
|
|
||||||
if req.query_vector:
|
if req.query_vector:
|
||||||
return list(req.query_vector)
|
return list(req.query_vector)
|
||||||
|
|
||||||
|
|
@ -78,9 +75,9 @@ def _get_query_vector(req: QueryRequest) -> List[float]:
|
||||||
model_name = settings.MODEL_NAME
|
model_name = settings.MODEL_NAME
|
||||||
|
|
||||||
try:
|
try:
|
||||||
return ec.embed_text(req.query, model_name=model_name) # type: ignore[call-arg]
|
return ec.embed_text(req.query, model_name=model_name)
|
||||||
except TypeError:
|
except TypeError:
|
||||||
return ec.embed_text(req.query) # type: ignore[call-arg]
|
return ec.embed_text(req.query)
|
||||||
|
|
||||||
|
|
||||||
def _semantic_hits(
|
def _semantic_hits(
|
||||||
|
|
@ -90,7 +87,7 @@ def _semantic_hits(
|
||||||
top_k: int,
|
top_k: int,
|
||||||
filters: Dict[str, Any] | None = None,
|
filters: Dict[str, Any] | None = None,
|
||||||
) -> List[Tuple[str, float, Dict[str, Any]]]:
|
) -> List[Tuple[str, float, Dict[str, Any]]]:
|
||||||
"""Führt eine semantische Suche über mindnet_chunks aus und liefert Roh-Treffer."""
|
"""Führt eine semantische Suche aus."""
|
||||||
flt = filters or None
|
flt = filters or None
|
||||||
raw_hits = qp.search_chunks_by_vector(client, prefix, vector, top=top_k, filters=flt)
|
raw_hits = qp.search_chunks_by_vector(client, prefix, vector, top=top_k, filters=flt)
|
||||||
results: List[Tuple[str, float, Dict[str, Any]]] = []
|
results: List[Tuple[str, float, Dict[str, Any]]] = []
|
||||||
|
|
@ -105,7 +102,7 @@ def _compute_total_score(
|
||||||
edge_bonus: float = 0.0,
|
edge_bonus: float = 0.0,
|
||||||
cent_bonus: float = 0.0,
|
cent_bonus: float = 0.0,
|
||||||
) -> Tuple[float, float, float]:
|
) -> Tuple[float, float, float]:
|
||||||
"""Berechnet total_score aus semantic_score, retriever_weight und Graph-Boni."""
|
"""Berechnet total_score."""
|
||||||
raw_weight = payload.get("retriever_weight", 1.0)
|
raw_weight = payload.get("retriever_weight", 1.0)
|
||||||
try:
|
try:
|
||||||
weight = float(raw_weight)
|
weight = float(raw_weight)
|
||||||
|
|
@ -129,10 +126,7 @@ def _build_explanation(
|
||||||
subgraph: Optional[ga.Subgraph],
|
subgraph: Optional[ga.Subgraph],
|
||||||
node_key: Optional[str]
|
node_key: Optional[str]
|
||||||
) -> Explanation:
|
) -> Explanation:
|
||||||
"""
|
"""Erstellt ein Explanation-Objekt."""
|
||||||
Erstellt ein detailliertes Explanation-Objekt für einen Treffer.
|
|
||||||
Analysiert Scores, Typen und Kanten (Incoming & Outgoing).
|
|
||||||
"""
|
|
||||||
sem_w, edge_w, cent_w = _get_scoring_weights()
|
sem_w, edge_w, cent_w = _get_scoring_weights()
|
||||||
|
|
||||||
try:
|
try:
|
||||||
|
|
@ -155,100 +149,49 @@ def _build_explanation(
|
||||||
reasons: List[Reason] = []
|
reasons: List[Reason] = []
|
||||||
edges_dto: List[EdgeDTO] = []
|
edges_dto: List[EdgeDTO] = []
|
||||||
|
|
||||||
# 1. Semantische Gründe
|
|
||||||
if semantic_score > 0.85:
|
if semantic_score > 0.85:
|
||||||
reasons.append(Reason(
|
reasons.append(Reason(kind="semantic", message="Sehr hohe textuelle Übereinstimmung.", score_impact=breakdown.semantic_contribution))
|
||||||
kind="semantic",
|
|
||||||
message="Sehr hohe textuelle Übereinstimmung.",
|
|
||||||
score_impact=breakdown.semantic_contribution
|
|
||||||
))
|
|
||||||
elif semantic_score > 0.70:
|
elif semantic_score > 0.70:
|
||||||
reasons.append(Reason(
|
reasons.append(Reason(kind="semantic", message="Gute textuelle Übereinstimmung.", score_impact=breakdown.semantic_contribution))
|
||||||
kind="semantic",
|
|
||||||
message="Gute textuelle Übereinstimmung.",
|
|
||||||
score_impact=breakdown.semantic_contribution
|
|
||||||
))
|
|
||||||
|
|
||||||
# 2. Typ-Gründe
|
|
||||||
if type_weight != 1.0:
|
if type_weight != 1.0:
|
||||||
msg = "Bevorzugt" if type_weight > 1.0 else "Leicht abgewertet"
|
msg = "Bevorzugt" if type_weight > 1.0 else "Leicht abgewertet"
|
||||||
reasons.append(Reason(
|
reasons.append(Reason(kind="type", message=f"{msg} aufgrund des Typs '{note_type}'.", score_impact=(sem_w * semantic_score * (type_weight - 1.0))))
|
||||||
kind="type",
|
|
||||||
message=f"{msg} aufgrund des Typs '{note_type}' (Gewicht: {type_weight}).",
|
|
||||||
score_impact=(sem_w * semantic_score * (type_weight - 1.0))
|
|
||||||
))
|
|
||||||
|
|
||||||
# 3. Graph-Gründe (Edges)
|
|
||||||
if subgraph and node_key and edge_bonus > 0:
|
if subgraph and node_key and edge_bonus > 0:
|
||||||
# Wir sammeln die stärksten Kanten (egal ob rein oder raus),
|
|
||||||
# die zum Score beitragen.
|
|
||||||
|
|
||||||
# A) Outgoing (Ich verweise auf...) - Das ist oft der Hub-Score
|
|
||||||
if hasattr(subgraph, "get_outgoing_edges"):
|
if hasattr(subgraph, "get_outgoing_edges"):
|
||||||
outgoing = subgraph.get_outgoing_edges(node_key)
|
outgoing = subgraph.get_outgoing_edges(node_key)
|
||||||
for edge in outgoing:
|
for edge in outgoing:
|
||||||
target = edge.get("target", "Unknown")
|
target = edge.get("target", "Unknown")
|
||||||
kind = edge.get("kind", "edge")
|
kind = edge.get("kind", "edge")
|
||||||
weight = edge.get("weight", 0.0)
|
weight = edge.get("weight", 0.0)
|
||||||
|
|
||||||
# Nur relevante Kanten aufnehmen
|
|
||||||
if weight > 0.05:
|
if weight > 0.05:
|
||||||
edges_dto.append(EdgeDTO(
|
edges_dto.append(EdgeDTO(id=f"{node_key}->{target}:{kind}", kind=kind, source=node_key, target=target, weight=weight, direction="out"))
|
||||||
id=f"{node_key}->{target}:{kind}",
|
|
||||||
kind=kind, source=node_key, target=target, weight=weight, direction="out"
|
|
||||||
))
|
|
||||||
|
|
||||||
# B) Incoming (Ich werde verwiesen von...)
|
|
||||||
if hasattr(subgraph, "get_incoming_edges"):
|
if hasattr(subgraph, "get_incoming_edges"):
|
||||||
incoming = subgraph.get_incoming_edges(node_key)
|
incoming = subgraph.get_incoming_edges(node_key)
|
||||||
for edge in incoming:
|
for edge in incoming:
|
||||||
src = edge.get("source", "Unknown")
|
src = edge.get("source", "Unknown")
|
||||||
kind = edge.get("kind", "edge")
|
kind = edge.get("kind", "edge")
|
||||||
weight = edge.get("weight", 0.0)
|
weight = edge.get("weight", 0.0)
|
||||||
|
|
||||||
if weight > 0.05:
|
if weight > 0.05:
|
||||||
edges_dto.append(EdgeDTO(
|
edges_dto.append(EdgeDTO(id=f"{src}->{node_key}:{kind}", kind=kind, source=src, target=node_key, weight=weight, direction="in"))
|
||||||
id=f"{src}->{node_key}:{kind}",
|
|
||||||
kind=kind, source=src, target=node_key, weight=weight, direction="in"
|
|
||||||
))
|
|
||||||
|
|
||||||
# Sortieren nach Gewicht und Top-3 als Reasons generieren
|
|
||||||
all_edges = sorted(edges_dto, key=lambda e: e.weight, reverse=True)
|
all_edges = sorted(edges_dto, key=lambda e: e.weight, reverse=True)
|
||||||
|
|
||||||
for top_edge in all_edges[:3]:
|
for top_edge in all_edges[:3]:
|
||||||
# Impact schätzen (grob, da Edge-Bonus eine Summe ist)
|
|
||||||
impact = edge_w * top_edge.weight
|
impact = edge_w * top_edge.weight
|
||||||
|
dir_txt = "Verweist auf" if top_edge.direction == "out" else "Referenziert von"
|
||||||
|
tgt_txt = top_edge.target if top_edge.direction == "out" else top_edge.source
|
||||||
|
reasons.append(Reason(kind="edge", message=f"{dir_txt} '{tgt_txt}' via '{top_edge.kind}'", score_impact=impact, details={"kind": top_edge.kind}))
|
||||||
|
|
||||||
if top_edge.direction == "out":
|
|
||||||
msg = f"Verweist auf '{top_edge.target}' via '{top_edge.kind}'"
|
|
||||||
else:
|
|
||||||
msg = f"Referenziert von '{top_edge.source}' via '{top_edge.kind}'"
|
|
||||||
|
|
||||||
reasons.append(Reason(
|
|
||||||
kind="edge",
|
|
||||||
message=msg,
|
|
||||||
score_impact=impact,
|
|
||||||
details={"kind": top_edge.kind, "weight": top_edge.weight}
|
|
||||||
))
|
|
||||||
|
|
||||||
# 4. Centrality
|
|
||||||
if cent_bonus > 0.01:
|
if cent_bonus > 0.01:
|
||||||
reasons.append(Reason(
|
reasons.append(Reason(kind="centrality", message="Knoten liegt zentral im Kontext.", score_impact=breakdown.centrality_contribution))
|
||||||
kind="centrality",
|
|
||||||
message="Knoten liegt zentral im Kontext.",
|
|
||||||
score_impact=breakdown.centrality_contribution
|
|
||||||
))
|
|
||||||
|
|
||||||
return Explanation(
|
return Explanation(breakdown=breakdown, reasons=reasons, related_edges=edges_dto if edges_dto else None)
|
||||||
breakdown=breakdown,
|
|
||||||
reasons=reasons,
|
|
||||||
related_edges=edges_dto if edges_dto else None
|
|
||||||
)
|
|
||||||
# --- End Explanation Logic ---
|
|
||||||
|
|
||||||
|
|
||||||
def _extract_expand_options(req: QueryRequest) -> Tuple[int, List[str] | None]:
|
def _extract_expand_options(req: QueryRequest) -> Tuple[int, List[str] | None]:
|
||||||
"""Extrahiert depth und edge_types aus req.expand."""
|
"""Extrahiert depth und edge_types."""
|
||||||
expand = getattr(req, "expand", None)
|
expand = getattr(req, "expand", None)
|
||||||
if not expand:
|
if not expand:
|
||||||
return 0, None
|
return 0, None
|
||||||
|
|
@ -278,14 +221,10 @@ def _build_hits_from_semantic(
|
||||||
top_k: int,
|
top_k: int,
|
||||||
used_mode: str,
|
used_mode: str,
|
||||||
subgraph: ga.Subgraph | None = None,
|
subgraph: ga.Subgraph | None = None,
|
||||||
explain: bool = False, # WP-04b
|
explain: bool = False,
|
||||||
) -> QueryResponse:
|
) -> QueryResponse:
|
||||||
"""Baut aus Raw-Hits und optionalem Subgraph strukturierte QueryHits.
|
"""Baut strukturierte QueryHits."""
|
||||||
|
|
||||||
WP-04b: Wenn explain=True, wird _build_explanation aufgerufen.
|
|
||||||
"""
|
|
||||||
t0 = time.time()
|
t0 = time.time()
|
||||||
|
|
||||||
enriched: List[Tuple[str, float, Dict[str, Any], float, float, float]] = []
|
enriched: List[Tuple[str, float, Dict[str, Any], float, float, float]] = []
|
||||||
|
|
||||||
for pid, semantic_score, payload in hits:
|
for pid, semantic_score, payload in hits:
|
||||||
|
|
@ -303,26 +242,14 @@ def _build_hits_from_semantic(
|
||||||
except Exception:
|
except Exception:
|
||||||
cent_bonus = 0.0
|
cent_bonus = 0.0
|
||||||
|
|
||||||
total, edge_bonus, cent_bonus = _compute_total_score(
|
total, edge_bonus, cent_bonus = _compute_total_score(semantic_score, payload, edge_bonus=edge_bonus, cent_bonus=cent_bonus)
|
||||||
semantic_score,
|
|
||||||
payload,
|
|
||||||
edge_bonus=edge_bonus,
|
|
||||||
cent_bonus=cent_bonus,
|
|
||||||
)
|
|
||||||
enriched.append((pid, float(semantic_score), payload, total, edge_bonus, cent_bonus))
|
enriched.append((pid, float(semantic_score), payload, total, edge_bonus, cent_bonus))
|
||||||
|
|
||||||
# Sortierung nach total_score absteigend
|
|
||||||
enriched_sorted = sorted(enriched, key=lambda h: h[3], reverse=True)
|
enriched_sorted = sorted(enriched, key=lambda h: h[3], reverse=True)
|
||||||
limited = enriched_sorted[: max(1, top_k)]
|
limited = enriched_sorted[: max(1, top_k)]
|
||||||
|
|
||||||
results: List[QueryHit] = []
|
results: List[QueryHit] = []
|
||||||
for pid, semantic_score, payload, total, edge_bonus, cent_bonus in limited:
|
for pid, semantic_score, payload, total, edge_bonus, cent_bonus in limited:
|
||||||
note_id = payload.get("note_id")
|
|
||||||
path = payload.get("path")
|
|
||||||
section = payload.get("section") or payload.get("section_title")
|
|
||||||
node_key = payload.get("chunk_id") or payload.get("note_id")
|
|
||||||
|
|
||||||
# WP-04b: Explanation bauen?
|
|
||||||
explanation_obj = None
|
explanation_obj = None
|
||||||
if explain:
|
if explain:
|
||||||
explanation_obj = _build_explanation(
|
explanation_obj = _build_explanation(
|
||||||
|
|
@ -331,59 +258,44 @@ def _build_hits_from_semantic(
|
||||||
edge_bonus=edge_bonus,
|
edge_bonus=edge_bonus,
|
||||||
cent_bonus=cent_bonus,
|
cent_bonus=cent_bonus,
|
||||||
subgraph=subgraph,
|
subgraph=subgraph,
|
||||||
node_key=node_key
|
node_key=payload.get("chunk_id") or payload.get("note_id")
|
||||||
)
|
)
|
||||||
|
|
||||||
results.append(
|
results.append(QueryHit(
|
||||||
QueryHit(
|
|
||||||
node_id=str(pid),
|
node_id=str(pid),
|
||||||
note_id=note_id,
|
note_id=payload.get("note_id"),
|
||||||
semantic_score=float(semantic_score),
|
semantic_score=float(semantic_score),
|
||||||
edge_bonus=edge_bonus,
|
edge_bonus=edge_bonus,
|
||||||
centrality_bonus=cent_bonus,
|
centrality_bonus=cent_bonus,
|
||||||
total_score=total,
|
total_score=total,
|
||||||
paths=None,
|
paths=None,
|
||||||
source={
|
source={"path": payload.get("path"), "section": payload.get("section") or payload.get("section_title")},
|
||||||
"path": path,
|
|
||||||
"section": section,
|
|
||||||
},
|
|
||||||
explanation=explanation_obj
|
explanation=explanation_obj
|
||||||
)
|
))
|
||||||
)
|
|
||||||
|
|
||||||
dt = int((time.time() - t0) * 1000)
|
dt = int((time.time() - t0) * 1000)
|
||||||
return QueryResponse(results=results, used_mode=used_mode, latency_ms=dt)
|
return QueryResponse(results=results, used_mode=used_mode, latency_ms=dt)
|
||||||
|
|
||||||
|
|
||||||
def semantic_retrieve(req: QueryRequest) -> QueryResponse:
|
def semantic_retrieve(req: QueryRequest) -> QueryResponse:
|
||||||
"""Reiner semantischer Retriever (ohne Edge-Expansion)."""
|
"""Reiner semantischer Retriever."""
|
||||||
client, prefix = _get_client_and_prefix()
|
client, prefix = _get_client_and_prefix()
|
||||||
vector = _get_query_vector(req)
|
vector = _get_query_vector(req)
|
||||||
top_k = req.top_k or get_settings().RETRIEVER_TOP_K
|
top_k = req.top_k or get_settings().RETRIEVER_TOP_K
|
||||||
|
|
||||||
hits = _semantic_hits(client, prefix, vector, top_k=top_k, filters=req.filters)
|
hits = _semantic_hits(client, prefix, vector, top_k=top_k, filters=req.filters)
|
||||||
|
return _build_hits_from_semantic(hits, top_k=top_k, used_mode="semantic", subgraph=None, explain=req.explain)
|
||||||
# explain Flag durchreichen
|
|
||||||
return _build_hits_from_semantic(
|
|
||||||
hits,
|
|
||||||
top_k=top_k,
|
|
||||||
used_mode="semantic",
|
|
||||||
subgraph=None,
|
|
||||||
explain=req.explain
|
|
||||||
)
|
|
||||||
|
|
||||||
|
|
||||||
def hybrid_retrieve(req: QueryRequest) -> QueryResponse:
|
def hybrid_retrieve(req: QueryRequest) -> QueryResponse:
|
||||||
"""Hybrid-Retriever: semantische Suche + optionale Edge-Expansion."""
|
"""Hybrid-Retriever: semantische Suche + optionale Edge-Expansion."""
|
||||||
client, prefix = _get_client_and_prefix()
|
client, prefix = _get_client_and_prefix()
|
||||||
|
|
||||||
if req.query_vector:
|
if req.query_vector:
|
||||||
vector = list(req.query_vector)
|
vector = list(req.query_vector)
|
||||||
else:
|
else:
|
||||||
vector = _get_query_vector(req)
|
vector = _get_query_vector(req)
|
||||||
|
|
||||||
top_k = req.top_k or get_settings().RETRIEVER_TOP_K
|
top_k = req.top_k or get_settings().RETRIEVER_TOP_K
|
||||||
|
|
||||||
hits = _semantic_hits(client, prefix, vector, top_k=top_k, filters=req.filters)
|
hits = _semantic_hits(client, prefix, vector, top_k=top_k, filters=req.filters)
|
||||||
|
|
||||||
depth, edge_types = _extract_expand_options(req)
|
depth, edge_types = _extract_expand_options(req)
|
||||||
|
|
@ -394,18 +306,31 @@ def hybrid_retrieve(req: QueryRequest) -> QueryResponse:
|
||||||
key = payload.get("chunk_id") or payload.get("note_id")
|
key = payload.get("chunk_id") or payload.get("note_id")
|
||||||
if key and key not in seed_ids:
|
if key and key not in seed_ids:
|
||||||
seed_ids.append(key)
|
seed_ids.append(key)
|
||||||
|
|
||||||
if seed_ids:
|
if seed_ids:
|
||||||
try:
|
try:
|
||||||
subgraph = ga.expand(client, prefix, seed_ids, depth=depth, edge_types=edge_types)
|
subgraph = ga.expand(client, prefix, seed_ids, depth=depth, edge_types=edge_types)
|
||||||
except Exception:
|
except Exception:
|
||||||
subgraph = None
|
subgraph = None
|
||||||
|
|
||||||
# explain Flag durchreichen
|
return _build_hits_from_semantic(hits, top_k=top_k, used_mode="hybrid", subgraph=subgraph, explain=req.explain)
|
||||||
return _build_hits_from_semantic(
|
|
||||||
hits,
|
|
||||||
top_k=top_k,
|
# --- WP-05 ADDITION: Wrapper Class for Chat Service ---
|
||||||
used_mode="hybrid",
|
class Retriever:
|
||||||
subgraph=subgraph,
|
"""
|
||||||
explain=req.explain
|
Wrapper-Klasse für WP-05 (Chat), die die existierende funktionale Logik nutzt.
|
||||||
)
|
Stellt sicher, dass WP-04 (/query) und WP-05 (/chat) dieselbe Basis verwenden.
|
||||||
|
"""
|
||||||
|
def __init__(self):
|
||||||
|
# Settings werden in den Funktionen via get_settings() geholt,
|
||||||
|
# daher ist hier kein State nötig.
|
||||||
|
pass
|
||||||
|
|
||||||
|
async def search(self, request: QueryRequest) -> QueryResponse:
|
||||||
|
"""
|
||||||
|
Führt die Suche aus.
|
||||||
|
Mappt auf 'hybrid_retrieve' (synchron), daher trivialer Wrapper.
|
||||||
|
"""
|
||||||
|
# Da hybrid_retrieve synchron ist, blockiert es hier kurz den EventLoop.
|
||||||
|
# Für den aktuellen Scale ist das okay.
|
||||||
|
return hybrid_retrieve(request)
|
||||||
Loading…
Reference in New Issue
Block a user