File size: 9,983 Bytes
90fc598
86fc75b
90fc598
 
 
86fc75b
90fc598
86fc75b
 
 
852d564
86fc75b
 
 
 
 
 
 
 
852d564
86fc75b
 
 
852d564
86fc75b
852d564
86fc75b
 
 
 
 
 
 
852d564
86fc75b
 
852d564
86fc75b
 
 
 
852d564
86fc75b
852d564
86fc75b
 
852d564
86fc75b
 
 
 
 
 
 
90fc598
86fc75b
 
90fc598
86fc75b
 
 
 
 
 
 
90fc598
 
86fc75b
 
 
 
 
 
 
 
 
 
 
 
852d564
86fc75b
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
852d564
90fc598
86fc75b
 
 
 
 
 
 
90fc598
86fc75b
 
90fc598
86fc75b
90fc598
86fc75b
90fc598
86fc75b
90fc598
 
 
 
 
86fc75b
90fc598
 
 
 
 
 
86fc75b
90fc598
86fc75b
 
 
 
 
 
 
852d564
86fc75b
852d564
86fc75b
90fc598
86fc75b
 
90fc598
86fc75b
90fc598
 
86fc75b
 
852d564
86fc75b
 
 
90fc598
86fc75b
90fc598
86fc75b
90fc598
86fc75b
 
 
 
852d564
86fc75b
90fc598
 
86fc75b
90fc598
 
86fc75b
 
 
 
 
 
90fc598
86fc75b
 
90fc598
86fc75b
 
 
 
 
 
 
90fc598
86fc75b
 
 
 
 
90fc598
86fc75b
 
 
 
 
852d564
86fc75b
 
 
 
 
50e00d8
90fc598
86fc75b
90fc598
86fc75b
 
 
 
 
 
 
852d564
86fc75b
 
 
50e00d8
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
86fc75b
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
90fc598
86fc75b
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
90fc598
 
86fc75b
90fc598
 
86fc75b
 
 
852d564
90fc598
86fc75b
 
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
import gradio as gr
import torch
import pickle
import pandas as pd
import os
import io

# Global variables
loaded_pipeline = None
model_device = 'cpu'  # Force CPU for Hugging Face Spaces

def load_model():
    """Load the BERT sentiment model from pickle"""
    global loaded_pipeline
    
    print(f"πŸ–₯️ Using device: {model_device}")
    
    try:
        model_file = 'sentiment_pipeline.pkl'
        
        if not os.path.exists(model_file):
            print(f"❌ Model file not found: {model_file}")
            return False
        
        print(f"πŸ“¦ Loading BERT model from {model_file}...")
        
        # Custom unpickler for CPU compatibility
        class CPUUnpickler(pickle.Unpickler):
            def find_class(self, module, name):
                if module == 'torch.storage' and name == '_load_from_bytes':
                    return lambda b: torch.load(io.BytesIO(b), map_location='cpu')
                else:
                    return super().find_class(module, name)
        
        with open(model_file, 'rb') as f:
            loaded_pipeline = pickle.load(f)
        
        # Move model to CPU
        if 'model' in loaded_pipeline:
            loaded_pipeline['model'] = loaded_pipeline['model'].to('cpu')
            loaded_pipeline['model'].eval()
        
        print(f"βœ… Successfully loaded BERT model")
        
        if 'best_val_accuracy' in loaded_pipeline:
            print(f"🎯 Validation Accuracy: {loaded_pipeline['best_val_accuracy']:.4f}")
        
        return True
            
    except Exception as e:
        print(f"❌ Loading failed: {e}")
        import traceback
        traceback.print_exc()
        return False

