Spaces:
Runtime error
Runtime error
File size: 2,273 Bytes
ed4d993 |
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 |
from typing import List, Tuple
from langchain_community.chat_models import ChatOpenAI
from langchain_core.messages import AIMessage, HumanMessage
from langchain_core.output_parsers import StrOutputParser
from langchain_core.prompts import ChatPromptTemplate, MessagesPlaceholder
from langchain_core.pydantic_v1 import BaseModel
from langchain_core.runnables import RunnablePassthrough
from presidio_analyzer import AnalyzerEngine
# Formatting for chat history
def _format_chat_history(chat_history: List[Tuple[str, str]]):
buffer = []
for human, ai in chat_history:
buffer.append(HumanMessage(content=human))
buffer.append(AIMessage(content=ai))
return buffer
# Prompt we will use
_prompt = ChatPromptTemplate.from_messages(
[
(
"system",
"You are a helpful assistant who speaks like a pirate",
),
MessagesPlaceholder(variable_name="chat_history"),
("human", "{text}"),
]
)
# Model we will use
_model = ChatOpenAI()
# Standard conversation chain.
chat_chain = (
{
"chat_history": lambda x: _format_chat_history(x["chat_history"]),
"text": lambda x: x["text"],
}
| _prompt
| _model
| StrOutputParser()
)
# PII Detection logic
analyzer = AnalyzerEngine()
# You can customize this to detect any PII
def _detect_pii(inputs: dict) -> bool:
analyzer_results = analyzer.analyze(text=inputs["text"], language="en")
return bool(analyzer_results)
# Add logic to route on whether PII has been detected
def _route_on_pii(inputs: dict):
if inputs["pii_detected"]:
# Response if PII is detected
return "Sorry, I can't answer questions that involve PII"
else:
return chat_chain
# Final chain
chain = RunnablePassthrough.assign(
# First detect PII
pii_detected=_detect_pii
) | {
# Then use this information to generate the response
"response": _route_on_pii,
# Return boolean of whether PII is detected so client can decided
# whether or not to include in chat history
"pii_detected": lambda x: x["pii_detected"],
}
# Add typing for playground
class ChainInput(BaseModel):
text: str
chat_history: List[Tuple[str, str]]
chain = chain.with_types(input_type=ChainInput)
|