Spaces:
Sleeping
Sleeping
File size: 14,842 Bytes
ba52088 abfdf7a 2e8b03f f6d0fb8 ba52088 e10965e 90e6b4c e10965e 90e6b4c e10965e 90e6b4c e10965e 3b55526 6c83262 f7d949d 6c977f5 6c83262 6c977f5 6c83262 6c977f5 6c83262 f7d949d 6c83262 f7d949d 6c83262 f7d949d 6c83262 f7d949d 6c83262 3b55526 6c83262 3b55526 6c83262 3b55526 6c83262 3b55526 a2280fa e10965e b38db64 e10965e b38db64 e10965e 3ac0ce6 b38db64 e10965e b38db64 e10965e b38db64 e10965e 4a00593 ba52088 4a00593 ba52088 4a00593 ba52088 4a00593 ba52088 4a00593 ba52088 4a00593 ba52088 aa38fcf ba52088 c81fd8c ba52088 a2280fa 84b8028 aa38fcf abfdf7a edc2f6f abfdf7a eefdfd0 aa38fcf abfdf7a e286539 a2280fa e286539 a2280fa e286539 6a06672 ba52088 c81fd8c ba52088 abfdf7a ba52088 689eb17 ba52088 abfdf7a ba52088 c8a2f75 abfdf7a c81fd8c c8a2f75 c81fd8c c8a2f75 ba52088 c81fd8c |
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 |
import logging
import sys
from llama_index.llms.google_genai import GoogleGenAI
from llama_index.llms.openai import OpenAI
from llama_index.embeddings.huggingface import HuggingFaceEmbedding
from sentence_transformers import CrossEncoder
from config import AVAILABLE_MODELS, DEFAULT_MODEL, GOOGLE_API_KEY
import time
from index_retriever import rerank_nodes
from my_logging import log_message
from config import PROMPT_SIMPLE_POISK
def get_llm_model(model_name):
try:
model_config = AVAILABLE_MODELS.get(model_name)
if not model_config:
log_message(f"Модель {model_name} не найдена, использую модель по умолчанию")
model_config = AVAILABLE_MODELS[DEFAULT_MODEL]
if not model_config.get("api_key"):
raise Exception(f"API ключ не найден для модели {model_name}")
if model_config["provider"] == "google":
# Fix: Remove image_config parameter or set it properly
return GoogleGenAI(
model=model_config["model_name"],
api_key=model_config["api_key"],
# Don't pass image_config=None
)
elif model_config["provider"] == "openai":
return OpenAI(
model=model_config["model_name"],
api_key=model_config["api_key"]
)
else:
raise Exception(f"Неподдерживаемый провайдер: {model_config['provider']}")
except Exception as e:
log_message(f"Ошибка создания модели {model_name}: {str(e)}")
# Fix: Also apply to fallback model
return GoogleGenAI(
model="gemini-2.0-flash",
api_key=GOOGLE_API_KEY
)
def get_embedding_model(model_name="sentence-transformers/paraphrase-multilingual-MiniLM-L12-v2"):
return HuggingFaceEmbedding(model_name=model_name)
def get_reranker_model(model_name='cross-encoder/ms-marco-MiniLM-L-12-v2'):
return CrossEncoder(model_name)
def format_context_for_llm(nodes):
context_parts = []
for node in nodes:
metadata = node.metadata if hasattr(node, 'metadata') else {}
doc_id = metadata.get('document_id', 'Неизвестный документ')
section_info = ""
# Handle section information with proper hierarchy
if metadata.get('section_path'):
section_path = metadata['section_path']
section_text = metadata.get('section_text', '')
parent_section = metadata.get('parent_section', '')
parent_title = metadata.get('parent_title', '')
level = metadata.get('level', '')
if level in ['subsection', 'sub_subsection', 'sub_sub_subsection'] and parent_section and parent_title:
# For subsections: раздел X (Title), пункт X.X
if section_text:
section_info = f"раздел {parent_section} ({parent_title}), пункт {section_path} ({section_text})"
else:
section_info = f"раздел {parent_section} ({parent_title}), пункт {section_path}"
elif section_text:
# For main sections: раздел X (Title)
section_info = f"раздел {section_path} ({section_text})"
else:
section_info = f"раздел {section_path}"
elif metadata.get('section_id'):
section_id = metadata['section_id']
section_text = metadata.get('section_text', '')
level = metadata.get('level', '')
parent_section = metadata.get('parent_section', '')
parent_title = metadata.get('parent_title', '')
if level in ['subsection', 'sub_subsection', 'sub_sub_subsection'] and parent_section and parent_title:
if section_text:
section_info = f"раздел {parent_section} ({parent_title}), пункт {section_id} ({section_text})"
else:
section_info = f"раздел {parent_section} ({parent_title}), пункт {section_id}"
elif section_text:
section_info = f"раздел {section_id} ({section_text})"
else:
section_info = f"раздел {section_id}"
# Override with table/image info if applicable
if metadata.get('type') == 'table' and metadata.get('table_number'):
table_num = metadata['table_number']
if not str(table_num).startswith('№'):
table_num = f"№{table_num}"
table_title = metadata.get('table_title', '')
# Include section context for tables
base_section = ""
if metadata.get('section_path'):
base_section = f", раздел {metadata['section_path']}"
elif metadata.get('section_id'):
base_section = f", раздел {metadata['section_id']}"
if table_title:
section_info = f"Таблица {table_num} ({table_title}){base_section}"
else:
section_info = f"Таблица {table_num}{base_section}"
if metadata.get('type') == 'image' and metadata.get('image_number'):
image_num = metadata['image_number']
if not str(image_num).startswith('№'):
image_num = f"№{image_num}"
image_title = metadata.get('image_title', '')
# Include section context for images
base_section = ""
if metadata.get('section_path'):
base_section = f", раздел {metadata['section_path']}"
elif metadata.get('section_id'):
base_section = f", раздел {metadata['section_id']}"
if image_title:
section_info = f"Рисунок {image_num} ({image_title}){base_section}"
else:
section_info = f"Рисунок {image_num}{base_section}"
context_text = node.text if hasattr(node, 'text') else str(node)
if section_info:
formatted_context = f"[ИСТОЧНИК: {section_info}, документ {doc_id}]\n{context_text}\n"
else:
formatted_context = f"[ИСТОЧНИК: документ {doc_id}]\n{context_text}\n"
context_parts.append(formatted_context)
return "\n".join(context_parts)
def generate_sources_html(nodes, chunks_df=None):
html = "<div style='background-color: #2d3748; color: white; padding: 20px; border-radius: 10px; max-height: 400px; overflow-y: auto;'>"
html += "<h3 style='color: #63b3ed; margin-top: 0;'>Источники:</h3>"
sources_by_doc = {}
for i, node in enumerate(nodes):
metadata = node.metadata if hasattr(node, 'metadata') else {}
doc_type = metadata.get('type', 'text')
doc_id = metadata.get('document_id', 'unknown')
section_id = metadata.get('section_id', '')
section_text = metadata.get('section_text', '')
section_path = metadata.get('section_path', '')
# Create a unique key for grouping
if doc_type == 'table':
table_num = metadata.get('table_number', 'unknown')
key = f"{doc_id}_table_{table_num}"
elif doc_type == 'image':
image_num = metadata.get('image_number', 'unknown')
key = f"{doc_id}_image_{image_num}"
else:
# For text documents, group by section path or section id
section_key = section_path if section_path else section_id
key = f"{doc_id}_text_{section_key}"
if key not in sources_by_doc:
sources_by_doc[key] = {
'doc_id': doc_id,
'doc_type': doc_type,
'metadata': metadata,
'sections': set()
}
# Add section information
if section_path:
sources_by_doc[key]['sections'].add(f"пункт {section_path}")
elif section_id and section_id != 'unknown':
sources_by_doc[key]['sections'].add(f"пункт {section_id}")
# Generate HTML for each unique source
for source_info in sources_by_doc.values():
metadata = source_info['metadata']
doc_type = source_info['doc_type']
doc_id = source_info['doc_id']
html += f"<div style='margin-bottom: 15px; padding: 15px; border: 1px solid #4a5568; border-radius: 8px; background-color: #1a202c;'>"
if doc_type == 'text':
html += f"<h4 style='margin: 0 0 10px 0; color: #63b3ed;'>📄 {doc_id}</h4>"
elif doc_type == 'table' or doc_type == 'table_row':
table_num = metadata.get('table_number', 'unknown')
table_title = metadata.get('table_title', '')
if table_num and table_num != 'unknown':
if not str(table_num).startswith('№'):
table_num = f"№{table_num}"
html += f"<h4 style='margin: 0 0 10px 0; color: #68d391;'>📊 Таблица {table_num} - {doc_id}</h4>"
if table_title and table_title != 'unknown':
html += f"<p style='margin: 5px 0; color: #a0aec0; font-size: 14px;'>{table_title}</p>"
else:
html += f"<h4 style='margin: 0 0 10px 0; color: #68d391;'>📊 Таблица - {doc_id}</h4>"
elif doc_type == 'image':
image_num = metadata.get('image_number', 'unknown')
image_title = metadata.get('image_title', '')
section = metadata.get('section', '')
if image_num and image_num != 'unknown':
if not str(image_num).startswith('№'):
image_num = f"№{image_num}"
html += f"<h4 style='margin: 0 0 10px 0; color: #fbb6ce;'>🖼️ Изображение {image_num} - {doc_id}</h4>"
if image_title and image_title != 'unknown':
html += f"<p style='margin: 5px 0; color: #a0aec0; font-size: 14px;'>{image_title}</p>"
if section and section != 'unknown':
html += f"<p style='margin: 5px 0; color: #a0aec0; font-size: 12px;'>Раздел: {section}</p>"
else:
html += f"<h4 style='margin: 0 0 10px 0; color: #fbb6ce;'>🖼️ Изображение - {doc_id}</h4>"
# Add file link if available
if chunks_df is not None and 'file_link' in chunks_df.columns and doc_type == 'text':
doc_rows = chunks_df[chunks_df['document_id'] == doc_id]
if not doc_rows.empty:
file_link = doc_rows.iloc[0]['file_link']
html += f"<a href='{file_link}' target='_blank' style='color: #68d391; text-decoration: none; font-size: 14px; display: inline-block; margin-top: 10px;'>🔗 Ссылка на документ</a><br>"
html += "</div>"
html += "</div>"
return html
def answer_question(question, query_engine, reranker, current_model, chunks_df=None):
if query_engine is None:
return "<div style='background-color: #e53e3e; color: white; padding: 20px; border-radius: 10px;'>Система не инициализирована</div>", "", ""
try:
start_time = time.time()
llm = get_llm_model(current_model)
# Direct retrieval without query expansion
retrieved_nodes = query_engine.retriever.retrieve(question)
log_message(f"Получено {len(retrieved_nodes)} узлов")
reranked_nodes = rerank_nodes(
question,
retrieved_nodes,
reranker,
top_k=25,
min_score_threshold=0.5,
diversity_penalty=0.3
)
formatted_context = format_context_for_llm(reranked_nodes)
enhanced_question = f"""Контекст из базы данных:
{formatted_context}
Вопрос пользователя: {question}
Инструкция: Ответь на вопрос, используя ТОЛЬКО информацию из контекста выше.
Если информации недостаточно, четко укажи это. Цитируй конкретные источники."""
response = query_engine.query(enhanced_question)
end_time = time.time()
processing_time = end_time - start_time
log_message(f"Обработка завершена за {processing_time:.2f}с")
sources_html = generate_sources_html(reranked_nodes, chunks_df)
answer_with_time = f"""<div style='background-color: #2d3748; color: white; padding: 20px; border-radius: 10px; margin-bottom: 10px;'>
<h3 style='color: #63b3ed; margin-top: 0;'>Ответ (Модель: {current_model}):</h3>
<div style='line-height: 1.6; font-size: 16px;'>{response.response}</div>
<div style='margin-top: 15px; padding-top: 10px; border-top: 1px solid #4a5568; font-size: 14px; color: #a0aec0;'>
Время обработки: {processing_time:.2f} секунд
</div>
</div>"""
chunk_info = []
for node in reranked_nodes:
metadata = node.metadata if hasattr(node, 'metadata') else {}
chunk_info.append({
'document_id': metadata.get('document_id', 'unknown'),
'section_id': metadata.get('section_id', metadata.get('section', 'unknown')),
'section_path': metadata.get('section_path', ''),
'section_text': metadata.get('section_text', ''),
'level': metadata.get('level', ''),
'parent_section': metadata.get('parent_section', ''),
'parent_title': metadata.get('parent_title', ''),
'type': metadata.get('type', 'text'),
'table_number': metadata.get('table_number', ''),
'image_number': metadata.get('image_number', ''),
'chunk_size': len(node.text),
'chunk_text': node.text
})
from app import create_chunks_display_html
chunks_html = create_chunks_display_html(chunk_info)
return answer_with_time, sources_html, chunks_html
except Exception as e:
log_message(f"Ошибка: {str(e)}")
error_msg = f"<div style='background-color: #e53e3e; color: white; padding: 20px; border-radius: 10px;'>Ошибка: {str(e)}</div>"
return error_msg, "", "" |