DS_webclass / Reference files /W9-Deep Learnign Curriculum.md
raymondEDS
week 9
f49f36a

A newer version of the Streamlit SDK is available: 1.48.0

Upgrade

Using Deep Learning Model BERT to Understand Sentiments

🎯 Introduction

Your Mission: You're a researcher studying student mental health. You have 1,000 anonymous student forum posts about academic stress, and you need to quickly identify which posts indicate concerning levels of burnout vs. normal academic stress. Manual coding would take weeks. Can you train an AI to do this accurately in under 2 hours?

Real stakes: Early intervention programs depend on identifying students at risk. Your analysis could help universities provide timely mental health support.

The Dataset: Student forum posts like:

  • "Another all-nighter for this impossible exam. I can't keep doing this."
  • "Stressed about finals but my study group is keeping me motivated!"
  • "I honestly don't see the point anymore. Nothing I do matters."

Your Goal Today: Learn how to use a BERT-powered sentiment classifier (a deep learning model) that can distinguish between healthy academic stress and concerning burnout indicators.


πŸ€” Why Traditional ML Falls Short Here

Let's start with what you already know. How would you approach this with logistic regression?

Quick Exercise: Traditional Approach Limitations

python
sample_posts = [
"I'm not stressed about finals", # Negation
"This is fine, totally fine", # Sarcasm
"Actually excited about exams" # Context-dependent
]

# Traditional ML approach:
# 1. Count words: {"stressed": 1, "finals": 1, "not": 1}
# 2. Each word gets independent weight

# 3. Sum weights β†’ prediction

The Problem: What happens when context changes everything?

  • "I'm not stressed" vs "I'm stressed"
  • "This is fine" (sarcastic) vs "This is fine" (genuine)

Traditional ML treats each word independently - it can't understand that surrounding words completely change the meaning.

πŸ’‘ We need something smarter: A model that reads like humans do, understanding full context and subtle meanings.


πŸš€ Meet BERT: Your Game-Changer

What is BERT?

BERT = Bidirectional Encoder Representations from Transformers

Think of BERT as an AI that learned to read by studying 3.3 billion words from books and Wikipedia, then can be quickly adapted to understand your specific research domain.

BERT's Superpower: Context Understanding

Traditional models read like this: "I went to the ___" β†’

  • Only look backwards, miss crucial context

BERT reads bidirectionally: ← "I went to the ___ to deposit money" β†’

  • Sees BOTH directions = understands "bank" means financial institution, not riverbank

Let's See BERT in Action

Python
# Install Transformers
!pip install transformers

# Try out BERT
from transformers import pipeline
unmasker = pipeline('fill-mask', model='bert-base-uncased')
unmasker("Artificial Intelligence [MASK] take over the world.")

# Be aware of model bias, and let’s see what jobs BERT suggests for a man

unmasker("The man worked as a [MASK].")

# Now let’s see what jobs BERT suggests for a woman

unmasker("The woman worked as a [MASK].")

🀯 Notice: These gender biases are so important to be aware of and will affect all fine-tuned versions of this model.

Understanding Deep Learning & BERT's Place in the AI Family

🧠 Understanding BERT: The AI Revolution for Language (35 minutes)

Essential Terminology: Building Your AI Vocabulary

Before we dive into BERT, let's define the key terms you'll need:

πŸ”‘ Key Definition: Neural Network A computer system inspired by how brain neurons work - information flows through connected layers that learn patterns from data.

πŸ”‘ Key Definition: Deep Learning Neural networks with multiple hidden layers (typically 3+) that automatically learn increasingly complex patterns:

  • Layer 1: Basic patterns (individual words, simple features)
  • Layer 2: Combinations (phrases, word relationships)
  • Layer 3: Structure (grammar, syntax)
  • Layer 4+: Meaning (context, sentiment, intent)

πŸ”‘ Key Definition: Transformers A revolutionary neural network architecture (2017) that uses attention mechanisms to understand relationships between all words in a sentence simultaneously, rather than reading word-by-word.

πŸ”‘ Key Definition: BERT Bidirectional Encoder Representations from Transformers - a specific type of transformer that reads text in both directions to understand context.

The AI Family Tree: Where BERT Lives

