Spaces:
Building
Building
File size: 20,232 Bytes
a543e33 4b36911 a543e33 025fa56 a543e33 025fa56 a543e33 025fa56 a543e33 4b36911 a543e33 eab1374 a543e33 42f8800 a543e33 025fa56 a543e33 025fa56 42f8800 a543e33 42f8800 a543e33 42f8800 a543e33 dbc9105 42f8800 e7279e4 42f8800 e7279e4 025fa56 e7279e4 42f8800 e7279e4 42f8800 e7279e4 42f8800 e7279e4 42f8800 e7279e4 42f8800 e7279e4 025fa56 e7279e4 42f8800 |
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 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 |
"""
UI components module for the text analysis application.
Contains reusable UI components and rendering functions.
"""
import streamlit as st
import pandas as pd
from typing import Dict, List, Any, Optional, Tuple
from pathlib import Path
from web_app.utils import MemoryFileHandler
from web_app.config_manager import ConfigManager
from web_app.session_manager import SessionManager
class UIComponents:
"""Reusable UI components for the application."""
@staticmethod
def render_file_preview(file_key: str, config: Dict[str, Any]):
"""Render file preview section."""
st.write(f"### {file_key}")
st.write("**Preview:**")
st.dataframe(config['preview'], use_container_width=True)
@staticmethod
def render_index_count_selector(file_key: str, config: Dict[str, Any]) -> int:
"""Render index count selection UI."""
numeric_cols = ConfigManager.get_numeric_columns(config['preview'])
max_indices = len(numeric_cols)
if max_indices == 0:
st.warning("No numeric columns found in this file.")
return 0
count = st.selectbox(
"Number of indices to create",
options=list(range(1, max_indices + 1)),
key=f"index_count_{file_key}",
help=f"You can create up to {max_indices} indices from this file"
)
return count
@staticmethod
def render_index_configuration(file_key: str, config: Dict[str, Any],
index_num: int, count: int) -> Dict[str, str]:
"""Render configuration UI for a single index."""
st.write(f"**Index {index_num + 1}:**")
col1, col2, col3 = st.columns(3)
with col1:
word_col = st.selectbox(
"Word Column",
options=config['columns'],
key=f"word_col_{file_key}_{index_num}",
help="Column containing words/tokens"
)
with col2:
score_col = st.selectbox(
"Score Column",
options=config['columns'],
key=f"score_col_{file_key}_{index_num}",
help="Column containing frequency/score values"
)
with col3:
index_name = st.text_input(
"Index Name",
value=f"{config['base_name']}_{index_num + 1}",
key=f"index_name_{file_key}_{index_num}",
help="Name for this reference index"
)
return {
'word_column': word_col,
'score_column': score_col,
'index_name': index_name
}
@staticmethod
def render_language_selector():
"""Render language selection UI."""
st.subheader("Language")
new_language = st.selectbox(
"Select Language",
options=['en', 'ja'],
format_func=lambda x: 'English' if x == 'en' else 'Japanese',
index=0 if st.session_state.language == 'en' else 1,
key='language_selector'
)
if new_language != st.session_state.language:
st.session_state.show_language_warning = True
UIComponents.display_language_warning()
if st.button("Confirm Language Change"):
st.session_state.language = new_language
SessionManager.handle_language_change()
st.rerun()
@staticmethod
def render_model_selector():
"""Render model size selection UI."""
st.subheader("SpaCy Model")
new_model_size = st.selectbox(
"Model Size",
options=['md', 'trf'],
format_func=lambda x: 'Transformer (trf)' if x == 'trf' else 'Medium (md)',
index=0 if st.session_state.model_size == 'md' else 1
)
# Only update if changed
if new_model_size != st.session_state.model_size:
st.session_state.model_size = new_model_size
SessionManager.clear_analyzers()
@staticmethod
def render_tool_selector():
"""Render tool selection UI."""
st.subheader("Analysis Tools")
return st.radio(
"Select Tool",
options=['Lexical Sophistication', 'POS & Dependency Parser', 'Frequency Analysis', 'Corpus Data Visualizer'],
key='tool_choice'
)
@staticmethod
def display_language_warning():
"""Display warning before language change."""
if st.session_state.get('show_language_warning', False):
st.warning("β οΈ Changing language will clear all current inputs and outputs.")
@staticmethod
def render_text_input(label: str, key_suffix: str) -> str:
"""Render text input UI with file upload or paste options."""
text_input_method = st.radio(
"Input Method",
options=['Paste Text', 'Upload File'],
horizontal=True,
key=f"input_method_{key_suffix}"
)
text_content = ""
if text_input_method == 'Upload File':
uploaded_file = st.file_uploader(
"Upload Text File",
type=['txt'],
accept_multiple_files=False,
key=f"file_upload_{key_suffix}"
)
if uploaded_file:
try:
# Use memory-based approach to avoid filesystem restrictions
text_content = MemoryFileHandler.process_uploaded_file(uploaded_file, as_text=True)
if not text_content:
st.error("Failed to read uploaded file. Please try again.")
return ""
except Exception as e:
st.error(f"Error reading uploaded file: {str(e)}")
return ""
else:
text_content = st.text_area(
f"Enter {label}",
height=200,
placeholder=f"Paste your {label.lower()} here...",
key=f"text_area_{key_suffix}"
)
return text_content
@staticmethod
def render_analysis_options():
"""Render enhanced analysis options UI with sophisticated hierarchical interface."""
from web_app.defaults_manager import DefaultsManager
from web_app.config_manager import ConfigManager
from web_app.session_manager import SessionManager
st.subheader("π§ Analysis Configuration")
# Get current configuration
config = ConfigManager.load_reference_config()
reference_lists = SessionManager.get_reference_lists()
# Enhanced Reference Lists & Measures Section
st.write("### π Reference Lists & Measures")
# Render the sophisticated hierarchical interface
selected_measures, log_transforms = UIComponents.render_enhanced_reference_selection(config, reference_lists)
# Global Analysis Options
st.write("### π― Analysis Types")
col1, col2 = st.columns(2)
with col1:
token_analysis = st.checkbox("Token-based", value=True, key="token_analysis_enabled")
with col2:
lemma_analysis = st.checkbox("Lemma-based", value=True, key="lemma_analysis_enabled")
# Global Options
st.write("### βοΈ Global Options")
word_type_filter = st.selectbox(
"Word Type Filter:",
options=[None, 'CW', 'FW'],
format_func=lambda x: 'All Words βΌ' if x is None else ('Content Words' if x == 'CW' else 'Function Words'),
key="word_type_filter"
)
# Advanced Configuration Section
with st.expander("π― Advanced Configuration (Optional)", expanded=False):
st.info("βΉοΈ **Smart Defaults Active**: The system automatically applies appropriate settings. "
"Expand this section only if you need custom control.")
# Legacy log transformation toggle
legacy_log_toggle = st.checkbox(
"Apply logββ transformation to ALL measures (Legacy Mode)",
value=False,
help="β οΈ Not recommended: This applies log transformation to all measures, "
"including those where it's scientifically inappropriate (e.g., concreteness ratings).",
key="legacy_log_transform"
)
if legacy_log_toggle:
st.warning("β οΈ Legacy mode enabled: Log transformation will be applied to ALL numerical measures. "
"This may produce scientifically invalid results for psycholinguistic measures.")
# Return enhanced configuration
return {
'token_analysis': token_analysis,
'lemma_analysis': lemma_analysis,
'word_type_filter': word_type_filter,
'selected_measures': selected_measures,
'log_transforms': log_transforms,
'use_smart_defaults': not st.session_state.get('legacy_log_transform', False),
'legacy_log_transform': st.session_state.get('legacy_log_transform', False)
}
@staticmethod
def _find_entry_config(entry_name: str, config: Dict[str, Any]) -> Optional[Dict[str, Any]]:
"""Find configuration entry by name."""
for language, lang_data in config.items():
if not isinstance(lang_data, dict):
continue
for ngram_type, type_data in lang_data.items():
if not isinstance(type_data, dict):
continue
if entry_name in type_data:
return type_data[entry_name]
return None
@staticmethod
def display_configured_indices():
"""Display currently configured indices."""
reference_lists = SessionManager.get_reference_lists()
if not reference_lists:
return
st.write("**Currently Configured Indices:**")
custom_indices = []
default_indices = []
for index_name, data in reference_lists.items():
if SessionManager.is_custom_reference_list(index_name):
config = data['token']
custom_indices.append(f"- {index_name}: {config['word_column']} β {config['freq_column']}")
elif isinstance(data, dict) and 'token' in data:
if isinstance(data['token'], dict):
default_indices.append(f"- {index_name}: {len(data['token'])} entries")
else:
default_indices.append(f"- {index_name}: configured")
if custom_indices:
st.write("*Custom Indices:*")
for idx in custom_indices:
st.write(idx)
if default_indices:
st.write("*Default Indices:*")
for idx in default_indices:
st.write(idx)
@staticmethod
def render_configuration_results(success_count: int, errors: List[str]):
"""Render configuration application results."""
if success_count > 0:
st.success(f"Successfully configured {success_count} indices")
if errors:
st.error("Configuration errors:")
for error in errors:
st.write(f"- {error}")
if success_count == 0:
st.error("No valid configurations found")
@staticmethod
def render_enhanced_reference_selection(config: Dict[str, Any], reference_lists: Dict[str, Any]) -> Tuple[Dict[str, List[str]], Dict[str, List[str]]]:
"""Render the advanced reference list selection interface with hierarchical grouping and individual measure control."""
from web_app.defaults_manager import DefaultsManager
# Initialize return values
selected_measures = {}
log_transforms = {}
if not reference_lists:
st.info("No reference lists selected. Please configure reference lists first.")
return selected_measures, log_transforms
# Group reference lists by base name for hierarchical display
groups = UIComponents._group_reference_lists(reference_lists, config)
st.write("**Reference Lists & Measures:**")
# Render each group with hierarchical interface
for base_name, group_data in groups.items():
# Group-level enable/disable checkbox
group_key = f"group_enabled_{base_name}"
group_enabled = st.checkbox(
f"**{base_name}**",
value=True, # Default enabled
key=group_key,
help=f"Enable/disable all {base_name} analyses"
)
if group_enabled:
# Analysis type badges display
badges = []
if group_data['token']:
badges.append("[Token β]")
if group_data['lemma']:
badges.append("[Lemma β]")
if badges:
st.write(f" {' '.join(badges)}")
# Expandable measure selection for each analysis type
if group_data['token']:
with st.expander("π Token Measures β¬οΈ (click to customize)", expanded=False):
token_measures, token_logs = UIComponents._render_measure_selection(
group_data['token'][0], 'token', base_name
)
# Always store the results, even if empty (to maintain structure)
selected_measures[group_data['token'][0][0]] = token_measures
log_transforms[group_data['token'][0][0]] = token_logs
if group_data['lemma']:
with st.expander("π Lemma Measures β¬οΈ (click to customize)", expanded=False):
lemma_measures, lemma_logs = UIComponents._render_measure_selection(
group_data['lemma'][0], 'lemma', base_name
)
# Always store the results, even if empty (to maintain structure)
selected_measures[group_data['lemma'][0][0]] = lemma_measures
log_transforms[group_data['lemma'][0][0]] = lemma_logs
# Show smart defaults summary
token_entry_name = group_data['token'][0][0] if group_data['token'] else None
lemma_entry_name = group_data['lemma'][0][0] if group_data['lemma'] else None
total_measures = 0
total_logs = 0
if token_entry_name:
total_measures += len(selected_measures.get(token_entry_name, []))
total_logs += len(log_transforms.get(token_entry_name, []))
if lemma_entry_name:
total_measures += len(selected_measures.get(lemma_entry_name, []))
total_logs += len(log_transforms.get(lemma_entry_name, []))
st.write(f" π {total_measures} measures selected, π {total_logs} log-transformed")
st.write("") # Add spacing
return selected_measures, log_transforms
@staticmethod
def _group_reference_lists(reference_lists: Dict[str, Any], config: Dict[str, Any]) -> Dict[str, Dict[str, List]]:
"""Group related reference lists for hierarchical display."""
from collections import defaultdict
groups = defaultdict(lambda: {'token': [], 'lemma': []})
for entry_name in reference_lists.keys():
# Extract base name (remove _token/_lemma suffix)
base_name = entry_name.replace('_token', '').replace('_lemma', '')
# Get analysis type from config
entry_config = UIComponents._find_entry_config(entry_name, config)
if entry_config:
analysis_type = entry_config.get('analysis_type', 'token')
groups[base_name][analysis_type].append((entry_name, entry_config))
return groups
@staticmethod
def _render_measure_selection(entry_data: Tuple[str, Dict], analysis_type: str, base_name: str) -> Tuple[List[str], List[str]]:
"""Render individual measure checkboxes with log transform controls."""
entry_name, entry_config = entry_data
# Get measure information from config
selectable_measures = entry_config.get('selectable_measures', [])
log_transformable = entry_config.get('log_transformable', [])
default_measures = entry_config.get('default_measures', [])
default_log_transforms = entry_config.get('default_log_transforms', [])
# Initialize session state for this entry if not exists
if f'custom_measures_{entry_name}' not in st.session_state:
st.session_state[f'custom_measures_{entry_name}'] = default_measures.copy()
if f'custom_logs_{entry_name}' not in st.session_state:
st.session_state[f'custom_logs_{entry_name}'] = default_log_transforms.copy()
# Display measure selection interface
st.write(f"**Available Measures for {entry_config.get('display_name', entry_name)}:**")
selected_measures = []
selected_logs = []
for measure in selectable_measures:
col1, col2 = st.columns([3, 1])
with col1:
# Measure checkbox (pre-selected based on defaults)
measure_key = f"measure_{entry_name}_{measure}"
selected = st.checkbox(
f"{measure.replace('_', ' ').title()}",
value=measure in st.session_state[f'custom_measures_{entry_name}'],
key=measure_key,
help=f"Include {measure} in analysis"
)
if selected:
selected_measures.append(measure)
with col2:
# Log transform toggle (disabled if not transformable)
if measure in log_transformable and selected:
log_key = f"log_{entry_name}_{measure}"
log_enabled = st.checkbox(
"π logββ",
value=measure in st.session_state[f'custom_logs_{entry_name}'],
key=log_key,
help=f"Apply logββ transformation to {measure}"
)
if log_enabled:
selected_logs.append(measure)
elif measure in log_transformable:
st.write("π (disabled)")
else:
st.write("β (not transformable)")
# Update session state
st.session_state[f'custom_measures_{entry_name}'] = selected_measures
st.session_state[f'custom_logs_{entry_name}'] = selected_logs
# Show selection summary
if selected_measures:
st.success(f"β
{len(selected_measures)} measures selected, {len(selected_logs)} log-transformed")
else:
st.warning("β οΈ No measures selected for this analysis type")
return selected_measures, selected_logs
@staticmethod
def group_has_smart_defaults(group_entries: List[str], config: Dict[str, Any]) -> bool:
"""Check if a group has smart defaults configured."""
for entry_name in group_entries:
entry_config = UIComponents._find_entry_config(entry_name, config)
if entry_config and entry_config.get('default_measures'):
return True
return False
|