Spaces:
Sleeping
Sleeping
File size: 2,481 Bytes
01a3d35 | 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 | import sys
import os
sys.path.append(os.path.join(os.path.dirname(__file__), "src"))
from flask import Flask, request, jsonify
import gradio as gr
from model import ToxicCommentDetector
app = Flask(__name__)
detector = ToxicCommentDetector()
detector.load_models()
@app.route('/predict', methods=['POST'])
def predict():
data = request.json
text = data.get('text', '')
model_name = data.get('model_name', 'DistilBERT')
if not text:
return jsonify({"error": "No text provided"}), 400
try:
results = detector.predict(text, model_name)
return jsonify(results)
except Exception as e:
return jsonify({"error": str(e)}), 500
def create_gradio_interface(detector):
def predict_toxicity(text, model_name):
if not text.strip():
return "Please enter some text to analyze."
try:
results = detector.predict(text, model_name)
output = f"π **Analysis Results using {model_name}:**\n\n"
for label, score in results.items():
emoji = "π¨" if score > 0.5 else "β
"
output += f"{emoji} **{label.replace('_', ' ').title()}**: {score:.3f} ({score*100:.1f}%)\n"
return output
except Exception as e:
return f"Error: {str(e)}"
with gr.Blocks(title="π‘οΈ Toxic Comment Detector", theme=gr.themes.Soft()) as interface:
gr.Markdown("""
# π‘οΈ Toxic Comment Detector
This app uses three different pre-trained models to detect toxicity in comments.
Enter your text below and choose a model to get predictions, or compare all models at once!
""")
with gr.Tab("Single Model Prediction"):
with gr.Row():
with gr.Column():
text_input = gr.Textbox(label="Enter comment to analyze", placeholder="Type your comment here...", lines=3)
model_dropdown = gr.Dropdown(choices=list(detector.models.keys()), label="Select Model", value=list(detector.models.keys())[0])
predict_btn = gr.Button("π Analyze Toxicity", variant="primary")
with gr.Column():
single_output = gr.Markdown(label="Results")
predict_btn.click(predict_toxicity, inputs=[text_input, model_dropdown], outputs=single_output)
return interface
if __name__ == "__main__":
interface = create_gradio_interface(detector)
interface.launch() |