Machine Learning Family
β”œβ”€β”€ Traditional ML (what you know)
β”‚ β”œβ”€β”€ Logistic Regression ← You learned this
β”‚ β”œβ”€β”€ Random Forest
β”‚ └── SVM
└── Deep Learning (neural networks with many layers)
β”œβ”€β”€ Computer Vision
β”‚ └── CNNs (for images)
β”œβ”€β”€ Sequential Data
β”‚ └── RNNs/LSTMs (for time series)
└── Language Understanding ← BERT lives here!
β”œβ”€β”€ BERT (2018) ← What we're using today
β”œβ”€β”€ GPT (generates text)

    └── T5 (text-to-text)

Let's See BERT in Action First

python

from transformers import pipeline

# Load BERT-based sentiment analyzer (pre-trained and ready!)
classifier = pipeline("sentiment-analysis",
model="cardiffnlp/twitter-roberta-base-sentiment-latest")

# Test with our tricky examples
test_posts = [
"I'm totally fine with staying up all night again", # Sarcasm?
"Not feeling overwhelmed at all", # Negation + sarcasm?
"This workload is completely manageable", # Hidden stress?
"Actually excited about this challenging semester" # Genuine positive?
]

print("🧠 BERT's Understanding:")
for post in test_posts:
result = classifier(post)
print(f"'{post}'")
print(f"β†’ {result['label']} (confidence: {result['score']:.2f})")

print()

🀯 Notice: BERT catches subtleties that word counting completely misses! But how?


βš™οΈ How BERT Works

BERT's Revolutionary Training: Two Clever Learning Tasks

BERT learned language by reading 3.3 billion words from Wikipedia (~2.5B words) and Google's BooksCorpus (~800M words) using two ingenious tasks:

Task 1: Masked Language Modeling (MLM) - The Fill-in-the-Blank Game

πŸ”‘ Key Definition: Masked Language Modeling A training method where random words are hidden ([MASK]) and the model learns to predict them using context from BOTH sides.

Real Example from Training:

  • Original text: "The student felt anxious about the upcoming final exam"
  • BERT saw: "The student felt [MASK] about the upcoming final exam"
  • BERT learned: What word fits here based on ALL surrounding context?
  • Possible answers: anxious, excited, confident, nervous, prepared...
    BERT's choice: "anxious" (most likely given context)

Why This Matters: This forces bidirectional learning - BERT must use words from BOTH left and right to make predictions.

πŸ”‘ Key Definition: Bidirectional Learning Reading text in both directions (← β†’) simultaneously, unlike traditional models that only read left-to-right (β†’).

Human Connection: You do this naturally! If someone said: "Dang! I'm out fishing and a huge trout just _____ my line!" You use words from BOTH sides ("fishing" + "trout" + "line") to predict "broke"!

Task 2: Next Sentence Prediction (NSP) - Learning Text Relationships

πŸ”‘ Key Definition: Next Sentence Prediction A training task where BERT learns whether two sentences logically belong together.

Training Examples:

  • βœ… Correct pair:
  • Sentence A: "Paul went shopping"
  • Sentence B: "He bought a new shirt"
  • ❌ Incorrect pair:
  • Sentence A: "Ramona made coffee"
    Sentence B: "Vanilla ice cream cones for sale"

Why This Matters: BERT learns relationships between ideas, not just individual words.

The Attention Mechanism: BERT's Superpower

πŸ”‘ Key Definition: Attention Mechanism A way for the model to automatically focus on the most important words when understanding each part of a sentence.

Human Analogy: When you read "The bank by the river", you automatically know "bank" means riverbank (not a financial institution) because you pay attention to "river" - even though it comes after "bank".

BERT's Attention in Action:

  • Sentence: "I'm not stressed about finals"
  • BERT's attention weights might look like:
  • "I'm" β†’ pays attention to: "not", "stressed" (who is feeling this?)
  • "not" β†’ pays attention to: "stressed" (what am I negating?)
  • "stressed"β†’ pays attention to: "not", "about", "finals" (context of stress)
  • "about" β†’ pays attention to: "stressed", "finals" (relationship)
    "finals" β†’ pays attention to: "stressed", "about" (source of stress)

This simultaneous analysis of ALL word relationships is what makes BERT so powerful!

BERT's Architecture: The Technical Breakdown

πŸ”‘ Key Definition: Encoder Architecture BERT uses only the "encoder" part of transformers - the part that builds understanding of input text (as opposed to generating new text).