def predict_sentiment(text):
    """Predict sentiment using BERT model"""
    
    if loaded_pipeline is None:
        return {
            'sentiment': 'error',
            'confidence': 0.0,
            'scores': {'negative': 0.0, 'neutral': 0.0, 'positive': 0.0},
            'error': 'Model not loaded'
        }
    
    try:
        model = loaded_pipeline['model']
        tokenizer = loaded_pipeline['tokenizer']
        max_length = loaded_pipeline.get('training_config', {}).get('max_length', 128)
        
        # Tokenize
        inputs = tokenizer(
            text,
            return_tensors='pt',
            truncation=True,
            padding=True,
            max_length=max_length
        )
        
        inputs = {k: v.to('cpu') for k, v in inputs.items()}
        
        # Predict
        model.eval()
        with torch.no_grad():
            outputs = model(**inputs)
            probabilities = torch.softmax(outputs.logits, dim=1)
            prediction = torch.argmax(probabilities, dim=1).item()
            confidence = probabilities.max().item()
        
        sentiment_names = ['negative', 'neutral', 'positive']
        
        return {
            'sentiment': sentiment_names[prediction],
            'confidence': confidence,
            'scores': {
                'negative': float(probabilities[0][0].item()),
                'neutral': float(probabilities[0][1].item()),
                'positive': float(probabilities[0][2].item())
            }
        }
        
    except Exception as e:
        print(f"Prediction error: {e}")
        return {
            'sentiment': 'error',
            'confidence': 0.0,
            'scores': {'negative': 0.0, 'neutral': 0.0, 'positive': 0.0},
            'error': str(e)
        }

def analyze_sentiment(text):
    """Analyze sentiment and return formatted results"""
    
    if loaded_pipeline is None:
        return (
            "❌ **Model not loaded!** Please upload sentiment_pipeline.pkl",
            pd.DataFrame(),
            "Error",
            "Model not available"
        )
    
    if not text or not text.strip():
        return (
            "⚠️ **Please enter text**",
            pd.DataFrame(),
            "No input",
            "Enter text above"
        )
    
    try:
        result = predict_sentiment(text.strip())
        
        if 'error' in result:
            return (
                f"❌ **Error:** {result['error']}",
                pd.DataFrame(),
                "Error",
                f"Error: {result['error']}"
            )
        
        sentiment = result['sentiment']
        confidence = result['confidence']
        scores = result['scores']
        
        # Create DataFrame for chart
        chart_data = pd.DataFrame({
            'Sentiment': ['Negative', 'Neutral', 'Positive'],
            'Confidence': [scores['negative'], scores['neutral'], scores['positive']]
        })
        
        # Emoji mapping
        emoji = {'negative': '😞', 'neutral': '😐', 'positive': '😊'}[sentiment]
        
        # Result message
        message = f"""
### {emoji} **{sentiment.title()}** Sentiment

**Confidence:** {confidence:.1%}

**Text:** *"{text[:100]}{'...' if len(text) > 100 else ''}"*

**Scores:**
- 😞 Negative: {scores['negative']:.1%}
- 😐 Neutral: {scores['neutral']:.1%}  
- 😊 Positive: {scores['positive']:.1%}

βœ… Bias-corrected BERT model
        """
        
        return message, chart_data, sentiment.title(), f"βœ… {sentiment.title()} ({confidence:.1%})"
        
    except Exception as e:
        return (
            f"❌ **Error:** {str(e)}",
            pd.DataFrame(),
            "Error",
            f"Error: {str(e)}"
        )

