File size: 25,335 Bytes
9858829 | 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 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 | """
Main Dashboard Page
Displays overall sentiment distributions by brand and platform
"""
import streamlit as st
import sys
from pathlib import Path
# Add parent directory to path
parent_dir = Path(__file__).resolve().parent.parent
sys.path.append(str(parent_dir))
from utils.data_processor import SentimentDataProcessor
from utils.metrics import SentimentMetrics
from utils.pdf_exporter import DashboardPDFExporter
from visualizations.sentiment_charts import SentimentCharts
from visualizations.distribution_charts import DistributionCharts
from visualizations.demographic_charts import DemographicCharts
from visualizations.content_cards import ContentCards
def render_dashboard(df):
"""
Render the main dashboard page
Args:
df: Sentiment dataframe
"""
st.title("π Sentiment Analysis Dashboard")
# ββ PDF Report ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
with st.expander("π Export PDF Report", expanded=False):
st.markdown(
"Generate a comprehensive PDF report of the current dashboard view. "
"The report includes all charts, metrics, and a data summary. "
"Active global filters are reflected in the report."
)
if st.button("Generate PDF Report", type="primary", use_container_width=True):
with st.spinner("Generating PDF report β this may take 30β60 secondsβ¦"):
try:
# Build a human-readable description of active filters
global_filters = st.session_state.get("global_filters", {})
filter_info = {}
if global_filters.get("platforms"):
filter_info["Platforms"] = global_filters["platforms"]
if global_filters.get("brands"):
filter_info["Brands"] = global_filters["brands"]
if global_filters.get("sentiments"):
filter_info["Sentiments"] = global_filters["sentiments"]
if global_filters.get("date_range"):
dr = global_filters["date_range"]
filter_info["Date Range"] = f"{dr[0]} to {dr[1]}"
exporter = DashboardPDFExporter()
pdf_bytes = exporter.generate_report(df, filter_info or None)
filename = (
f"musora_sentiment_report_"
f"{__import__('datetime').datetime.now().strftime('%Y%m%d_%H%M')}.pdf"
)
st.success("Report generated successfully!")
st.download_button(
label="Download PDF Report",
data=pdf_bytes,
file_name=filename,
mime="application/pdf",
use_container_width=True,
)
except Exception as e:
st.error(f"Failed to generate report: {e}")
st.exception(e)
st.markdown("---")
# Performance tip
if len(df) > 10000:
st.info(f"π‘ **Performance Tip**: Loaded {len(df):,} comments. Use the global filters in the sidebar to narrow down your analysis for faster performance.")
st.markdown("---")
# Initialize components
sentiment_charts = SentimentCharts()
distribution_charts = DistributionCharts()
processor = SentimentDataProcessor()
# Display overall summary statistics
ContentCards.display_summary_stats(df)
st.markdown("---")
# Calculate overall metrics
overall_metrics = SentimentMetrics.calculate_overall_metrics(df)
# Display health indicator
col1, col2, col3 = st.columns([1, 2, 1])
with col2:
ContentCards.display_health_indicator(overall_metrics['negative_pct'])
st.markdown("---")
# Overall sentiment distribution
st.markdown("## π― Overall Sentiment Distribution")
col1, col2 = st.columns(2)
with col1:
# Sentiment pie chart
sentiment_pie = sentiment_charts.create_sentiment_pie_chart(df, title="Overall Sentiment Distribution")
st.plotly_chart(sentiment_pie, use_container_width=True)
with col2:
# Sentiment score gauge
sentiment_gauge = sentiment_charts.create_sentiment_score_gauge(
overall_metrics['avg_sentiment_score'],
title="Overall Sentiment Score"
)
st.plotly_chart(sentiment_gauge, use_container_width=True)
# Additional metrics
metric_col1, metric_col2 = st.columns(2)
with metric_col1:
st.metric("Positive %", f"{overall_metrics['positive_pct']:.1f}%")
with metric_col2:
st.metric("Reply Rate %", f"{overall_metrics['reply_required_pct']:.1f}%")
st.markdown("---")
# Sentiment by Brand
st.markdown("## π’ Sentiment Analysis by Brand")
col1, col2 = st.columns(2)
with col1:
# Stacked bar chart
brand_sentiment_bar = sentiment_charts.create_sentiment_bar_chart(
df, group_by='brand', title="Sentiment Distribution by Brand"
)
st.plotly_chart(brand_sentiment_bar, use_container_width=True)
with col2:
# Percentage bar chart
brand_sentiment_pct = sentiment_charts.create_sentiment_percentage_bar_chart(
df, group_by='brand', title="Sentiment Distribution by Brand (%)"
)
st.plotly_chart(brand_sentiment_pct, use_container_width=True)
# Brand metrics table
with st.expander("π Detailed Brand Metrics"):
brand_metrics = SentimentMetrics.calculate_brand_metrics(df)
brand_data = []
for brand, metrics in brand_metrics.items():
brand_data.append({
'Brand': brand.title(),
'Total Comments': metrics['total_comments'],
'Replies Needed': metrics['total_reply_required'],
'Negative %': f"{metrics['negative_pct']:.1f}%",
'Positive %': f"{metrics['positive_pct']:.1f}%",
'Avg Sentiment Score': f"{metrics['avg_sentiment_score']:.2f}"
})
st.table(brand_data)
st.markdown("---")
# Sentiment by Platform
st.markdown("## π Sentiment Analysis by Platform")
col1, col2 = st.columns(2)
with col1:
# Stacked bar chart
platform_sentiment_bar = sentiment_charts.create_sentiment_bar_chart(
df, group_by='platform', title="Sentiment Distribution by Platform"
)
st.plotly_chart(platform_sentiment_bar, use_container_width=True)
with col2:
# Percentage bar chart
platform_sentiment_pct = sentiment_charts.create_sentiment_percentage_bar_chart(
df, group_by='platform', title="Sentiment Distribution by Platform (%)"
)
st.plotly_chart(platform_sentiment_pct, use_container_width=True)
# Platform metrics table
with st.expander("π Detailed Platform Metrics"):
platform_metrics = SentimentMetrics.calculate_platform_metrics(df)
platform_data = []
for platform, metrics in platform_metrics.items():
platform_data.append({
'Platform': platform.title(),
'Total Comments': metrics['total_comments'],
'Replies Needed': metrics['total_reply_required'],
'Negative %': f"{metrics['negative_pct']:.1f}%",
'Positive %': f"{metrics['positive_pct']:.1f}%",
'Avg Sentiment Score': f"{metrics['avg_sentiment_score']:.2f}"
})
st.table(platform_data)
st.markdown("---")
# Intent Analysis
st.markdown("## π Intent Analysis")
col1, col2 = st.columns(2)
with col1:
# Intent bar chart
intent_bar = distribution_charts.create_intent_bar_chart(
df, title="Intent Distribution", orientation='h'
)
st.plotly_chart(intent_bar, use_container_width=True)
with col2:
# Intent pie chart
intent_pie = distribution_charts.create_intent_pie_chart(df, title="Intent Distribution")
st.plotly_chart(intent_pie, use_container_width=True)
st.markdown("---")
# Brand-Platform Matrix
st.markdown("## π Cross-Dimensional Analysis")
col1, col2 = st.columns(2)
with col1:
# Heatmap showing comment distribution
brand_platform_matrix = distribution_charts.create_brand_platform_matrix(
df, title="Brand-Platform Comment Matrix"
)
st.plotly_chart(brand_platform_matrix, use_container_width=True)
with col2:
# Sentiment heatmap
sentiment_heatmap = sentiment_charts.create_sentiment_heatmap(
df, row_dimension='brand', col_dimension='platform', title="Negative Sentiment Heatmap"
)
st.plotly_chart(sentiment_heatmap, use_container_width=True)
st.markdown("---")
# Platform and Brand Distribution
st.markdown("## π Volume Analysis")
col1, col2 = st.columns(2)
with col1:
# Platform distribution
platform_dist = distribution_charts.create_platform_distribution(df, title="Comments by Platform")
st.plotly_chart(platform_dist, use_container_width=True)
with col2:
# Brand distribution
brand_dist = distribution_charts.create_brand_distribution(df, title="Comments by Brand")
st.plotly_chart(brand_dist, use_container_width=True)
st.markdown("---")
# Reply Requirements
st.markdown("## β οΈ Reply Requirements Analysis")
col1, col2 = st.columns(2)
with col1:
# Reply required by brand
reply_brand = distribution_charts.create_reply_required_chart(
df, group_by='brand', title="Comments Requiring Reply by Brand"
)
st.plotly_chart(reply_brand, use_container_width=True)
with col2:
# Reply required by platform
reply_platform = distribution_charts.create_reply_required_chart(
df, group_by='platform', title="Comments Requiring Reply by Platform"
)
st.plotly_chart(reply_platform, use_container_width=True)
# Response urgency metrics
urgency_metrics = SentimentMetrics.calculate_response_urgency(df)
st.markdown("### π¨ Response Urgency Breakdown")
urgency_col1, urgency_col2, urgency_col3, urgency_col4 = st.columns(4)
with urgency_col1:
st.metric("π΄ Urgent", urgency_metrics['urgent_count'], help="Negative sentiment + requires reply")
with urgency_col2:
st.metric("π High Priority", urgency_metrics['high_priority_count'], help="Neutral with feedback/request")
with urgency_col3:
st.metric("π‘ Medium Priority", urgency_metrics['medium_priority_count'], help="Positive requiring reply")
with urgency_col4:
st.metric("π’ Low Priority", urgency_metrics['low_priority_count'], help="Very positive requiring reply")
st.markdown("---")
st.markdown("---")
# Demographics Analysis (for musora_app only)
# Check if we have musora_app data and demographic fields
has_musora_app = 'platform' in df.columns and 'musora_app' in df['platform'].values
has_demographics = (
has_musora_app and
'age_group' in df.columns and
'timezone' in df.columns and
'experience_level' in df.columns
)
if has_demographics:
# Filter for musora_app data only
df_musora = df[df['platform'] == 'musora_app'].copy()
# Check if we have any demographic data (not all Unknown)
has_valid_demographics = (
(df_musora['age_group'] != 'Unknown').any() or
(df_musora['timezone_region'] != 'Unknown').any() or
(df_musora['experience_group'] != 'Unknown').any()
)
if has_valid_demographics and len(df_musora) > 0:
st.markdown("## π₯ Demographics Analysis (Musora App)")
st.info(f"π Analyzing demographics for **{len(df_musora):,}** Musora App comments")
# Initialize demographic charts
demographic_charts = DemographicCharts()
# Get demographic summary
demo_summary = processor.get_demographics_summary(df_musora)
# Display summary metrics
demo_col1, demo_col2, demo_col3, demo_col4 = st.columns(4)
with demo_col1:
st.metric(
"Comments with Demographics",
f"{demo_summary['users_with_demographics']:,}",
f"{demo_summary['coverage_percentage']:.1f}% coverage"
)
with demo_col2:
if demo_summary['avg_age'] is not None:
st.metric("Average Age", f"{demo_summary['avg_age']:.1f} years")
else:
st.metric("Average Age", "N/A")
with demo_col3:
st.metric("Most Common Region", demo_summary['most_common_region'])
with demo_col4:
if demo_summary['avg_experience'] is not None:
st.metric("Avg Experience", f"{demo_summary['avg_experience']:.1f}/10")
else:
st.metric("Avg Experience", "N/A")
st.markdown("---")
# Age Analysis
st.markdown("### π Age Distribution")
age_dist = processor.get_demographics_distribution(df_musora, 'age_group')
age_sentiment = processor.get_demographics_by_sentiment(df_musora, 'age_group')
if not age_dist.empty:
col1, col2 = st.columns(2)
with col1:
age_chart = demographic_charts.create_age_distribution_chart(
age_dist,
title="Comments by Age Group"
)
st.plotly_chart(age_chart, use_container_width=True)
with col2:
age_sent_chart = demographic_charts.create_age_sentiment_chart(
age_sentiment,
title="Sentiment Distribution by Age Group"
)
st.plotly_chart(age_sent_chart, use_container_width=True)
# Insights
with st.expander("π‘ Age Insights"):
if len(age_dist) > 0:
top_age_group = age_dist.iloc[0]['age_group']
top_age_count = age_dist.iloc[0]['count']
top_age_pct = age_dist.iloc[0]['percentage']
st.write(f"**Most Active Age Group:** {top_age_group} ({top_age_count:,} comments, {top_age_pct:.1f}%)")
# Find age group with most negative sentiment
if not age_sentiment.empty:
negative_sentiments = age_sentiment[
age_sentiment['sentiment_polarity'].isin(['negative', 'very_negative'])
].groupby('age_group')['percentage'].sum().reset_index()
if len(negative_sentiments) > 0:
negative_sentiments = negative_sentiments.sort_values('percentage', ascending=False)
most_negative_age = negative_sentiments.iloc[0]['age_group']
most_negative_pct = negative_sentiments.iloc[0]['percentage']
st.write(f"**Highest Negative Sentiment:** {most_negative_age} ({most_negative_pct:.1f}% negative)")
else:
st.info("No age data available for visualization")
st.markdown("---")
# Timezone Analysis
st.markdown("### π Geographic Distribution")
# Get timezone data
top_timezones = processor.get_top_timezones(df_musora, top_n=15)
region_dist = processor.get_timezone_regions_distribution(df_musora)
region_sentiment = processor.get_demographics_by_sentiment(df_musora, 'timezone_region')
if not top_timezones.empty or not region_dist.empty:
# Top timezones
if not top_timezones.empty:
st.markdown("#### Top 15 Timezones")
timezone_chart = demographic_charts.create_timezone_chart(
top_timezones,
title="Most Common Timezones",
top_n=15
)
st.plotly_chart(timezone_chart, use_container_width=True)
# Regional distribution
if not region_dist.empty:
st.markdown("#### Regional Distribution")
col1, col2 = st.columns(2)
with col1:
region_chart = demographic_charts.create_region_distribution_chart(
region_dist,
title="Comments by Region"
)
st.plotly_chart(region_chart, use_container_width=True)
with col2:
if not region_sentiment.empty:
region_sent_chart = demographic_charts.create_region_sentiment_chart(
region_sentiment,
title="Sentiment Distribution by Region"
)
st.plotly_chart(region_sent_chart, use_container_width=True)
# Insights
with st.expander("π‘ Geographic Insights"):
if not top_timezones.empty:
top_tz = top_timezones.iloc[0]['timezone']
top_tz_count = top_timezones.iloc[0]['count']
top_tz_pct = top_timezones.iloc[0]['percentage']
st.write(f"**Most Common Timezone:** {top_tz} ({top_tz_count:,} comments, {top_tz_pct:.1f}%)")
if not region_dist.empty:
top_region = region_dist.iloc[0]['timezone_region']
top_region_count = region_dist.iloc[0]['count']
top_region_pct = region_dist.iloc[0]['percentage']
st.write(f"**Most Active Region:** {top_region} ({top_region_count:,} comments, {top_region_pct:.1f}%)")
# Find region with most negative sentiment
if not region_sentiment.empty:
negative_regions = region_sentiment[
region_sentiment['sentiment_polarity'].isin(['negative', 'very_negative'])
].groupby('timezone_region')['percentage'].sum().reset_index()
if len(negative_regions) > 0:
negative_regions = negative_regions.sort_values('percentage', ascending=False)
most_negative_region = negative_regions.iloc[0]['timezone_region']
most_negative_region_pct = negative_regions.iloc[0]['percentage']
st.write(f"**Highest Negative Sentiment:** {most_negative_region} ({most_negative_region_pct:.1f}% negative)")
else:
st.info("No timezone/region data available for visualization")
st.markdown("---")
# Experience Level Analysis
st.markdown("### π― Experience Level Distribution")
# Get both detailed and grouped experience data
exp_dist_detailed = processor.get_experience_level_distribution(df_musora, use_groups=False)
exp_dist_grouped = processor.get_experience_level_distribution(df_musora, use_groups=True)
exp_sentiment_grouped = processor.get_demographics_by_sentiment(df_musora, 'experience_group')
if not exp_dist_detailed.empty or not exp_dist_grouped.empty:
# Tabs for detailed vs grouped view
tab1, tab2 = st.tabs(["π Detailed (0-10)", "π Grouped (Beginner/Intermediate/Advanced)"])
with tab1:
if not exp_dist_detailed.empty:
exp_chart_detailed = demographic_charts.create_experience_distribution_chart(
exp_dist_detailed,
title="Comments by Experience Level (0-10 Scale)",
use_groups=False
)
st.plotly_chart(exp_chart_detailed, use_container_width=True)
else:
st.info("No detailed experience level data available")
with tab2:
if not exp_dist_grouped.empty:
col1, col2 = st.columns(2)
with col1:
exp_chart_grouped = demographic_charts.create_experience_distribution_chart(
exp_dist_grouped,
title="Comments by Experience Group",
use_groups=True
)
st.plotly_chart(exp_chart_grouped, use_container_width=True)
with col2:
if not exp_sentiment_grouped.empty:
exp_sent_chart = demographic_charts.create_experience_sentiment_chart(
exp_sentiment_grouped,
title="Sentiment by Experience Group",
use_groups=True
)
st.plotly_chart(exp_sent_chart, use_container_width=True)
else:
st.info("No grouped experience level data available")
# Insights
with st.expander("π‘ Experience Insights"):
if not exp_dist_grouped.empty:
top_exp_group = exp_dist_grouped.iloc[0]['experience_group']
top_exp_count = exp_dist_grouped.iloc[0]['count']
top_exp_pct = exp_dist_grouped.iloc[0]['percentage']
st.write(f"**Most Active Group:** {top_exp_group} ({top_exp_count:,} comments, {top_exp_pct:.1f}%)")
# Find experience group with most negative sentiment
if not exp_sentiment_grouped.empty:
negative_exp = exp_sentiment_grouped[
exp_sentiment_grouped['sentiment_polarity'].isin(['negative', 'very_negative'])
].groupby('experience_group')['percentage'].sum().reset_index()
if len(negative_exp) > 0:
negative_exp = negative_exp.sort_values('percentage', ascending=False)
most_negative_exp = negative_exp.iloc[0]['experience_group']
most_negative_exp_pct = negative_exp.iloc[0]['percentage']
st.write(f"**Highest Negative Sentiment:** {most_negative_exp} ({most_negative_exp_pct:.1f}% negative)")
if demo_summary['avg_experience'] is not None:
st.write(f"**Average Experience Level:** {demo_summary['avg_experience']:.2f}/10")
st.write(f"**Most Common Experience Group:** {demo_summary.get('most_common_experience', 'Unknown')}")
else:
st.info("No experience level data available for visualization")
st.markdown("---")
# Language Distribution (if available)
if 'detected_language' in df.columns:
st.markdown("## π Language Distribution")
lang_dist = distribution_charts.create_language_distribution(df, top_n=10, title="Top 10 Languages")
st.plotly_chart(lang_dist, use_container_width=True)
st.markdown("---")
# Temporal trends (if timestamp available)
if 'comment_timestamp' in df.columns and not df.empty:
with st.expander("π Temporal Trends", expanded=False):
# Frequency selector
freq_col1, freq_col2 = st.columns([1, 3])
with freq_col1:
freq = st.selectbox(
"Time Granularity",
options=['D', 'W', 'M'],
format_func=lambda x: {'D': 'Daily', 'W': 'Weekly', 'M': 'Monthly'}[x],
index=1 # Default to Weekly
)
sentiment_timeline = sentiment_charts.create_sentiment_timeline(df, freq=freq, title="Sentiment Trends Over Time")
st.plotly_chart(sentiment_timeline, use_container_width=True)
# Hierarchical sunburst
with st.expander("π Hierarchical View", expanded=False):
st.markdown("**Interactive Brand > Platform > Sentiment Distribution**")
sunburst = distribution_charts.create_combined_distribution_sunburst(
df, title="Brand > Platform > Sentiment Distribution"
)
st.plotly_chart(sunburst, use_container_width=True) |