BERT's Processing Pipeline:

Step 1: Tokenization

πŸ”‘ Key Definition: Tokenization Breaking text into smaller pieces (tokens) that the model can process.

  • Input: "I'm not stressed about finals"

  • Tokens: ["I'm", "not", "stressed", "about", "finals"]

  • Special tokens added: [CLS] I'm not stressed about finals [SEP]

  •                   ↑                                    ↑  
                   Start token                         End token
    

    Step 2: The Transformer Stack (12 Layers Working Together)

  • Input Tokens

  • ↓  
    
  • Layer 1-3: Basic Language Understanding

  • β”œβ”€β”€ Word recognition and basic patterns

  • β”œβ”€β”€ Part-of-speech identification (noun, verb, adjective)

  • └── Simple word relationships

  • ↓  
    
  • Layer 4-6: Phrase and Structure Analysis

  • β”œβ”€β”€ Multi-word phrases ("not stressed")

  • β”œβ”€β”€ Sentence structure and grammar

  • └── Syntactic relationships

  • ↓  
    
  • Layer 7-9: Contextual Understanding

  • β”œβ”€β”€ Semantic meaning in context

  • β”œβ”€β”€ Negation and modifiers

  • └── Domain-specific patterns

  • ↓  
    
  • Layer 10-12: High-Level Interpretation

  • β”œβ”€β”€ Emotional tone and sentiment

  • β”œβ”€β”€ Implied meaning and subtext

  • └── Task-specific reasoning

  • ↓  
    

    Final Classification

    Step 3: Attention Across All Layers

Each layer has multiple attention heads (typically 12) that focus on different aspects:

  • Head 1: Subject-verb relationships
  • Head 2: Negation patterns
  • Head 3: Emotional indicators
  • Head 4: Academic context clues
  • etc.

Visualization of Attention:

  • "I'm not stressed about finals"

  • Layer 6 attention patterns:

  • I'm ←→ not, stressed (personal ownership of feeling)

  • not ←→ stressed (direct negation)

  • stressed ←→ about, finals (source and type of stress)

  • about ←→ finals (relationship)
    finals ←→ stressed (academic stressor)

    BERT's Two-Stage Learning Process

    Stage 1: Pre-training (Done for You!)

  • Data: 3.3 billion words (Wikipedia + Google Books)

  • Time: 4 days on 64 specialized processors (TPUs)

  • Cost: ~$10,000+ in computing resources

  • Tasks: 50% Masked Language Modeling + 50% Next Sentence Prediction

  • Result: General language understanding

    Stage 2: Fine-tuning (What You Can Do!)

  • Data: Small labeled dataset for your specific task (e.g., sentiment analysis)

  • Time: Minutes to hours

  • Cost: Often free or <$10

  • Process: Adapt general language knowledge to your research question

  • Result: Specialized classifier for your domain

πŸ”‘ Key Definition: Transfer Learning Using knowledge learned from one task (reading billions of words) to help with a different task (your research question).

Analogy: Like a medical student (general education) becoming a psychiatrist (specialization) - they don't relearn biology, they build on it.

Why BERT's Architecture Matters

Before BERT (Traditional Approaches):

  • Read text sequentially (leftβ†’right)
  • Each word processed independently
  • Limited context understanding
  • Required large labeled datasets for each task

With BERT (Transformer Approach):

  • Read text bidirectionally (←→)
  • All words processed simultaneously with attention
  • Rich contextual understanding
  • Transfer learning from massive pre-training

Research Impact:

  • Speed: Tasks that took weeks now take hours
  • Accuracy: Often exceeds human-level performance
  • Scale: Can process thousands of texts consistently
  • Accessibility: No need for massive computing resources

πŸ›  Building Your Burnout Detector (40 minutes)

Step 1: Load Your Research Dataset

python
import pandas as pd
import matplotlib.pyplot as plt

# Simulated student forum posts (anonymized and ethically sourced)
student_posts = [
# Concerning burnout indicators
"I can't sleep, can't eat, nothing feels worth it anymore",
"Every assignment feels impossible, I'm failing at everything",
"Been crying in the library again, maybe I should just drop out",
"Three months of this and I feel completely empty inside",

*\# Normal academic stress*  
"Finals week is rough but I know I can push through",  
"Stressed about my paper but my friends are helping me stay motivated",  
"Long study session today but feeling prepared for tomorrow's exam",  
"Challenging semester but learning so much in my research methods class",  
  
*\# Positive academic engagement*    
"Actually excited about my thesis research this semester",  
"Difficult coursework but my professor's support makes it manageable",  
"Study group tonight \- we're all helping each other succeed",  
"Tough week but grateful for this learning opportunity"  

]

