|
import streamlit as st |
|
import os |
|
import re |
|
import json |
|
from dotenv import load_dotenv |
|
import numpy as np |
|
import pandas as pd |
|
from haystack.schema import Document |
|
from haystack.document_stores import PineconeDocumentStore |
|
from haystack.nodes import EmbeddingRetriever |
|
|
|
import openai |
|
|
|
|
|
os.system("pip uninstall -y pydantic") |
|
os.system('pip install pydantic==1.8.2') |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
openai.api_key = os.environ["OPENAI_API_KEY"] |
|
|
|
|
|
pinecone_key = os.environ["PINECONE_API_KEY"] |
|
|
|
|
|
|
|
@st.cache_resource |
|
def get_document_store(): |
|
doc_file_name="cpv_full_southern_africa" |
|
document_store = PineconeDocumentStore(api_key=pinecone_key, |
|
environment="asia-southeast1-gcp-free", |
|
index=doc_file_name) |
|
return document_store |
|
|
|
|
|
|
|
document_store = get_document_store() |
|
|
|
|
|
retriever = EmbeddingRetriever( |
|
document_store=document_store, |
|
embedding_model="sentence-transformers/multi-qa-mpnet-base-dot-v1", |
|
model_format="sentence_transformers", |
|
progress_bar=False, |
|
) |
|
|
|
prompt_template="Answer the given question using the following documents. \ |
|
Formulate your answer in the style of an academic report. \ |
|
Provide example quotes and citations using extracted text from the documents. \ |
|
Use facts and numbers from the documents in your answer. \ |
|
ALWAYS include references for information used from documents at the end of each applicable sentence using the format: '[ref. #]', where '[ref. #]' is included in the text provided at the start of each document (demarcated by the pattern '- &&& [ref. #] document_name &&&:')'. \ |
|
Do not include page numbers in the references. \ |
|
If no relevant information to answer the question is present in the documents, just say you don't have enough information to answer." |
|
|
|
|
|
|
|
|
|
|
|
|
|
country_options = ['All Countries','Angola','Botswana','Lesotho','Kenya','Malawi','Mozambique','Namibia','Rwanda','South Africa','Zambia','Zimbabwe'] |
|
|
|
|
|
vulnerability_options = ['All Categories','Agricultural communities', 'Children', 'Coastal communities', 'Ethnic, racial or other minorities', 'Fishery communities', 'Informal sector workers', 'Members of indigenous and local communities', 'Migrants and displaced persons', 'Older persons', 'Persons living in poverty', 'Persons with disabilities', 'Persons with pre-existing health conditions', 'Residents of drought-prone regions', 'Rural populations', 'Sexual minorities (LGBTQI+)', 'Urban populations', 'Women and other genders','Other'] |
|
|
|
|
|
examples = [ |
|
"-", |
|
"What specific initiatives are presented in the context to address the needs of groups such as women and children to the effects climate change?", |
|
"In addition to gender, children, and youth, is there any mention of other groups facing disproportional impacts from climate change due to their geographic location, socio-economic status, age, gender, health, and occupation?" |
|
] |
|
|
|
|
|
def get_docs(input_query, country = [], vulnerability_cat = []): |
|
if not country: |
|
country = "All Countries" |
|
if not vulnerability_cat: |
|
if country == "All Countries": |
|
filters = None |
|
else: |
|
filters = {'country': {'$in': country}} |
|
else: |
|
if country == "All Countries": |
|
filters = {'vulnerability_cat': {'$in': vulnerability_cat}} |
|
else: |
|
filters = {'country': {'$in': country},'vulnerability_cat': {'$in': vulnerability_cat}} |
|
docs = retriever.retrieve(query=input_query, filters = filters, top_k = 10) |
|
|
|
docs = [{**x.meta,"score":x.score,"content":x.content} for x in docs] |
|
df_docs = pd.DataFrame(docs) |
|
|
|
df_docs = df_docs.reset_index() |
|
df_docs['ref_id'] = df_docs.index + 1 |
|
|
|
ls_dict = [] |
|
|
|
for index, row in df_docs.iterrows(): |
|
|
|
doc = Document( |
|
row['content'], |
|
meta={'country': row['country'],'document': row['document'], 'page': row['page'], 'file_name': row['file_name'], 'ref_id': row['ref_id'], 'vulnerability_cat': row['vulnerability_cat'], 'score': row['score']} |
|
) |
|
|
|
|
|
ls_dict.append(doc) |
|
return ls_dict |
|
|
|
def get_refs(docs, res): |
|
''' |
|
Parse response for engineered reference ids (refer to prompt template) |
|
Extract documents using reference ids |
|
''' |
|
res = res.lower() |
|
|
|
|
|
pattern = r'ref\. (\d+)' |
|
ref_ids = [int(match) for match in re.findall(pattern, res)] |
|
|
|
result_str = "" |
|
for i in range(len(docs)): |
|
doc = docs[i].to_dict() |
|
ref_id = doc['meta']['ref_id'] |
|
if ref_id in ref_ids: |
|
if doc['meta']['document'] == "Supplementary": |
|
result_str += "**Ref. " + str(ref_id) + " [" + doc['meta']['country'] + " " + doc['meta']['document'] + ':' + doc['meta']['file_name'] + ' p' + str(doc['meta']['page']) + '; vulnerabilities: ' + doc['meta']['vulnerability_cat'] + "]:** " + "*'" + doc['content'] + "'*<br> <br>" |
|
else: |
|
result_str += "**Ref. " + str(ref_id) + " [" + doc['meta']['country'] + " " + doc['meta']['document'] + ' p' + str(doc['meta']['page']) + '; vulnerabilities: ' + doc['meta']['vulnerability_cat'] + "]:** " + "*'" + doc['content'] + "'*<br> <br>" |
|
|
|
return result_str |
|
|
|
|
|
def get_prompt(docs, input_query): |
|
base_prompt=prompt_template |
|
|
|
context = ' - '.join(['&&& [ref. '+str(d.meta['ref_id'])+'] '+d.meta['document']+' &&&: '+d.content for d in docs]) |
|
prompt = base_prompt+"; Context: "+context+"; Question: "+input_query+"; Answer:" |
|
return(prompt) |
|
|
|
def run_query(input_text, country, model_sel): |
|
|
|
docs = get_docs(input_text, country=country,vulnerability_cat=vulnerabilities_cat) |
|
|
|
if model_sel == "chatGPT": |
|
|
|
response = openai.ChatCompletion.create(model="gpt-3.5-turbo", messages=[{"role": "user", "content": get_prompt(docs, input_text)}], stream=True) |
|
|
|
report = [] |
|
for chunk in response: |
|
|
|
chunk_message = chunk['choices'][0]['delta'] |
|
|
|
if 'content' in chunk_message: |
|
report.append(chunk_message.content) |
|
|
|
result = "".join(report).strip() |
|
res_box.success(result) |
|
|
|
references = get_refs(docs, result) |
|
|
|
|
|
|
|
|
|
|
|
|
|
st.markdown("----") |
|
st.markdown('**REFERENCES:**') |
|
st.markdown('References are based on text automatically extracted from climate policy documents. These extracts may contain non-legible characters or disjointed text as an artifact of the extraction procedure') |
|
st.markdown(references, unsafe_allow_html=True) |
|
|
|
|
|
|
|
|
|
|
|
with st.sidebar: |
|
country = st.sidebar.multiselect('Filter by country:', country_options) |
|
vulnerabilities_cat = st.sidebar.multiselect('Filter by vulnerabilities category:', vulnerability_options) |
|
with st.expander("ℹ️ - About filters", expanded=False): |
|
st.markdown( |
|
""" |
|
* *These selections will filter the data matched against your query* |
|
* *For a comparative analysis of multiple countries or vulnerability categories, select the items you require or select **'All Countries'** or **'All Categories'*** |
|
* *Be careful in using the vulnerabilities category filter, as many of the categories are not well represented in the documents. Therefore, this will severly limit the data available for analysis* |
|
""" |
|
) |
|
|
|
|
|
with st.container(): |
|
st.markdown("<h2 style='text-align: center;'> Climate Policy Documents: Vulnerabilities Analysis Q&A </h2>", unsafe_allow_html=True) |
|
st.write(' ') |
|
|
|
|
|
with st.expander("ℹ️ - About this app", expanded=False): |
|
st.write( |
|
""" |
|
This tool seeks to provide an interface for quering national climate policy documents (NDCs, LTS etc.). The current version is powered by chatGPT (3.5). The document store is limited to 10 Southern African countries (Angola, Botswana, Eswatini, Lesotho, Malawi, Mozambique, Namibia, South Africa, Zambia, Zimbabwe), as well as Kenya and Rwanda. The intended use case is to allow users to interact with the documents and obtain valuable insights on various vulnerable groups affected by climate change. |
|
|
|
**DISCLAIMER:** *This prototype tool based on LLMs (Language Models) is provided "as is" for experimental and exploratory purposes only, and should not be used for critical or production applications. Users are advised that the tool may contain errors, bugs, or limitations and should be used with caution and awareness of potential risks, and the developers make no warranties or guarantees regarding its performance, reliability, or suitability for any specific purpose.* |
|
""") |
|
|
|
selected_example = st.radio("Example questions", examples) |
|
st.write( |
|
""" |
|
You can request comparative analyses between countries by filtering by country, and using more advanced prompts. For example: |
|
|
|
*Provide a comparative analysis between Angola and Kenya with regard to specific initiatives presented in the context to address the needs of groups such women and children to the effects climate change.* |
|
|
|
Make sure your filters match the countries you have specified for the analysis! |
|
""") |
|
|
|
|
|
|
|
|
|
model_sel = "chatGPT" |
|
|
|
|
|
if model_sel == "chatGPT": |
|
model_name = "gpt-3.5-turbo" |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
if selected_example == "-": |
|
text = st.text_area('Enter your question in the text box below using natural language or select an example from above:') |
|
else: |
|
text = st.text_area('Enter your question in the text box below using natural language or select an example from above:', value=selected_example) |
|
|
|
if st.button('Submit'): |
|
st.markdown("----") |
|
st.markdown('**RESPONSE:**') |
|
res_box = st.empty() |
|
run_query(text, country=country, model_sel=model_sel) |
|
|
|
|
|
|
|
|
|
|
|
|
|
|