Spaces:
Runtime error
Runtime error
File size: 7,374 Bytes
bb59984 9158776 bb59984 |
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 |
import time
from typing import Any, Dict, List, Optional
import qdrant_client
from langchain import chains
from langchain.callbacks.manager import CallbackManagerForChainRun
from langchain.chains.base import Chain
from langchain.llms import HuggingFacePipeline
from unstructured.cleaners.core import (
clean,
clean_extra_whitespace,
clean_non_ascii_chars,
group_broken_paragraphs,
replace_unicode_quotes,
)
from financial_bot.embeddings import EmbeddingModelSingleton
from financial_bot.template import PromptTemplate
class StatelessMemorySequentialChain(chains.SequentialChain):
"""
A sequential chain that uses a stateless memory to store context between calls.
This chain overrides the _call and prep_outputs methods to load and clear the memory
before and after each call, respectively.
"""
history_input_key: str = "to_load_history"
def _call(self, inputs: Dict[str, str], **kwargs) -> Dict[str, str]:
"""
Override _call to load history before calling the chain.
This method loads the history from the input dictionary and saves it to the
stateless memory. It then updates the inputs dictionary with the memory values
and removes the history input key. Finally, it calls the parent _call method
with the updated inputs and returns the results.
"""
to_load_history = inputs[self.history_input_key]
for (
human,
ai,
) in to_load_history:
self.memory.save_context(
inputs={self.memory.input_key: human},
outputs={self.memory.output_key: ai},
)
memory_values = self.memory.load_memory_variables({})
inputs.update(memory_values)
del inputs[self.history_input_key]
return super()._call(inputs, **kwargs)
def prep_outputs(
self,
inputs: Dict[str, str],
outputs: Dict[str, str],
return_only_outputs: bool = False,
) -> Dict[str, str]:
"""
Override prep_outputs to clear the internal memory after each call.
This method calls the parent prep_outputs method to get the results, then
clears the stateless memory and removes the memory key from the results
dictionary. It then returns the updated results.
"""
results = super().prep_outputs(inputs, outputs, return_only_outputs)
# Clear the internal memory.
self.memory.clear()
if self.memory.memory_key in results:
results[self.memory.memory_key] = ""
return results
class ContextExtractorChain(Chain):
"""
Encode the question, search the vector store for top-k articles and return
context news from documents collection of Alpaca news.
Attributes:
-----------
top_k : int
The number of top matches to retrieve from the vector store.
embedding_model : EmbeddingModelSingleton
The embedding model to use for encoding the question.
vector_store : qdrant_client.QdrantClient
The vector store to search for matches.
vector_collection : str
The name of the collection to search in the vector store.
"""
top_k: int = 1
embedding_model: EmbeddingModelSingleton
vector_store: qdrant_client.QdrantClient
vector_collection: str
@property
def input_keys(self) -> List[str]:
return ["about_me", "question"]
@property
def output_keys(self) -> List[str]:
return ["context"]
def _call(self, inputs: Dict[str, Any]) -> Dict[str, Any]:
_, quest_key = self.input_keys
question_str = inputs[quest_key]
cleaned_question = self.clean(question_str)
# TODO: Instead of cutting the question at 'max_input_length', chunk the question in 'max_input_length' chunks,
# pass them through the model and average the embeddings.
cleaned_question = cleaned_question[: self.embedding_model.max_input_length]
embeddings = self.embedding_model(cleaned_question)
# TODO: Using the metadata, use the filter to take into consideration only the news from the last 24 hours
# (or other time frame).
matches = self.vector_store.search(
query_vector=embeddings,
limit=self.top_k,
collection_name=self.vector_collection,
)
context = ""
for match in matches:
context += match.payload["summary"] + "\n"
return {
"context": context,
}
def clean(self, question: str) -> str:
"""
Clean the input question by removing unwanted characters.
Parameters:
-----------
question : str
The input question to clean.
Returns:
--------
str
The cleaned question.
"""
question = clean(question)
question = replace_unicode_quotes(question)
question = clean_non_ascii_chars(question)
return question
class FinancialBotQAChain(Chain):
"""This custom chain handles LLM generation upon given prompt"""
hf_pipeline: HuggingFacePipeline
template: PromptTemplate
@property
def input_keys(self) -> List[str]:
"""Returns a list of input keys for the chain"""
return ["context"]
@property
def output_keys(self) -> List[str]:
"""Returns a list of output keys for the chain"""
return ["answer"]
def _call(
self,
inputs: Dict[str, Any],
run_manager: Optional[CallbackManagerForChainRun] = None,
) -> Dict[str, Any]:
"""Calls the chain with the given inputs and returns the output"""
inputs = self.clean(inputs)
prompt = self.template.format_infer(
{
"user_context": inputs["about_me"],
"news_context": inputs["context"],
"chat_history": inputs["chat_history"],
"question": inputs["question"],
}
)
start_time = time.time()
response = self.hf_pipeline(prompt["prompt"])
end_time = time.time()
duration_milliseconds = (end_time - start_time) * 1000
if run_manager:
run_manager.on_chain_end(
outputs={
"answer": response,
},
# TODO: Count tokens instead of using len().
metadata={
"prompt": prompt["prompt"],
"prompt_template_variables": prompt["payload"],
"prompt_template": self.template.infer_raw_template,
"usage.prompt_tokens": len(prompt["prompt"]),
"usage.total_tokens": len(prompt["prompt"]) + len(response),
"usage.actual_new_tokens": len(response),
"duration_milliseconds": duration_milliseconds,
},
)
return {"answer": response}
def clean(self, inputs: Dict[str, str]) -> Dict[str, str]:
"""Cleans the inputs by removing extra whitespace and grouping broken paragraphs"""
for key, input in inputs.items():
cleaned_input = clean_extra_whitespace(input)
cleaned_input = group_broken_paragraphs(cleaned_input)
inputs[key] = cleaned_input
return inputs
|