Spaces:
Runtime error
Runtime error
File size: 11,415 Bytes
c69cba4 988981a c69cba4 cf57696 c69cba4 0121498 c69cba4 988981a c69cba4 988981a c69cba4 0121498 c69cba4 988981a c69cba4 988981a c69cba4 988981a c69cba4 988981a c69cba4 988981a c69cba4 988981a c69cba4 988981a c69cba4 988981a c69cba4 988981a c69cba4 988981a c69cba4 988981a c69cba4 988981a c69cba4 7f14c95 988981a d22d549 988981a d22d549 988981a d22d549 988981a d22d549 988981a d22d549 1d486a2 9ec47bf 1d486a2 9e86d4e 988981a 1d486a2 9e86d4e 1d486a2 9e86d4e 1d486a2 9e86d4e 1d486a2 c69cba4 988981a c69cba4 1d486a2 348e071 7f14c95 c69cba4 7f14c95 c69cba4 |
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 |
import os
import json
import requests
import subprocess
from typing import Mapping, Optional, Any
import torch
import transformers
from transformers import AutoTokenizer, AutoModelForCausalLM
from huggingface_hub import snapshot_download
from urllib.parse import quote
from langchain import PromptTemplate, HuggingFaceHub, LLMChain
from langchain.llms import HuggingFacePipeline
from langchain.llms.base import LLM
from langchain.embeddings import HuggingFaceEmbeddings, HuggingFaceHubEmbeddings, HuggingFaceInstructEmbeddings
from langchain.vectorstores import FAISS
from sentence_transformers import CrossEncoder
from qa_engine import logger, Config
from qa_engine.response import Response
from qa_engine.mocks import MockLocalBinaryModel
class LocalBinaryModel(LLM):
model_id: str = None
model_path: str = None
llm: None = None
def __init__(self, config: Config):
super().__init__()
# pip install llama_cpp_python==0.1.39
from llama_cpp import Llama
self.model_id = config.question_answering_model_id
self.model_path = f'qa_engine/{self.model_id}'
if not os.path.exists(self.model_path):
raise ValueError(f'{self.model_path} does not exist')
self.llm = Llama(model_path=self.model_path, n_ctx=4096)
def _call(self, prompt: str, stop: Optional[list[str]] = None) -> str:
output = self.llm(
prompt,
max_tokens=1024,
stop=['Q:'],
echo=False
)
return output['choices'][0]['text']
@property
def _identifying_params(self) -> Mapping[str, Any]:
return {'name_of_model': self.model_id}
@property
def _llm_type(self) -> str:
return self.model_id
class TransformersPipelineModel(LLM):
model_id: str = None
min_new_tokens: int = None
max_new_tokens: int = None
temperature: float = None
top_k: int = None
top_p: float = None
do_sample: bool = None
pipeline: str = None
def __init__(self, config: Config):
super().__init__()
self.model_id = config.question_answering_model_id
self.min_new_tokens = config.min_new_tokens
self.max_new_tokens = config.max_new_tokens
self.temperature = config.temperature
self.top_k = config.top_k
self.top_p = config.top_p
self.do_sample = config.do_sample
tokenizer = AutoTokenizer.from_pretrained(self.model_id)
model = AutoModelForCausalLM.from_pretrained(
self.model_id,
torch_dtype=torch.bfloat16,
trust_remote_code=True,
load_in_8bit=False,
device_map='auto',
resume_download=True,
)
self.pipeline = transformers.pipeline(
'text-generation',
model=model,
tokenizer=tokenizer,
torch_dtype=torch.bfloat16,
device_map='auto',
eos_token_id=tokenizer.eos_token_id,
pad_token_id=tokenizer.eos_token_id,
min_new_tokens=self.min_new_tokens,
max_new_tokens=self.max_new_tokens,
temperature=self.temperature,
top_k=self.top_k,
top_p=self.top_p,
do_sample=self.do_sample,
)
def _call(self, prompt: str, stop: Optional[list[str]] = None) -> str:
output_text = self.pipeline(prompt)[0]['generated_text']
output_text = output_text.replace(prompt+'\n', '')
return output_text
@property
def _identifying_params(self) -> Mapping[str, Any]:
return {'name_of_model': self.model_id}
@property
def _llm_type(self) -> str:
return self.model_id
class APIServedModel(LLM):
model_url: str = None
debug: bool = None
def __init__(self, model_url: str, debug: bool = False):
super().__init__()
if model_url[-1] == '/':
raise ValueError('URL should not end with a slash - "/"')
self.model_url = model_url
self.debug = debug
def _call(self, prompt: str, stop: Optional[list[str]] = None) -> str:
prompt_encoded = quote(prompt, safe='')
url = f'{self.model_url}/?prompt={prompt_encoded}'
if self.debug:
logger.info(f'URL: {url}')
try:
response = requests.get(url, timeout=1200, verify=False)
response.raise_for_status()
return json.loads(response.content)['output_text']
except Exception as err:
logger.error(f'Error: {err}')
return f'Error: {err}'
@property
def _identifying_params(self) -> Mapping[str, Any]:
return {'name_of_model': f'model url: {self.model_url}'}
@property
def _llm_type(self) -> str:
return 'api_model'
class QAEngine():
"""
QAEngine class, used for generating answers to questions.
"""
def __init__(self, config: Config):
super().__init__()
self.config = config
self.question_answering_model_id=config.question_answering_model_id
self.embedding_model_id=config.embedding_model_id
self.index_repo_id=config.index_repo_id
self.prompt_template=config.prompt_template
self.use_docs_for_context=config.use_docs_for_context
self.num_relevant_docs=config.num_relevant_docs
self.add_sources_to_response=config.add_sources_to_response
self.use_messages_for_context=config.use_messages_in_context
self.debug=config.debug
self.first_stage_docs: int = 50
prompt = PromptTemplate(
template=self.prompt_template,
input_variables=['question', 'context']
)
self.llm_model = self._get_model()
self.llm_chain = LLMChain(prompt=prompt, llm=self.llm_model)
if self.use_docs_for_context:
logger.info(f'Downloading {self.index_repo_id}')
snapshot_download(
repo_id=self.index_repo_id,
allow_patterns=['*.faiss', '*.pkl'],
repo_type='dataset',
local_dir='indexes/run/'
)
logger.info('Loading embedding model')
embed_instruction = 'Represent the Hugging Face library documentation'
query_instruction = 'Query the most relevant piece of information from the Hugging Face documentation'
embedding_model = HuggingFaceInstructEmbeddings(
model_name=self.embedding_model_id,
embed_instruction=embed_instruction,
query_instruction=query_instruction
)
logger.info('Loading index')
self.knowledge_index = FAISS.load_local('./indexes/run/', embedding_model)
self.reranker = CrossEncoder('cross-encoder/ms-marco-MiniLM-L-12-v2')
def _get_model(self):
if 'local_models/' in self.question_answering_model_id:
logger.info('using local binary model')
return LocalBinaryModel(self.config)
elif 'api_models/' in self.question_answering_model_id:
logger.info('using api served model')
return APIServedModel(
model_url=self.question_answering_model_id.replace('api_models/', ''),
debug=self.debug
)
elif self.question_answering_model_id == 'mock':
logger.info('using mock model')
return MockLocalBinaryModel()
else:
logger.info('using transformers pipeline model')
return TransformersPipelineModel(self.config)
@staticmethod
def _preprocess_question(question: str) -> str:
if '?' not in question:
question += '?'
return question
@staticmethod
def _postprocess_answer(answer: str) -> str:
'''
Preprocess the answer by removing unnecessary sequences and stop sequences.
'''
SEQUENCES_TO_REMOVE = [
'Factually: ', 'Answer: ', '<<SYS>>', '<</SYS>>', '[INST]', '[/INST]',
'<context>', '<\context>', '<question>', '<\question>',
]
SEQUENCES_TO_STOP = [
'User:', 'You:', 'Question:'
]
for seq in SEQUENCES_TO_REMOVE:
answer = answer.replace(seq, '')
for seq in SEQUENCES_TO_STOP:
if seq in answer:
answer = answer[:answer.index(seq)]
answer = answer.strip()
return answer
def get_response(self, question: str, messages_context: str = '') -> Response:
"""
Generate an answer to the specified question.
Args:
question (str): The question to be answered.
messages_context (str, optional): The context to be used for generating the answer. Defaults to ''.
Returns:
response (Response): The Response object containing the generated answer and the sources of information
used to generate the response.
"""
response = Response()
context = ''
relevant_docs = ''
if self.use_messages_for_context and messages_context:
messages_context = f'\nPrevious questions and answers:\n{messages_context}'
context += messages_context
if self.use_docs_for_context:
logger.info('Retriving documents')
# messages context is used for better retrival
retrival_query = messages_context + question
relevant_docs = self.knowledge_index.similarity_search(
query=retrival_query,
k=self.first_stage_docs
)
cross_encoding_predictions = self.reranker.predict(
[(retrival_query, doc.page_content) for doc in relevant_docs]
)
relevant_docs = [
doc for _, doc in sorted(
zip(cross_encoding_predictions, relevant_docs),
reverse=True, key = lambda x: x[0]
)
]
relevant_docs = relevant_docs[:self.num_relevant_docs]
context += '\nExtracted documents:\n'
context += ''.join([doc.page_content for doc in relevant_docs])
metadata = [doc.metadata for doc in relevant_docs]
response.set_sources(sources=[str(m['source']) for m in metadata])
logger.info('Running LLM chain')
question_processed = QAEngine._preprocess_question(question)
answer = self.llm_chain.run(question=question_processed, context=context)
answer_postprocessed = QAEngine._postprocess_answer(answer)
response.set_answer(answer_postprocessed)
logger.info('Received answer')
if self.debug:
logger.info('\n' + '=' * 100)
sep = '\n' + '-' * 100
logger.info(f'question len: {len(question)} {sep}')
logger.info(f'question: {question} {sep}')
logger.info(f'answer len: {len(response.get_answer())} {sep}')
logger.info(f'answer original: {answer} {sep}')
logger.info(f'answer postprocessed: {response.get_answer()} {sep}')
logger.info(f'{response.get_sources_as_text()} {sep}')
logger.info(f'messages_contex: {messages_context} {sep}')
logger.info(f'relevant_docs: {relevant_docs} {sep}')
logger.info(f'context len: {len(context)} {sep}')
logger.info(f'context: {context} {sep}')
return response
|