cptu_bench / app.py
jansowa's picture
Fix typo in header
be75ce2 verified
raw
history blame
No virus
19.5 kB
import json
import streamlit as st
import pandas as pd
import seaborn as sns
import plotly.graph_objects as go
import plotly.express as px
from st_social_media_links import SocialMediaIcons
RESULTS_COLUMN_NAME = "Results"
AVERAGE_COLUMN_NAME = "Average"
SENTIMENT_COLUMN_NAME = "Sentiment"
UNDERSTANDING_COLUMN_NAME = "Language understanding"
PHRASEOLOGY_COLUMN_NAME = "Phraseology"
# Function to load data from JSON file
@st.cache_data
def load_data(file_path):
with open(file_path, 'r', encoding='utf-8') as file:
data = json.load(file)
return pd.DataFrame(data)
# Function to style the DataFrame
@st.cache_data
def style_dataframe(df: pd.DataFrame):
df[RESULTS_COLUMN_NAME] = df.apply(lambda row: [row[SENTIMENT_COLUMN_NAME], row[UNDERSTANDING_COLUMN_NAME], row[PHRASEOLOGY_COLUMN_NAME]], axis=1)
# Insert the new column after the 'Average' column
cols = list(df.columns)
cols.insert(cols.index(AVERAGE_COLUMN_NAME) + 1, cols.pop(cols.index(RESULTS_COLUMN_NAME)))
df = df[cols]
# Create a color ramp using Seaborn
return df
def styler(df: pd.DataFrame):
palette = sns.color_palette("RdYlGn", as_cmap=True)
# Apply reverse color gradient to the "Params" column
params_palette = sns.color_palette("RdYlGn_r", as_cmap=True) # Reversed RdYlGn palette
styled_df = df.style.background_gradient(cmap=palette, subset=[AVERAGE_COLUMN_NAME, SENTIMENT_COLUMN_NAME, PHRASEOLOGY_COLUMN_NAME, UNDERSTANDING_COLUMN_NAME]
).background_gradient(cmap=params_palette, subset=["Params"]
).set_properties(**{'text-align': 'center'}, subset=[AVERAGE_COLUMN_NAME, SENTIMENT_COLUMN_NAME, PHRASEOLOGY_COLUMN_NAME, UNDERSTANDING_COLUMN_NAME]
).format("{:.2f}".center(10), subset=[AVERAGE_COLUMN_NAME, SENTIMENT_COLUMN_NAME, PHRASEOLOGY_COLUMN_NAME, UNDERSTANDING_COLUMN_NAME]
).format("{:.1f}".center(10), subset=["Params"])
return styled_df
### Streamlit app
st.set_page_config(layout="wide")
st.markdown("""
<style>
.block-container {
padding-top: 0%;
padding-bottom: 0%;
padding-left: 3%;
padding-right: 3%;
scrollbar-width: thin;
}
</style>
""", unsafe_allow_html=True)
### Prepare layout
st.markdown("""
<style>
.center {
display: block;
margin-left: auto;
margin-right: auto;
width: 50%;
}
.center-text {
text-align: center;
}
a:link {color:#FDA428;} /* unvisited link */
a:hover {color:#FDA428;} /* Mouse over link */
a:visited {color:#FDA428;} /* visited link */
a:active {color:#FDA428;} /* selected link */
</style>
""", unsafe_allow_html=True)
# --- Colors info ---
# Primary Color: #FDA428
# Secondary Color: #A85E00
# Grey Color: #7B7B7B
# Background Color: #1C1C1C
# {'LOW': '#7B7B7B', 'MEDIUM': '#A85E00', 'HIGH': '#FDA428'}
# ----------------------------------------------------------
st.markdown("""<br>""", unsafe_allow_html=True)
### Row: 1 --> Title + links to SpeakLeash.org website / GitHub / X (Twitter)
social_media_links = [
"https://discord.com/invite/ZJwCMrxwT7",
"https://github.com/speakleash",
"https://x.com/Speak_Leash",
"https://www.linkedin.com/company/speakleash/",
"https://www.facebook.com/Speakleash/"
]
light_orange = "#FDA428"
dark_orange = "#A85E00"
white_color = "#FFFFFF"
black_color = "#000000"
links_color = light_orange
social_media_links_colors = [
links_color,
links_color,
links_color,
links_color,
links_color
]
social_media_icons = SocialMediaIcons(social_media_links, social_media_links_colors)
social_media_icons.render(justify_content='right')
st.markdown("""
<hr style="margin: 0.5em 0;">
""", unsafe_allow_html=True)
st.markdown("""
<img src="https://speakleash.org/wp-content/uploads/2023/09/SpeakLeash_logo.svg" alt="SpeakLeash Logo">
""", unsafe_allow_html=True)
# Add logo, title, and subheader in a flexible container with equal spacing
st.markdown("""
<div class="header-container">
<br><br>
<div class="title-container">
<h1 style='color: #FDA428; margin-top: -1rem; font-size: 3.1em;'>CPTUB - Complex Polish Text Understanding Benchmark</h1>
<h3 style="margin-top: 0;">Understanding of Polish text, sentiment and phraseological compounds</h2>
</div>
</div>
""", unsafe_allow_html=True)
# Create tabs
tab1, tab2 = st.tabs([RESULTS_COLUMN_NAME, "Description"])
with tab1:
st.write("This benchmark is designed to evaluate the ability of language models to correctly interpret complex Polish texts, including sarcasm, phraseological compounds, and implicatures. Models are assessed not only on traditional sentiment analysis but also on their ability to understand and interpret more complex language forms. The focus is on how well models can uncover the intended meaning in texts that require going beyond literal word meanings to recognize deeper, context-dependent interpretations.")
# Prepare data
data = load_data('data.json')
data['Params'] = data['Params'].str.replace('B', '').astype(float)
data = data.sort_values(by=AVERAGE_COLUMN_NAME, ascending=False)
# Closing filters in a expander
with st.expander("Filtering benchmark data", icon='🔍'):
# Filtering data, e.g. slider for params, average score, etc.
col_filter_params, col_filter_average, col_filter_sentiment, col_filter_understanding, col_filter_phraseology = st.columns(5, gap='medium')
with col_filter_params:
params_slider = st.slider("Models Size [B]", min_value=0.0, max_value=float(data['Params'].max()), value=(0.0, float(data['Params'].max())), step=0.1, format="%.1f")
data = data[(data['Params'] >= params_slider[0]) & (data['Params'] <= params_slider[1])]
with col_filter_average:
average_slider = st.slider("Average score", step=0.1, min_value=0.0, max_value=5.0, value=(0.0, 5.0))
data = data[(data[AVERAGE_COLUMN_NAME] >= average_slider[0]) & (data[AVERAGE_COLUMN_NAME] <= average_slider[1])]
with col_filter_sentiment:
sentiment_slider = st.slider("Sentiment score", step=0.1, min_value=0.0, max_value=5.0, value=(0.0, 5.0))
data = data[(data[SENTIMENT_COLUMN_NAME] >= sentiment_slider[0]) & (data[SENTIMENT_COLUMN_NAME] <= sentiment_slider[1])]
with col_filter_understanding:
understanding_slider = st.slider("Understanding score", step=0.1, min_value=0.0, max_value=5.0, value=(0.0, 5.0))
data = data[(data[UNDERSTANDING_COLUMN_NAME] >= understanding_slider[0]) & (data[UNDERSTANDING_COLUMN_NAME] <= understanding_slider[1])]
with col_filter_phraseology:
phraseology_slider = st.slider("Phraseology score", step=0.1, min_value=0.0, max_value=5.0, value=(0.0, 5.0))
data = data[(data[PHRASEOLOGY_COLUMN_NAME] >= phraseology_slider[0]) & (data[PHRASEOLOGY_COLUMN_NAME] <= phraseology_slider[1])]
# Extract unique provider names from the "Model" column
providers = data["Model"].apply(lambda x: x.split('/')[0].lower()).unique()
selected_providers = st.multiselect("Model providers", providers, default=providers)
# Filter data based on selected providers
data = data[data["Model"].apply(lambda x: x.split('/')[0]).isin(selected_providers)]
### Display data
styled_df_show = style_dataframe(data)
styled_df_show = styler(styled_df_show)
st.data_editor(styled_df_show, column_config={
"Model": st.column_config.TextColumn("Model", help="Model name", width="large"),
"Params": st.column_config.NumberColumn("Params [B]"),
AVERAGE_COLUMN_NAME: st.column_config.NumberColumn(AVERAGE_COLUMN_NAME),
RESULTS_COLUMN_NAME: st.column_config.BarChartColumn(
"Bar chart of results", help="Summary of the results of each task",
y_min=0,y_max=5,),
SENTIMENT_COLUMN_NAME: st.column_config.NumberColumn(SENTIMENT_COLUMN_NAME, help='Ability to analyze sentiment'),
UNDERSTANDING_COLUMN_NAME: st.column_config.NumberColumn(UNDERSTANDING_COLUMN_NAME, help='Ability to understand language'),
PHRASEOLOGY_COLUMN_NAME: st.column_config.NumberColumn(PHRASEOLOGY_COLUMN_NAME, help='Ability to understand phraseological compounds'),
}, hide_index=True, disabled=True, height=500)
# Add selection for models and create a bar chart for selected models using the AVERAGE_COLUMN_NAME, SENTIMENT_COLUMN_NAME, PHRASEOLOGY_COLUMN_NAME, UNDERSTANDING_COLUMN_NAME
# Add default selection of 3 best models from AVERAGE_COLUMN_NAME and 1 best model with "Bielik" in Model column
default_models = list(data.sort_values(AVERAGE_COLUMN_NAME, ascending=False)['Model'].head(3))
bielik_model = data[data['Model'].str.contains('Bielik')].sort_values(AVERAGE_COLUMN_NAME, ascending=False)['Model'].iloc[0]
if bielik_model not in default_models:
default_models.append(bielik_model)
selected_models = st.multiselect("Select models to compare", data["Model"].unique(), default=default_models)
selected_data = data[data["Model"].isin(selected_models)]
categories = [AVERAGE_COLUMN_NAME, SENTIMENT_COLUMN_NAME, PHRASEOLOGY_COLUMN_NAME, UNDERSTANDING_COLUMN_NAME]
if selected_models:
# Kolorki do wyboru:
# colors = px.colors.sample_colorscale("viridis", len(selected_models)+1)
colors = px.colors.qualitative.G10[:len(selected_models)]
fig_bars = go.Figure()
for model, color in zip(selected_models, colors):
values = selected_data[selected_data['Model'] == model][categories].values.flatten().tolist()
fig_bars.add_trace(go.Bar(
x=categories,
y=values,
name=model,
marker_color=color
))
# Update layout to use a custom color scale
fig_bars.update_layout(
showlegend=True,
legend=dict(orientation="h", yanchor="top", y=-0.3, xanchor="center", x=0.5),
title="Comparison of Selected Models",
yaxis_title="Score",
template="plotly_dark"
)
fig_bars.update_yaxes(range=[0, 5.1])
st.plotly_chart(fig_bars)
### Zakładka 2 --> Opis
with tab2:
st.markdown("""
### <span style='text-decoration: #FDA428 wavy underline;'>**Cause of Creation**</span>
1. **Need**: Models face significant challenges when dealing with understanding complex, context-reliant texts that involve meanings implied beyond the literal content of a statement. Such cases include sarcasm, implicatures, and phraseological compounds.
Traditional sentiment classifiers typically rely on word-based features (e.g., identifying positive or negative words) to assess sentiment. However, with sarcasm, the literal meaning of words often contradicts the intended sentiment, making it difficult for models to accurately gauge tone. Sarcasm's context-dependence further complicates matters, as these classifiers typically lack the ability to grasp nuanced cues in context, especially when sarcasm is subtle.
Similarly, classifiers struggle with implicatures, where the underlying intent is implied rather than explicitly stated. Here, models fail to capture the full sentiment because they rely heavily on surface-level words, missing the non-literal meaning that often drives the sentiment.
Phraseological compounds add another layer of difficulty. These are fixed or semi-fixed expressions whose meanings cannot be directly inferred from the individual words. Language models, trained on word-level patterns, often misinterpret these expressions because they fail to recognize the idiomatic or non-literal meaning, leading to inaccurate sentiment analysis.
In addition to sentiment analysis, we decided to include the understanding of more complex texts in the benchmark, which was measured by the ability to uncover the intended meaning.
### <span style='text-decoration: #FDA428 wavy underline;'>**Dataset Information**</span>
The dataset contains 200 examples, all written in Polish. Each example consists of the following:
- **Main Text**: This is a statement (often an opinion) on any topic that includes a certain type of implicature, often several simultaneously, such as sarcasm or phraseological compounds.
- **Reference Sentiment**: The sentiment associated with the main text. We use three categories: negative, neutral, and positive. Ambiguous examples were labeled as "neutral" to exclude them from sentiment classification testing.
- **Reference phraseological compounds**: A list of phraseological compounds found in the main text.
- **Reference Explanation**: An explanation of the underlying intentions that the author of the main text might have had.
### <span style='text-decoration: #FDA428 wavy underline;'>**Evaluation Procedure**</span>
We distinguish between two models in the evaluation process:
- **Evaluated Model**: The model that performs specific tasks, is then assessed based on its performance, and added to a ranking.
- **Judge Metamodel**: One of the currently strongest, most versatile LLMs.
### <span style='text-decoration: #FDA428 wavy underline;'>**GENERATING RESPONSES FROM THE EVALUATED MODEL**</span>
1. For each text in the dataset, the evaluated model was required to list the following in three points:
- The sentiment (only positive/negative).
- The underlying intentions of the author of the text.
- All phraseological compounds present in the text along with their meanings in the given context.
2. No system prompt is used. The prompt provided to the evaluated model is written in Polish, as we are testing the models in this language. It contains:
- **User Prompt**: 3 elements, each consisting of a header written in capital letters and content enclosed in triple quotes:
- Information about the role of a careful linguist with extensive experience.
- The instruction to perform the three previously described tasks.
- The first example of a text that could be included in the dataset.
- **Assistant Prompt**: A human-written example answer for the first example text.
- **User Prompt**: A second example of a text that could be included in the dataset.
- **Assistant Prompt**: A human-written example answer for the second example text.
- **User Prompt**: The target text, based on which the evaluated model will be assessed.
3. The decision to split the examples into user prompts and assistant prompts was made due to the better results achieved by the vast majority of models. The two examples were selected based on diversity: one has a negative sentiment and several phraseological compounds, while the other is positive and lacks phraseological compounds.
### <span style='text-decoration: #FDA428 wavy underline;'>**GENERATING METAMODEL EVALUATIONS**</span>
1. The purpose of the metamodel is to return the following evaluations:
- **Understanding of the Text**: A comparison of the evaluated model's response description to the reference explanation.
- **Sentiment Analysis**: An optional evaluation, only if the reference sentiment is "positive" or "negative." We made this decision to exclude texts that people might interpret ambiguously.
- **phraseological compounds**: The model is penalized for phrases not included in the reference phraseological compounds. In cases where there are no phraseological compounds, the highest score is awarded only if the model indicates the absence of such expressions — one point is deducted for each excess phrase until the score reaches zero.
2. Each evaluation is provided in JSON format. Example of a full response from the metamodel:
```json
{"WYDŹWIĘK": "5"}
{"OCENA": "4"}
{"ZWIĄZKI": "3"}
```
3. The judge metamodel's prompt structure is similar to that of the evaluated model's prompt. No system prompt is used. The prompt includes:
- **User Prompt**: 3 elements, each consisting of a header written in capital letters and content enclosed in triple quotes:
- **Role**: A reliable assistant who adheres to the instructions and does not perform any other tasks, nor enters any additional text in the response.
- **Task**: According to the description in point 1. The comparison of phraseological compounds has the most guidelines, so we noted that the model should focus on this as it is the most challenging step, and that its work will be evaluated based on this point.
- The first example of a potential response from the evaluated model along with the references.
- **Assistant Prompt**: An example response containing the evaluations.
- **User Prompt**: A second example of a potential response from the evaluated model along with the references.
- **Assistant Prompt**: An example response containing the evaluations for the second example.
- **User Prompt**: The actual response from the evaluated model and the references on which the metamodel will base its evaluations included in the benchmark.
4. Here, the examples were also selected based on diversity. One includes a reference with a positive sentiment, while the other contains no reference sentiment at all (an example labeled as "neutral" in the dataset).
5. It is worth explaining why we chose this particular process for evaluating phraseological compounds. Initially, we intended to check only those phrases included in the reference and ignore others in the evaluation. Unfortunately, this procedure favored models that provided many phrases that were not phraseological compounds.
Therefore, we decided to penalize models for phrases not included in the reference. We aimed to ensure that models were not penalized for providing phraseological compounds we had not included in the reference. After generating the responses, we collected phrases noted by several models and manually reviewed all references to identify phraseological compounds we might have missed.
A similar procedure was applied to sentiment analysis—we listed all examples where several models consistently recorded a different sentiment than the reference and reconsidered whether the examples could be interpreted differently than initially assumed.
""", unsafe_allow_html=True)
# Ending :)
st.markdown("<hr style='border: 1px solid #A85E00;'>", unsafe_allow_html=True)
# st.divider()
st.markdown("""
### Authors:
- [Jan Sowa](https://www.linkedin.com/in/janpiotrsowa) - leadership, writing texts, benchmark code
- [Agnieszka Kosiak](https://www.linkedin.com/in/agn-kosiak/) - writing texts
- [Magdalena Krawczyk](https://www.linkedin.com/in/magdalena-krawczyk-7810942ab/) - writing texts, labeling
- [Marta Matylda Kania](https://www.linkedin.com/in/martamatyldakania/) - prompt engineering
- [Remigiusz Kinas](https://www.linkedin.com/in/remigiusz-kinas/) - methodological support
- [Krzysztof Wróbel](https://www.linkedin.com/in/wrobelkrzysztof/) - engineering, methodological support
- [Szymon Baczyński](https://www.linkedin.com/in/szymon-baczynski/) - front-end / streamlit assistant
- [Maria Filipkowska](https://www.linkedin.com/in/maria-filipkowska/) - writing text, linguistic support
""")
st.divider()
# Run the app with `streamlit run your_script.py`