File size: 5,018 Bytes
da6e212
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
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
from fastapi import FastAPI
from pydantic import BaseModel
import torch
import torch.nn as nn
import numpy as np
import re

# ===============================
# App Init
# ===============================
app = FastAPI(title="GoEmotions Sentiment API", version="1.0")

DEVICE = torch.device("cuda" if torch.cuda.is_available() else "cpu")


# ===============================
# Emotion Mapping
# ===============================
emotion_map = [
    "admiration","amusement","anger","annoyance","approval","caring","confusion",
    "curiosity","desire","disappointment","disapproval","disgust","embarrassment",
    "excitement","fear","gratitude","grief","joy","love","nervousness","optimism",
    "pride","realization","relief","remorse","sadness","surprise","neutral"
]

POSITIVE_EMOTIONS = {
    "admiration","amusement","approval","caring","desire","excitement",
    "gratitude","joy","love","optimism","pride","relief"
}

NEGATIVE_EMOTIONS = {
    "anger","annoyance","disappointment","disapproval","disgust","embarrassment",
    "fear","grief","nervousness","remorse","sadness"
}

NEUTRAL_EMOTIONS = {
    "confusion","curiosity","realization","surprise","neutral"
}


# ===============================
# Text Utils
# ===============================
def simple_tokenize(text):
    return text.split()

def clean_text(text):
    text = text.lower()
    text = re.sub(r'[^a-z0-9\s]', ' ', text)
    text = re.sub(r'\s+', ' ', text).strip()
    return text


# ===============================
# Model Definition
# ===============================
class GoEmotionsLSTM(nn.Module):
    def __init__(self, vocab_size, embed_dim=200, hidden_dim=256, num_classes=28, num_layers=2):
        super().__init__()

        self.embeddings = nn.Embedding(vocab_size, embed_dim, padding_idx=0)

        self.lstm = nn.LSTM(
            input_size=embed_dim,
            hidden_size=hidden_dim,
            num_layers=num_layers,
            batch_first=True,
            dropout=0.2,
            bidirectional=True
        )

        self.fc = nn.Linear(hidden_dim * 2, num_classes)

    def forward(self, x):
        x = self.embeddings(x)
        _, (h, _) = self.lstm(x)

        h_forward = h[-2]
        h_backward = h[-1]

        h_cat = torch.cat((h_forward, h_backward), dim=1)
        out = self.fc(h_cat)

        return out


# ===============================
# Globals (Loaded Once)
# ===============================
model = None
vocab = None
max_len = None


# ===============================
# Load Model at Startup
# ===============================
@app.on_event("startup")
def load_model():
    global model, vocab, max_len

    print("Loading GoEmotions BiLSTM model...")

    checkpoint = torch.load("goemotions_bilstm_checkpoint.pth", map_location=DEVICE)

    vocab = checkpoint["vocab"]
    max_len = checkpoint["max_len"]

    model = GoEmotionsLSTM(vocab_size=len(vocab))
    model.load_state_dict(checkpoint["model_state"])
    model.to(DEVICE)
    model.eval()

    print("Model loaded successfully.")


# ===============================
# Request Schema
# ===============================
class PredictRequest(BaseModel):
    text: str


# ===============================
# Status Endpoint
# ===============================
@app.get("/status")
def status():
    if model is None:
        return {"status": "loading"}
    return {"status": "ok", "model_loaded": True}


# ===============================
# Sentiment Aggregation Logic
# ===============================
def aggregate_sentiment(probs):
    pos_score = 0.0
    neg_score = 0.0
    neu_score = 0.0

    for i, p in enumerate(probs):
        emotion = emotion_map[i]
        if emotion in POSITIVE_EMOTIONS:
            pos_score += p
        elif emotion in NEGATIVE_EMOTIONS:
            neg_score += p
        else:
            neu_score += p

    if pos_score > neg_score and pos_score > neu_score:
        return "Positive", pos_score
    elif neg_score > pos_score and neg_score > neu_score:
        return "Negative", neg_score
    else:
        return "Neutral", neu_score


# ===============================
# Prediction Endpoint
# ===============================
@app.post("/predict")
def predict(req: PredictRequest):
    text = clean_text(req.text)
    tokens = simple_tokenize(text)

    # Convert tokens to indices
    seq = [vocab.get(tok, 1) for tok in tokens]  # <UNK> = 1

    # Pad / truncate
    if len(seq) < max_len:
        seq += [vocab["<PAD>"]] * (max_len - len(seq))
    else:
        seq = seq[:max_len]

    x = torch.tensor([seq], dtype=torch.long).to(DEVICE)

    with torch.no_grad():
        logits = model(x)
        probs = torch.sigmoid(logits).squeeze(0).cpu().numpy()

    sentiment, score = aggregate_sentiment(probs)

    return {
        "sentiment": sentiment,
        "confidence": round(float(score) * 100, 2)
    }