# True labels (in real research, this would come from expert coding)
labels = ['negative', 'negative', 'negative', 'negative', # Burnout indicators
'neutral', 'neutral', 'neutral', 'neutral', # Normal stress
'positive', 'positive', 'positive', 'positive'] # Positive engagement

# Create DataFrame
df = pd.DataFrame({
'post': student_posts,
'true_sentiment': labels
})

print(f"πŸ“Š Dataset: {len(df)} student posts")

print(f"Distribution: {df['true_sentiment'].value_counts()}")

Step 2: Apply BERT to Your Research Question

python
# Initialize BERT sentiment classifier
sentiment_classifier = pipeline("sentiment-analysis",
model="cardiffnlp/twitter-roberta-base-sentiment-latest")

# Analyze all posts
predictions = []
confidence_scores = []

print("πŸ” BERT's Analysis of Student Posts:\n")
print("-" * 80)

for i, post in enumerate(df['post']):
result = sentiment_classifier(post)[0]

predictions.append(result\['label'\])  
confidence\_scores.append(result\['score'\])  
  
print(f"Post {i\+1}: '{post\[:50\]}...'")  
print(f"True sentiment: {df\['true\_sentiment'\]\[i\]}")  
print(f"BERT prediction: {result\['label'\]} (confidence: {result\['score'\]:.2f})")  
print("-" \* 80)

# Add predictions to dataframe
df['bert_prediction'] = predictions

df['confidence'] = confidence_scores

Step 3: Evaluate Your Model's Research Utility

python
from sklearn.metrics import classification_report, confusion_matrix
import seaborn as sns

# Convert labels for comparison (handling label mismatches)
def map_labels(label):
if label in ['NEGATIVE', 'negative']:
return 'negative'
elif label in ['POSITIVE', 'positive']:
return 'positive'
else:
return 'neutral'

df['bert_mapped'] = df['bert_prediction'].apply(map_labels)

# Calculate accuracy
accuracy = (df['true_sentiment'] == df['bert_mapped']).mean()
print(f"🎯 Research Accuracy: {accuracy:.2f} ({accuracy*100:.0f}%)")

# Detailed analysis
print("\nDetailed Performance Report:")
print(classification_report(df['true_sentiment'], df['bert_mapped']))

# Visualize results
plt.figure(figsize=(12, 4))

# Confusion Matrix
plt.subplot(1, 2, 1)
cm = confusion_matrix(df['true_sentiment'], df['bert_mapped'])
sns.heatmap(cm, annot=True, fmt='d', cmap='Blues',
xticklabels=['negative', 'neutral', 'positive'],
yticklabels=['negative', 'neutral', 'positive'])
plt.title('Confusion Matrix')
plt.ylabel('True Sentiment')
plt.xlabel('BERT Prediction')

# Confidence Distribution
plt.subplot(1, 2, 2)
plt.hist(df['confidence'], bins=10, alpha=0.7, edgecolor='black')
plt.title('BERT Confidence Scores')
plt.xlabel('Confidence')
plt.ylabel('Number of Posts')

plt.tight_layout()

plt.show()

Step 4: Understanding Why BERT's "Depth" Matters

python
# Let's see how BERT's deep learning architecture helps with complex cases
complex_cases = [
"I'm fine :) everything's totally under control :) :)", # Excessive positivity
"lol guess I'm just built different, thriving on 2hrs sleep", # Normalized concerning behavior
"Not that I'm complaining, but this workload is killing me", # Mixed signals
]

print("🧠 Why Deep Learning Architecture Matters:")
print("(Multiple layers help BERT understand these complex patterns)\n")

for case in complex_cases:
result = sentiment_classifier(case)[0]
print(f"Text: '{case}'")
print(f"BERT's analysis: {result['label']} (confidence: {result['score']:.2f})")

