Spaces:
Sleeping
Sleeping
File size: 14,357 Bytes
c0322ba 6ef7ade c0322ba e8ff799 c0322ba e8ff799 87f2870 c0322ba 6ef7ade c0322ba 6ef7ade c0322ba 6ef7ade c0322ba 6ef7ade c0322ba 6ef7ade c0322ba 6ef7ade c0322ba 6ef7ade c0322ba de99e1f c0322ba de99e1f c0322ba de99e1f c0322ba de99e1f c0322ba 6ef7ade c0322ba de99e1f c0322ba eee5090 | 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 | import streamlit as st
import pandas as pd
import re
from utilities import predict
st.set_page_config(layout="wide")
def result_form(result, user_label):
if 'error' in result:
st.error(result['error'])
else:
st.subheader('Label probabilities:')
labels = ['SUPPORTED', 'REFUTED', 'NEI']
probabilities = {lbl: result['probabilities'].get(lbl, 0) for lbl in labels}
df = pd.DataFrame({label: [probabilities[label]] for label in labels})
def apply_background(val, label):
color = ''
if label == 'NEI':
color = '#FFD700'
elif label == 'REFUTED':
color = '#DC143C'
else: # Supported
color = '#7FFF00'
return f'background-color: {color}; color: black'
df_styled = df.style.apply(lambda x: [apply_background(x[name], name) for name in df.columns], axis=1)
df_styled = df_styled.format("{:.2%}")
st.dataframe(df_styled, hide_index=True, use_container_width=True)
predicted_label = max(probabilities, key=probabilities.get)
return probabilities[user_label] < 0.35 or predicted_label != user_label
def split_sentences(context):
# Regular expression to split text into sentences
pattern = r'(?<!\.\.\.)(?<=[.!?]) +|\.\.\.(?= )'
sentences = re.split(pattern, context)
# Remove leading/trailing whitespaces
sentences = [sentence.strip() for sentence in sentences if sentence.strip()]
return sentences
def create_expander_with_check_button(label, title, context, predict_func):
claim_key = f"{label}_input"
evidence_key = f"{label}_evidence_selected"
label_e_ops = f"{label}_options"
if label_e_ops not in st.session_state:
st.session_state[label_e_ops] = []
annotated_data = st.session_state['annotated_data']
with st.expander(label, expanded=True):
claim = st.text_input(f'Claim {label.upper()}', max_chars=500, key=claim_key)
if claim:
if not annotated_data[((annotated_data['Claim'] == claim) & (annotated_data['Label'] == label) & (annotated_data['Title'] == title))].empty:
st.warning(f"This claim with label '{label}' and title '{title}' already exists.")
else:
result = predict_func(context, claim)
if result_form(result, label):
if label != 'NEI': # NEI does not require evidence
# Split context into sentences with special handling for ellipses
sentences = split_sentences(context)
# Display available sentences as options
st.multiselect(f"Selected evidence for {label}", sentences, default=st.session_state[label_e_ops], key=evidence_key)
else:
st.warning(f"The predicted probability for label '{label}' is too high or the predicted label is different. Please modify the claim.")
else:
st.warning("Please enter a claim.")
if 'annotated_data' not in st.session_state:
st.session_state['annotated_data'] = pd.DataFrame(columns=['Context', 'Claim', 'Label', 'Evidence', 'Title', 'Link'])
annotated_data = st.session_state['annotated_data']
def save_data(context, default_title, default_link):
annotated_data = st.session_state['annotated_data']
error = 'success'
for label in ['NEI', 'REFUTED', 'SUPPORTED']:
claim_key = f"{label}_input"
evidence_key = f"{label}_evidence_selected"
if st.session_state.get(claim_key, ''):
claim = st.session_state[claim_key]
evidence = st.session_state.get(evidence_key, [])
if label == 'NEI':
evidence = [] # No evidence required for NEI
if not annotated_data[((annotated_data['Claim'] == claim) & (annotated_data['Label'] == label) & (annotated_data['Title'] == default_title))].empty:
error = 'duplicate'
else:
annotated_data.loc[len(annotated_data)] = [context, claim, label, evidence, default_title, default_link]
st.session_state['annotated_data'] = annotated_data
return error
def enough_claims_entered(title):
annotated_data = st.session_state['annotated_data']
nei_claims = annotated_data[(annotated_data['Label'] == 'NEI') & (annotated_data['Title'] == title)].shape[0]
refuted_claims = annotated_data[(annotated_data['Label'] == 'REFUTED') & (annotated_data['Title'] == title)].shape[0]
supported_claims = annotated_data[(annotated_data['Label'] == 'SUPPORTED') & (annotated_data['Title'] == title)].shape[0]
return nei_claims >= 2 and refuted_claims >= 2 and supported_claims >= 2
def predictor_app():
tab0, tab1, tab2 = st.tabs(["Mission", "Annotate", "Save"])
st.sidebar.title("Dataset Upload")
uploaded_file = st.sidebar.file_uploader("Upload CSV file", type=["csv"])
with tab0:
c2 = st.container(border=True)
with c2:
st.title("Nhiệm vụ")
st.write("""
Nhiệm vụ của bạn là tạo các câu nhận định cho các nhãn sau: <span style='color:#7FFF00'>SUPPORTED</span> (Được hỗ trợ), <span style='color:#DC143C'>REFUTED</span> (Bị phủ nhận) hoặc <span style='color:#FFD700'>NEI</span> (Không đủ thông tin) dựa trên đoạn văn bản được cung cấp trước đó. Dưới đây là các bước để thực hiện nhiệm vụ này:
1. **Đọc đoạn văn bản (context)**: hiểu nội dung, thông tin của đoạn văn bản được cung cấp.
2. **Nhập câu nhận định**: dựa trên thông tin, nội dung đó, bạn hãy viết câu nhận định cho đoạn văn đó.
3. **Phân loại câu nhận định**: sau khi đã viết xong câu nhận định, bạn hãy sắp xếp nó vào một trong ba nhãn sau:
- <span style='color:#7FFF00'>SUPPORTED</span> (được hỗ trợ): đây là nhãn mà khi câu nhận định của bạn là chính xác theo những thông tin nội dung của đoạn văn bản (context) cung cấp.
- <span style='color:#DC143C'>REFUTED</span> (bị bác bỏ): ngược lại với “<span style='color:#7FFF00'>SUPPORTED</span>”, đây là nhãn mà khi câu nhận định của bạn là sai so với những thông tin nội dung của đoạn văn bản (context) đưa ra.
- <span style='color:#FFD700'>NEI</span> (không đủ thông tin): khi thông tin mà câu nhận định của bạn đưa ra chưa thể xác định được đúng hoặc sai dựa trên thông tin của đoạn văn bản (context) cung cấp; hoặc ít nhất một thông tin mà bạn đưa ra trong câu nhận định không xuất hiện ở đoạn văn bản (context).
4. **Chọn bằng chứng (Evidence)**: đối với hai nhãn <span style='color:#7FFF00'>SUPPORTED</span> & <span style='color:#DC143C'>REFUTED</span>, các bạn sẽ chọn bằng chứng (evidence) cho câu nhận định. Nghĩa là các bạn sẽ chọn những thông tin trong đoạn văn bản (context) để dựa theo đó để chứng minh rằng câu nhận định của bạn là đúng (đối với “<span style='color:#7FFF00'>SUPPORTED</span>”) hoặc sai (đối với “<span style='color:#DC143C'>REFUTED</span>”). Các bạn chỉ chọn những thông tin cần thiết (không chọn hết cả câu hoặc cả đoạn văn).
5. **Lưu dữ liệu**: Sau khi đã nhập đủ 2 câu (mỗi nhãn một câu), bạn nhấn vào nút “Save” bên dưới để lưu lại các câu đó. Sau khi lưu hoàn tất, thông báo sẽ hiện và các câu đã viết trước đó sẽ được xóa để bạn có thể nhập câu mới.
6. **Di chuyển đến đoạn văn bản (context) khác**: bạn có thể di chuyển qua lại giữa các context nhưng chỉ khi bạn đã tạo tối thiểu 6 câu nhận định (mỗi nhãn tối thiểu 2 câu).
Xem chi tiết hướng dẫn cách đặt câu nhận định [tại đây](https://docs.google.com/document/d/1teq8ZWXqQihICpyA5PSVXd1cNQNkihWg/edit).
Lấy các đoạn văn bản (context): [tại đây](https://drive.google.com/drive/folders/1bbW7qiglBZHvGs5oNF-s_eac09t5oWOW).
""", unsafe_allow_html=True)
if uploaded_file is None:
st.sidebar.warning("Please upload a CSV file.")
else:
df = pd.read_csv(uploaded_file)
require_columns = ['Summary', 'ID', 'Title', 'URL']
if not set(require_columns).issubset(df.columns):
st.error("Error: Upload Dataset is missing required columns.")
st.stop()
else:
max_index = len(df) - 1
current_index = st.session_state.get("current_index", 0)
current_row = df.iloc[current_index]
default_context = current_row['Summary']
default_ID = current_row['ID']
default_title = current_row['Title']
default_link = current_row['URL']
with tab1:
if uploaded_file is None:
st.error("Dataset not found")
else:
st.title("Fact Checking annotation app")
c1 = st.container(border=True)
with c1:
ten_file, id_cau, chu_de, link = st.columns(4)
with ten_file:
st.text_input("Tên File:", value=uploaded_file.name, disabled=True)
with id_cau:
st.text_input("ID Context: ", value=default_ID, disabled=True)
with chu_de:
st.text_input("Chủ đề:", value=default_title, disabled=True)
with link:
st.text_input("Link:", value=default_link, disabled=True)
c3 = st.container(border=True)
with c3:
left_column, right_column = st.columns([0.45, 0.55])
with left_column:
st.title("Context")
c3_1 = st.container(border=True, height=770)
with c3_1:
st.write(f'{default_context}')
with right_column:
st.title("Claim")
c3_2 = st.container(border=True, height=650)
with c3_2:
create_expander_with_check_button("SUPPORTED", default_title, default_context, predict)
create_expander_with_check_button("REFUTED", default_title, default_context, predict)
create_expander_with_check_button("NEI", default_title, default_context, predict)
# Update session state to track if claims and evidence are entered
st.session_state["NEI_claim_entered"] = bool(st.session_state.get("NEI_input", ''))
st.session_state["REFUTED_claim_entered"] = bool(st.session_state.get("REFUTED_input", ''))
st.session_state["SUPPORTED_claim_entered"] = bool(st.session_state.get("SUPPORTED_input", ''))
st.session_state["REFUTED_evidence_entered"] = bool(st.session_state.get("REFUTED_evidence_selected", []))
st.session_state["SUPPORTED_evidence_entered"] = bool(st.session_state.get("SUPPORTED_evidence_selected", []))
all_claims_entered = st.session_state["NEI_claim_entered"] and \
st.session_state["REFUTED_claim_entered"] and \
st.session_state["SUPPORTED_claim_entered"]
all_evidence_selected = st.session_state["REFUTED_evidence_entered"] and \
st.session_state["SUPPORTED_evidence_entered"]
previous, next_, save, close = st.columns(4)
error = ''
with previous:
pr = st.button("Previous")
if pr:
if current_index > 0:
st.session_state["current_index"] = current_index - 1
st.experimental_rerun()
else:
st.session_state["current_index"] = max_index
st.experimental_rerun()
with next_:
next_b = st.button("Next")
if next_b:
if current_index < max_index:
st.session_state["current_index"] = current_index + 1
st.experimental_rerun()
else:
st.session_state["current_index"] = 0
st.experimental_rerun()
with save:
save_button = st.button("Save")
if save_button:
if all_claims_entered and all_evidence_selected:
error = save_data(default_context, default_title, default_link)
else:
error = 'save_fail'
if error == 'success':
st.success("Data saved successfully.")
elif error == 'duplicate':
st.warning(f"Maybe one of these claims with title '{default_title}' already exists.")
elif error == 'save_fail':
st.warning("Please enter all claims and select all evidence before saving.")
with tab2:
st.title("Saved Annotations")
if annotated_data.empty:
st.info("No annotations saved yet.")
else:
st.dataframe(annotated_data)
if __name__ == '__main__':
predictor_app() |