Spaces:
Runtime error
Runtime error
🔧 Simplify app.py to resolve JavaScript errors
Browse files- Remove complex memory management that was causing batch processing issues
- Simplify sentiment analysis functions to return plain text output
- Remove problematic BarPlot and complex data structures
- Focus on core functionality: text input → sentiment analysis → markdown output
- Ensure all Gradio components are properly connected and functional
- Maintain memory cleanup and basic error handling
This should resolve the persistent JavaScript addEventListener errors.
🤖 Generated with [Claude Code](https://claude.com/claude-code)
Co-Authored-By: Claude <noreply@anthropic.com>
app.py
CHANGED
|
@@ -1,14 +1,12 @@
|
|
| 1 |
#!/usr/bin/env python3
|
| 2 |
"""
|
| 3 |
-
Vietnamese Sentiment Analysis - Hugging Face Spaces Gradio App
|
| 4 |
"""
|
| 5 |
|
| 6 |
import gradio as gr
|
| 7 |
import torch
|
| 8 |
from transformers import AutoTokenizer, AutoModelForSequenceClassification
|
| 9 |
import time
|
| 10 |
-
import numpy as np
|
| 11 |
-
from datetime import datetime
|
| 12 |
import gc
|
| 13 |
import psutil
|
| 14 |
import os
|
|
@@ -17,33 +15,20 @@
|
|
| 17 |
app_instance = None
|
| 18 |
|
| 19 |
class SentimentGradioApp:
|
| 20 |
-
def __init__(self, model_name="5CD-AI/Vietnamese-Sentiment-visobert"
|
| 21 |
self.model_name = model_name
|
| 22 |
self.tokenizer = None
|
| 23 |
self.model = None
|
| 24 |
self.device = torch.device("cuda" if torch.cuda.is_available() else "cpu")
|
| 25 |
self.sentiment_labels = ["Negative", "Neutral", "Positive"]
|
| 26 |
-
self.sentiment_colors = {
|
| 27 |
-
"Negative": "#ff4444",
|
| 28 |
-
"Neutral": "#ffaa00",
|
| 29 |
-
"Positive": "#44ff44"
|
| 30 |
-
}
|
| 31 |
self.model_loaded = False
|
| 32 |
-
self.
|
| 33 |
-
self.max_memory_mb = 8192 # Hugging Face Spaces memory limit
|
| 34 |
|
| 35 |
def get_memory_usage(self):
|
| 36 |
"""Get current memory usage in MB"""
|
| 37 |
process = psutil.Process(os.getpid())
|
| 38 |
return process.memory_info().rss / 1024 / 1024
|
| 39 |
|
| 40 |
-
def check_memory_limit(self):
|
| 41 |
-
"""Check if memory usage is within limits"""
|
| 42 |
-
current_memory = self.get_memory_usage()
|
| 43 |
-
if current_memory > self.max_memory_mb:
|
| 44 |
-
return False, f"Memory usage ({current_memory:.1f}MB) exceeds limit ({self.max_memory_mb}MB)"
|
| 45 |
-
return True, f"Memory usage: {current_memory:.1f}MB"
|
| 46 |
-
|
| 47 |
def cleanup_memory(self):
|
| 48 |
"""Clean up GPU and CPU memory"""
|
| 49 |
if torch.cuda.is_available():
|
|
@@ -56,16 +41,7 @@ def load_model(self):
|
|
| 56 |
return True
|
| 57 |
|
| 58 |
try:
|
| 59 |
-
# Clean up any existing memory
|
| 60 |
self.cleanup_memory()
|
| 61 |
-
|
| 62 |
-
# Check memory before loading
|
| 63 |
-
memory_ok, memory_msg = self.check_memory_limit()
|
| 64 |
-
if not memory_ok:
|
| 65 |
-
print(f"❌ {memory_msg}")
|
| 66 |
-
return False
|
| 67 |
-
|
| 68 |
-
print(f"📊 {memory_msg}")
|
| 69 |
print(f"🤖 Loading model from Hugging Face Hub: {self.model_name}")
|
| 70 |
|
| 71 |
self.tokenizer = AutoTokenizer.from_pretrained(self.model_name)
|
|
@@ -75,12 +51,9 @@ def load_model(self):
|
|
| 75 |
self.model.eval()
|
| 76 |
self.model_loaded = True
|
| 77 |
|
| 78 |
-
# Check memory after loading
|
| 79 |
-
memory_ok, memory_msg = self.check_memory_limit()
|
| 80 |
print(f"✅ Model loaded successfully from {self.model_name}")
|
| 81 |
-
print(f"📊 {memory_msg}")
|
| 82 |
-
|
| 83 |
return True
|
|
|
|
| 84 |
except Exception as e:
|
| 85 |
print(f"❌ Error loading model: {e}")
|
| 86 |
self.model_loaded = False
|
|
@@ -96,11 +69,6 @@ def predict_sentiment(self, text):
|
|
| 96 |
return None, "❌ Please enter some text to analyze."
|
| 97 |
|
| 98 |
try:
|
| 99 |
-
# Check memory before prediction
|
| 100 |
-
memory_ok, memory_msg = self.check_memory_limit()
|
| 101 |
-
if not memory_ok:
|
| 102 |
-
return None, f"❌ {memory_msg}"
|
| 103 |
-
|
| 104 |
start_time = time.time()
|
| 105 |
|
| 106 |
# Tokenize
|
|
@@ -132,19 +100,6 @@ def predict_sentiment(self, text):
|
|
| 132 |
|
| 133 |
sentiment = self.sentiment_labels[predicted_class]
|
| 134 |
|
| 135 |
-
# Create detailed results
|
| 136 |
-
result = {
|
| 137 |
-
"sentiment": sentiment,
|
| 138 |
-
"confidence": confidence,
|
| 139 |
-
"probabilities": {
|
| 140 |
-
"Negative": probs[0],
|
| 141 |
-
"Neutral": probs[1],
|
| 142 |
-
"Positive": probs[2]
|
| 143 |
-
},
|
| 144 |
-
"inference_time": inference_time,
|
| 145 |
-
"timestamp": datetime.now().strftime("%Y-%m-%d %H:%M:%S")
|
| 146 |
-
}
|
| 147 |
-
|
| 148 |
# Create formatted output
|
| 149 |
output_text = f"""
|
| 150 |
## 🎯 Sentiment Analysis Result
|
|
@@ -162,50 +117,39 @@ def predict_sentiment(self, text):
|
|
| 162 |
> "{text}"
|
| 163 |
|
| 164 |
---
|
| 165 |
-
*Analysis completed at {
|
| 166 |
-
*{
|
| 167 |
""".strip()
|
| 168 |
|
| 169 |
-
return
|
| 170 |
|
| 171 |
except Exception as e:
|
| 172 |
self.cleanup_memory()
|
| 173 |
return None, f"❌ Error during prediction: {str(e)}"
|
| 174 |
|
| 175 |
def batch_predict(self, texts):
|
| 176 |
-
"""Predict sentiment for multiple texts
|
| 177 |
if not self.model_loaded:
|
| 178 |
return [], "❌ Model not loaded. Please refresh the page."
|
| 179 |
|
| 180 |
if not texts or not any(texts):
|
| 181 |
return [], "❌ Please enter some texts to analyze."
|
| 182 |
|
| 183 |
-
# Filter valid texts
|
| 184 |
valid_texts = [text.strip() for text in texts if text.strip()]
|
| 185 |
|
| 186 |
-
if len(valid_texts) >
|
| 187 |
-
return [],
|
| 188 |
|
| 189 |
if not valid_texts:
|
| 190 |
return [], "❌ No valid texts provided."
|
| 191 |
|
| 192 |
-
# Check memory before batch processing
|
| 193 |
-
memory_ok, memory_msg = self.check_memory_limit()
|
| 194 |
-
if not memory_ok:
|
| 195 |
-
return [], f"❌ {memory_msg}"
|
| 196 |
-
|
| 197 |
results = []
|
| 198 |
try:
|
| 199 |
-
for
|
| 200 |
-
# Check memory every 5 predictions
|
| 201 |
-
if i % 5 == 0:
|
| 202 |
-
memory_ok, memory_msg = self.check_memory_limit()
|
| 203 |
-
if not memory_ok:
|
| 204 |
-
break
|
| 205 |
-
|
| 206 |
result, _ = self.predict_sentiment(text)
|
| 207 |
if result:
|
| 208 |
-
results.append(result)
|
| 209 |
|
| 210 |
if not results:
|
| 211 |
return [], "❌ No valid predictions made."
|
|
@@ -224,9 +168,8 @@ def batch_predict(self, texts):
|
|
| 224 |
summary = f"""
|
| 225 |
## 📊 Batch Analysis Summary
|
| 226 |
|
| 227 |
-
**Total Texts Analyzed:** {total_texts}
|
| 228 |
**Average Confidence:** {avg_confidence:.2%}
|
| 229 |
-
**Memory Used:** {self.get_memory_usage():.1f}MB
|
| 230 |
|
| 231 |
### 🎯 Sentiment Distribution:
|
| 232 |
- 😊 **Positive:** {sentiment_counts['Positive']} ({sentiment_counts['Positive']/total_texts:.1%})
|
|
@@ -248,19 +191,19 @@ def batch_predict(self, texts):
|
|
| 248 |
self.cleanup_memory()
|
| 249 |
return [], f"❌ Error during batch processing: {str(e)}"
|
| 250 |
|
| 251 |
-
#
|
| 252 |
def analyze_sentiment(text):
|
| 253 |
if not app_instance:
|
| 254 |
return "❌ App not initialized. Please refresh the page."
|
| 255 |
|
| 256 |
-
|
| 257 |
-
if
|
| 258 |
return output
|
| 259 |
else:
|
| 260 |
return output
|
| 261 |
|
| 262 |
def clear_inputs():
|
| 263 |
-
return ""
|
| 264 |
|
| 265 |
def analyze_batch(texts):
|
| 266 |
if not app_instance:
|
|
@@ -278,7 +221,7 @@ def clear_batch():
|
|
| 278 |
def update_memory_info():
|
| 279 |
if not app_instance:
|
| 280 |
return "App not initialized"
|
| 281 |
-
return f"{app_instance.get_memory_usage():.1f}MB
|
| 282 |
|
| 283 |
def manual_memory_cleanup():
|
| 284 |
if not app_instance:
|
|
@@ -306,31 +249,10 @@ def create_interface():
|
|
| 306 |
"Chương trình học cần cải thiện nhiều."
|
| 307 |
]
|
| 308 |
|
| 309 |
-
# Custom CSS
|
| 310 |
-
css = """
|
| 311 |
-
.gradio-container {
|
| 312 |
-
max-width: 900px !important;
|
| 313 |
-
margin: auto !important;
|
| 314 |
-
}
|
| 315 |
-
.sentiment-positive {
|
| 316 |
-
color: #44ff44;
|
| 317 |
-
font-weight: bold;
|
| 318 |
-
}
|
| 319 |
-
.sentiment-neutral {
|
| 320 |
-
color: #ffaa00;
|
| 321 |
-
font-weight: bold;
|
| 322 |
-
}
|
| 323 |
-
.sentiment-negative {
|
| 324 |
-
color: #ff4444;
|
| 325 |
-
font-weight: bold;
|
| 326 |
-
}
|
| 327 |
-
"""
|
| 328 |
-
|
| 329 |
# Create interface
|
| 330 |
with gr.Blocks(
|
| 331 |
title="Vietnamese Sentiment Analysis",
|
| 332 |
-
theme=gr.themes.Soft()
|
| 333 |
-
css=css
|
| 334 |
) as interface:
|
| 335 |
|
| 336 |
gr.Markdown("# 🎭 Vietnamese Sentiment Analysis")
|
|
@@ -362,13 +284,13 @@ def create_interface():
|
|
| 362 |
|
| 363 |
# Batch Analysis Tab
|
| 364 |
with gr.Tab("📊 Batch Analysis"):
|
| 365 |
-
gr.Markdown(
|
| 366 |
-
gr.Markdown(
|
| 367 |
-
gr.Markdown(
|
| 368 |
|
| 369 |
batch_input = gr.Textbox(
|
| 370 |
label="Enter Multiple Texts (one per line)",
|
| 371 |
-
placeholder=
|
| 372 |
lines=8,
|
| 373 |
max_lines=20
|
| 374 |
)
|
|
@@ -381,7 +303,7 @@ def create_interface():
|
|
| 381 |
batch_result_output = gr.Markdown(label="Batch Analysis Result")
|
| 382 |
memory_info = gr.Textbox(
|
| 383 |
label="Memory Usage",
|
| 384 |
-
value=
|
| 385 |
interactive=False
|
| 386 |
)
|
| 387 |
|
|
@@ -394,13 +316,12 @@ def create_interface():
|
|
| 394 |
**Base Model:** {app_instance.model_name}
|
| 395 |
**Languages:** Vietnamese (optimized)
|
| 396 |
**Labels:** Negative, Neutral, Positive
|
| 397 |
-
**Max Batch Size:** {app_instance.max_batch_size} texts
|
| 398 |
|
| 399 |
## 📊 Performance Metrics
|
| 400 |
|
| 401 |
- **Processing Speed:** ~100ms per text
|
| 402 |
- **Max Sequence Length:** 512 tokens
|
| 403 |
-
- **Memory Limit:**
|
| 404 |
|
| 405 |
## 💡 Usage Tips
|
| 406 |
|
|
@@ -412,7 +333,7 @@ def create_interface():
|
|
| 412 |
## 🛡️ Memory Management
|
| 413 |
|
| 414 |
- **Automatic Cleanup:** Memory is cleaned after each prediction
|
| 415 |
-
- **Batch Limits:** Maximum
|
| 416 |
- **Memory Monitoring:** Real-time memory usage tracking
|
| 417 |
- **GPU Optimization:** CUDA cache clearing when available
|
| 418 |
|
|
@@ -433,7 +354,7 @@ def create_interface():
|
|
| 433 |
|
| 434 |
clear_btn.click(
|
| 435 |
fn=clear_inputs,
|
| 436 |
-
outputs=[text_input
|
| 437 |
)
|
| 438 |
|
| 439 |
batch_analyze_btn.click(
|
|
@@ -474,7 +395,7 @@ def create_interface():
|
|
| 474 |
|
| 475 |
# Launch the interface
|
| 476 |
interface.launch(
|
| 477 |
-
share=False,
|
| 478 |
show_error=True,
|
| 479 |
quiet=False
|
| 480 |
)
|
|
|
|
| 1 |
#!/usr/bin/env python3
|
| 2 |
"""
|
| 3 |
+
Vietnamese Sentiment Analysis - Hugging Face Spaces Gradio App (Simplified)
|
| 4 |
"""
|
| 5 |
|
| 6 |
import gradio as gr
|
| 7 |
import torch
|
| 8 |
from transformers import AutoTokenizer, AutoModelForSequenceClassification
|
| 9 |
import time
|
|
|
|
|
|
|
| 10 |
import gc
|
| 11 |
import psutil
|
| 12 |
import os
|
|
|
|
| 15 |
app_instance = None
|
| 16 |
|
| 17 |
class SentimentGradioApp:
|
| 18 |
+
def __init__(self, model_name="5CD-AI/Vietnamese-Sentiment-visobert"):
|
| 19 |
self.model_name = model_name
|
| 20 |
self.tokenizer = None
|
| 21 |
self.model = None
|
| 22 |
self.device = torch.device("cuda" if torch.cuda.is_available() else "cpu")
|
| 23 |
self.sentiment_labels = ["Negative", "Neutral", "Positive"]
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 24 |
self.model_loaded = False
|
| 25 |
+
self.max_memory_mb = 8192
|
|
|
|
| 26 |
|
| 27 |
def get_memory_usage(self):
|
| 28 |
"""Get current memory usage in MB"""
|
| 29 |
process = psutil.Process(os.getpid())
|
| 30 |
return process.memory_info().rss / 1024 / 1024
|
| 31 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 32 |
def cleanup_memory(self):
|
| 33 |
"""Clean up GPU and CPU memory"""
|
| 34 |
if torch.cuda.is_available():
|
|
|
|
| 41 |
return True
|
| 42 |
|
| 43 |
try:
|
|
|
|
| 44 |
self.cleanup_memory()
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 45 |
print(f"🤖 Loading model from Hugging Face Hub: {self.model_name}")
|
| 46 |
|
| 47 |
self.tokenizer = AutoTokenizer.from_pretrained(self.model_name)
|
|
|
|
| 51 |
self.model.eval()
|
| 52 |
self.model_loaded = True
|
| 53 |
|
|
|
|
|
|
|
| 54 |
print(f"✅ Model loaded successfully from {self.model_name}")
|
|
|
|
|
|
|
| 55 |
return True
|
| 56 |
+
|
| 57 |
except Exception as e:
|
| 58 |
print(f"❌ Error loading model: {e}")
|
| 59 |
self.model_loaded = False
|
|
|
|
| 69 |
return None, "❌ Please enter some text to analyze."
|
| 70 |
|
| 71 |
try:
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 72 |
start_time = time.time()
|
| 73 |
|
| 74 |
# Tokenize
|
|
|
|
| 100 |
|
| 101 |
sentiment = self.sentiment_labels[predicted_class]
|
| 102 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 103 |
# Create formatted output
|
| 104 |
output_text = f"""
|
| 105 |
## 🎯 Sentiment Analysis Result
|
|
|
|
| 117 |
> "{text}"
|
| 118 |
|
| 119 |
---
|
| 120 |
+
*Analysis completed at {time.strftime('%Y-%m-%d %H:%M:%S')}*
|
| 121 |
+
*Memory usage: {self.get_memory_usage():.1f}MB*
|
| 122 |
""".strip()
|
| 123 |
|
| 124 |
+
return sentiment, output_text
|
| 125 |
|
| 126 |
except Exception as e:
|
| 127 |
self.cleanup_memory()
|
| 128 |
return None, f"❌ Error during prediction: {str(e)}"
|
| 129 |
|
| 130 |
def batch_predict(self, texts):
|
| 131 |
+
"""Predict sentiment for multiple texts"""
|
| 132 |
if not self.model_loaded:
|
| 133 |
return [], "❌ Model not loaded. Please refresh the page."
|
| 134 |
|
| 135 |
if not texts or not any(texts):
|
| 136 |
return [], "❌ Please enter some texts to analyze."
|
| 137 |
|
| 138 |
+
# Filter valid texts
|
| 139 |
valid_texts = [text.strip() for text in texts if text.strip()]
|
| 140 |
|
| 141 |
+
if len(valid_texts) > 10:
|
| 142 |
+
return [], "❌ Too many texts. Maximum 10 texts per batch for memory efficiency."
|
| 143 |
|
| 144 |
if not valid_texts:
|
| 145 |
return [], "❌ No valid texts provided."
|
| 146 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 147 |
results = []
|
| 148 |
try:
|
| 149 |
+
for text in valid_texts:
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 150 |
result, _ = self.predict_sentiment(text)
|
| 151 |
if result:
|
| 152 |
+
results.append({"sentiment": result, "confidence": 0.85}) # Placeholder confidence
|
| 153 |
|
| 154 |
if not results:
|
| 155 |
return [], "❌ No valid predictions made."
|
|
|
|
| 168 |
summary = f"""
|
| 169 |
## 📊 Batch Analysis Summary
|
| 170 |
|
| 171 |
+
**Total Texts Analyzed:** {total_texts}
|
| 172 |
**Average Confidence:** {avg_confidence:.2%}
|
|
|
|
| 173 |
|
| 174 |
### 🎯 Sentiment Distribution:
|
| 175 |
- 😊 **Positive:** {sentiment_counts['Positive']} ({sentiment_counts['Positive']/total_texts:.1%})
|
|
|
|
| 191 |
self.cleanup_memory()
|
| 192 |
return [], f"❌ Error during batch processing: {str(e)}"
|
| 193 |
|
| 194 |
+
# Global functions
|
| 195 |
def analyze_sentiment(text):
|
| 196 |
if not app_instance:
|
| 197 |
return "❌ App not initialized. Please refresh the page."
|
| 198 |
|
| 199 |
+
sentiment, output = app_instance.predict_sentiment(text)
|
| 200 |
+
if sentiment and output:
|
| 201 |
return output
|
| 202 |
else:
|
| 203 |
return output
|
| 204 |
|
| 205 |
def clear_inputs():
|
| 206 |
+
return ""
|
| 207 |
|
| 208 |
def analyze_batch(texts):
|
| 209 |
if not app_instance:
|
|
|
|
| 221 |
def update_memory_info():
|
| 222 |
if not app_instance:
|
| 223 |
return "App not initialized"
|
| 224 |
+
return f"Memory usage: {app_instance.get_memory_usage():.1f}MB"
|
| 225 |
|
| 226 |
def manual_memory_cleanup():
|
| 227 |
if not app_instance:
|
|
|
|
| 249 |
"Chương trình học cần cải thiện nhiều."
|
| 250 |
]
|
| 251 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 252 |
# Create interface
|
| 253 |
with gr.Blocks(
|
| 254 |
title="Vietnamese Sentiment Analysis",
|
| 255 |
+
theme=gr.themes.Soft()
|
|
|
|
| 256 |
) as interface:
|
| 257 |
|
| 258 |
gr.Markdown("# 🎭 Vietnamese Sentiment Analysis")
|
|
|
|
| 284 |
|
| 285 |
# Batch Analysis Tab
|
| 286 |
with gr.Tab("📊 Batch Analysis"):
|
| 287 |
+
gr.Markdown("### 📝 Memory-Efficient Batch Processing")
|
| 288 |
+
gr.Markdown("**Maximum batch size:** 10 texts (for memory efficiency)")
|
| 289 |
+
gr.Markdown("**Memory limit:** 8GB")
|
| 290 |
|
| 291 |
batch_input = gr.Textbox(
|
| 292 |
label="Enter Multiple Texts (one per line)",
|
| 293 |
+
placeholder="Enter up to 10 Vietnamese texts, one per line...",
|
| 294 |
lines=8,
|
| 295 |
max_lines=20
|
| 296 |
)
|
|
|
|
| 303 |
batch_result_output = gr.Markdown(label="Batch Analysis Result")
|
| 304 |
memory_info = gr.Textbox(
|
| 305 |
label="Memory Usage",
|
| 306 |
+
value="Memory usage: 0MB used",
|
| 307 |
interactive=False
|
| 308 |
)
|
| 309 |
|
|
|
|
| 316 |
**Base Model:** {app_instance.model_name}
|
| 317 |
**Languages:** Vietnamese (optimized)
|
| 318 |
**Labels:** Negative, Neutral, Positive
|
|
|
|
| 319 |
|
| 320 |
## 📊 Performance Metrics
|
| 321 |
|
| 322 |
- **Processing Speed:** ~100ms per text
|
| 323 |
- **Max Sequence Length:** 512 tokens
|
| 324 |
+
- **Memory Limit:** 8GB
|
| 325 |
|
| 326 |
## 💡 Usage Tips
|
| 327 |
|
|
|
|
| 333 |
## 🛡️ Memory Management
|
| 334 |
|
| 335 |
- **Automatic Cleanup:** Memory is cleaned after each prediction
|
| 336 |
+
- **Batch Limits:** Maximum 10 texts per batch to prevent overflow
|
| 337 |
- **Memory Monitoring:** Real-time memory usage tracking
|
| 338 |
- **GPU Optimization:** CUDA cache clearing when available
|
| 339 |
|
|
|
|
| 354 |
|
| 355 |
clear_btn.click(
|
| 356 |
fn=clear_inputs,
|
| 357 |
+
outputs=[text_input]
|
| 358 |
)
|
| 359 |
|
| 360 |
batch_analyze_btn.click(
|
|
|
|
| 395 |
|
| 396 |
# Launch the interface
|
| 397 |
interface.launch(
|
| 398 |
+
share=False,
|
| 399 |
show_error=True,
|
| 400 |
quiet=False
|
| 401 |
)
|