*\# Explain what BERT's layers might be "thinking"*  
print("πŸ” What BERT's layers likely detected:")  
if "fine" in case and ":)" in case:  
    print("  β†’ Layer 1-3: Words 'fine', positive emoticons")  
    print("  β†’ Layer 4-8: Excessive repetition pattern")    
    print("  β†’ Layer 9-12: Contradiction between words and overuse β†’ sarcasm/masking")  
elif "lol" in case and "thriving" in case:  
    print("  β†’ Layer 1-3: Casual language ('lol'), positive word ('thriving')")  
    print("  β†’ Layer 4-8: Contradiction with concerning behavior ('2hrs sleep')")  
    print("  β†’ Layer 9-12: Normalization of unhealthy patterns")  
elif "Not that I'm complaining" in case:  
    print("  β†’ Layer 1-3: Negation words, formal disclaimer")  
    print("  β†’ Layer 4-8: 'but' indicates contradiction coming")  
    print("  β†’ Layer 9-12: Strong negative metaphor contradicts disclaimer")

print()

πŸ€” Critical Research Reflection

What Makes BERT Powerful for Research?

βœ… Advantages of Deep Learning Approach:

  • Context awareness: Understands negation, sarcasm, implied meaning
  • Consistency: Same sophisticated analysis applied to every text
  • Scale: Can process thousands of texts in minutes
  • Transferability: Pre-trained on massive data, works across domains

Research Limitations to Consider

python
# Test edge cases that might appear in real research
edge_cases = [
"tbh everything's mid rn but like whatever", # Generation-specific slang
"Academic stress? What's that? *nervous laughter*", # Asterisk actions
"Everything is absolutely perfect and wonderful!!", # Potential masking
]

print("🧐 Testing BERT's Limitations:")
for case in edge_cases:
result = sentiment_classifier(case)[0]
print(f"'{case}'")
print(f"β†’ {result['label']} (confidence: {result['score']:.2f})")

print("❓ Would you trust this for research decisions?\\n")

When to Choose Deep Learning vs. Traditional ML

Use BERT (Deep Learning) when:

  • βœ… Context and nuance matter (like sentiment analysis)
  • βœ… You have unstructured text data
  • βœ… Traditional ML struggles with the complexity
  • βœ… You need to scale to large datasets

Stick with Traditional ML when:

  • βœ… You need perfect explainability
  • βœ… Simple patterns work well
  • βœ… Very small datasets (<100 examples)
  • βœ… Computational resources are limited

Research Ethics Considerations

Discussion Questions:

  1. Bias: Does BERT work equally well for all student populations?
  2. Privacy: How do we protect student anonymity?
  3. Intervention: What's our responsibility with concerning content?
  4. Validation: How do we verify our ground truth labels?

🎯 Your Research Takeaways

What You've Accomplished Today

βœ… Applied deep learning to real research
βœ… Used BERT for context-aware text analysis
βœ… Understood how deep learning differs from traditional ML
βœ… Evaluated performance with research-appropriate metrics
βœ… Identified when to use deep learning vs. traditional approaches

Your Expanded Research Toolkit

  • BERT sentiment analysis for sophisticated text classification
  • Deep learning intuition for understanding when context matters
  • Performance evaluation skills for any ML research
  • Critical thinking about AI limitations and research ethics

Next Steps for Your Research

  1. Try BERT on your domain: What research question could this solve?
  2. Collect larger datasets (100+ examples for robust results)
  3. Consider fine-tuning for domain-specific language
  4. Always validate with domain experts
  5. Test for bias across different populations

The Bigger Picture

You've just learned to use one of the most powerful tools in modern AI research. BERT and similar deep learning models are transforming research across:

  • Psychology: Mental health monitoring, personality analysis
  • Political Science: Public opinion tracking, policy sentiment
  • Digital Humanities: Literary analysis, historical text mining
  • Marketing: Brand perception, customer feedback analysis

πŸš€ Challenge: Apply this to a research question in your field this week!


πŸ“ Take-Home Exercise

Choose Your Research Adventure:

  1. Social Media Analysis: Sentiment about a current campus issue
  2. Literature Research: Compare emotional tone across different authors
  3. Survey Analysis: Classify open-ended course feedback

Requirements:

  • Use BERT pipeline from today
  • Analyze 20+ text samples
  • Evaluate results critically
  • Identify cases needing expert review

Reflection Questions:

  • When did BERT's deep learning approach outperform what simple word counting could do?
  • Where would you still need human expert judgment?
  • How could this scale your research capabilities?