# Create Gradio interface
with gr.Blocks(title="BERT Sentiment Analyzer", theme=gr.themes.Soft()) as demo:
    
    gr.HTML("""
    <div style="text-align: center; padding: 2rem; background: linear-gradient(90deg, #667eea 0%, #764ba2 100%); color: white; border-radius: 10px; margin-bottom: 2rem;">
        <h1>πŸ€– BERT Sentiment Analyzer</h1>
        <p style="font-size: 1.2em;">Bias-Corrected Sentiment Classification</p>
        <p>βœ… Trained with balanced data β€’ No negative bias</p>
    </div>
    """)
    
    model_status = gr.HTML()
    
    with gr.Row():
        with gr.Column(scale=3):
            gr.Markdown("### πŸ“ Input Text")
            
            text_input = gr.Textbox(
                label="Enter text to analyze",
                placeholder="Example: 'This product is amazing! Great quality and excellent service.'",
                lines=6
            )
            
            with gr.Row():
                analyze_btn = gr.Button("πŸ” Analyze", variant="primary", size="lg")
                clear_btn = gr.Button("πŸ—‘οΈ Clear", size="sm")
        
        with gr.Column(scale=2):
            gr.Markdown("### οΏ½ Results")
            
            result_output = gr.Markdown("*Enter text to see results*")
            
            confidence_plot = gr.BarPlot(
                x="Sentiment",
                y="Confidence",
                title="Confidence Scores",
                width=500,
                height=300
            )
            
            predicted_class = gr.Textbox(label="Prediction", interactive=False)
            status_display = gr.Textbox(label="Status", interactive=False, value="Ready")
    
    # Examples - must be after outputs are defined
    with gr.Row():
        gr.Examples(
            examples=[
                ["This product is absolutely amazing! Best purchase ever!"],
                ["I love this so much! Outstanding quality!"],
                ["Excellent customer service and fast delivery!"],
                ["This is terrible! Worst product ever!"],
                ["Completely disappointed. Poor quality."],
                ["Awful experience. Would never buy again!"],
                ["The product is okay. Nothing special but works."],
                ["It's decent. Good value but could be better."],
                ["This is not bad at all"],
                ["Pretty good"],
            ],
            inputs=text_input,
            outputs=[result_output, confidence_plot, predicted_class, status_display],
            fn=analyze_sentiment,
            cache_examples=False
        )
    
    with gr.Accordion("ℹ️ Model Info", open=False):
        gr.Markdown("""
        ### 🧠 Model
        - **Architecture:** BERT (bert-base-uncased)
        - **Classes:** Negative 😞, Neutral 😐, Positive 😊
        - **Training:** Balanced dataset with class weights
        
        ### πŸ”§ Features
        - βœ… No negative bias
        - βœ… Balanced training data
        - βœ… Class-weighted loss
        - βœ… CPU optimized
        
        ### πŸ“Š Configuration
        - Epochs: 4
        - Learning Rate: 1e-5
        - Batch Size: 16
        - Max Length: 128 tokens
        """)
    
    def clear_all():
        return "", "*Enter text*", pd.DataFrame(), "", "Ready"
    
    def update_status():
        if loaded_pipeline:
            val_acc = loaded_pipeline.get('best_val_accuracy', 'N/A')
            return f"""<div style="padding: 1rem; background: #d4edda; color: #155724; border-radius: 8px; text-align: center;">
            βœ… Model Loaded | Accuracy: {val_acc if isinstance(val_acc, str) else f'{val_acc:.2%}'}</div>"""
        return """<div style="padding: 1rem; background: #f8d7da; color: #721c24; border-radius: 8px; text-align: center;">
        ❌ Model Not Loaded</div>"""
    
    analyze_btn.click(
        fn=analyze_sentiment,
        inputs=text_input,
        outputs=[result_output, confidence_plot, predicted_class, status_display]
    )
    
    clear_btn.click(
        fn=clear_all,
        outputs=[text_input, result_output, confidence_plot, predicted_class, status_display]
    )
    
    demo.load(fn=update_status, outputs=model_status)

if __name__ == "__main__":
    print("πŸš€ Starting BERT Sentiment Analyzer...")
    print("=" * 60)
    
    if load_model():
        print("\nβœ… MODEL READY!")
        print("🌐 Launching interface...")
        demo.launch()
    else:
        print("\n❌ FAILED TO LOAD MODEL!")
        print("πŸ“‹ Ensure sentiment_pipeline.pkl exists")