File size: 12,424 Bytes
054a1ae
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
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
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
"""

Modèles de modération textuelle pré-entraînés

Pour détecter contenu NSFW, armes, toxicité sans entraînement

"""

from transformers import pipeline
from typing import Dict


# ============================================================================
# OPTION 1: Détecteur de toxicité multilingue (RECOMMANDÉ)
# ============================================================================

class ToxicityDetector:
    """

    Détecteur de toxicité/contenu inapproprié multilingue

    Modèle: facebook/roberta-hate-speech-dynabench-r4-target

    """
    
    def __init__(self):
        print("🔧 Chargement du détecteur de toxicité...")
        try:
            self.model_name = "facebook/roberta-hate-speech-dynabench-r4-target"
            self.classifier = pipeline(
                "text-classification",
                model=self.model_name
            )
            print(f"✓ Modèle chargé: {self.model_name}")
        except Exception as e:
            print(f"⚠️  Erreur: {e}")
            self.classifier = None
    
    def predict(self, text: str, threshold: float = 0.5) -> Dict:
        """

        Détecte si le texte est toxique/inapproprié

        

        Returns:

            {

                'is_toxic': bool,

                'confidence': float,

                'label': str

            }

        """
        if self.classifier is None:
            return {'is_toxic': False, 'confidence': 0.0, 'label': 'unknown'}
        
        result = self.classifier(text)[0]
        
        is_toxic = (result['label'] == 'hate' or result['label'] == 'offensive') and result['score'] >= threshold
        
        return {
            'is_toxic': is_toxic,
            'confidence': result['score'],
            'label': result['label']
        }


# ============================================================================
# OPTION 2: Détecteur de contenu NSFW textuel
# ============================================================================

class NSFWTextDetector:
    """

    Détecteur spécialisé pour contenu NSFW dans le texte

    Modèle: michellejieli/NSFW_text_classifier

    """
    
    def __init__(self):
        print("🔧 Chargement du détecteur NSFW textuel...")
        try:
            self.model_name = "michellejieli/NSFW_text_classifier"
            self.classifier = pipeline(
                "text-classification",
                model=self.model_name
            )
            print(f"✓ Modèle chargé: {self.model_name}")
        except Exception as e:
            print(f"⚠️  Erreur: {e}")
            self.classifier = None
    
    def predict(self, text: str, threshold: float = 0.7) -> Dict:
        """

        Détecte si le texte contient du contenu NSFW

        

        Returns:

            {

                'is_nsfw': bool,

                'confidence': float,

                'label': str

            }

        """
        if self.classifier is None:
            return {'is_nsfw': False, 'confidence': 0.0, 'label': 'unknown'}
        
        result = self.classifier(text)[0]
        
        is_nsfw = result['label'] == 'NSFW' and result['score'] >= threshold
        
        return {
            'is_nsfw': is_nsfw,
            'confidence': result['score'],
            'label': result['label']
        }


# ============================================================================
# OPTION 3: Détection par mots-clés + règles (SIMPLE ET EFFICACE)
# ============================================================================

class KeywordBasedModerator:
    """

    Modérateur basé sur des mots-clés et règles

    Simple mais très efficace pour votre cas d'usage

    """
    
    def __init__(self):
        # Mots-clés sensibles (à adapter selon vos besoins)
        self.weapon_keywords = [
            # Armes à feu
            'pistolet', 'revolver', 'fusil', 'arme', 'gun', 'rifle', 
            'calibre', 'munition', 'cartouche', 'glock', 'ak47', 'beretta',
            'arme à feu', 'arme de guerre', 'firearm',
            
            # Armes blanches
            'couteau', 'poignard', 'machette', 'sabre', 'épée', 'dague',
            'knife', 'sword', 'blade', 'lame'
        ]
        
        self.nsfw_keywords = [
            # Contenu adulte
            'sexe', 'xxx', 'porn', 'porno', 'pornographique', 'hentai',
            'adulte', 'érotique', 'nue', 'nu', 'nudité', 'sexy',
            'sex', 'nude', 'explicit', 'nsfw', 'erotic',
            'escort', 'prostitution', 'massage érotique',
            
            # Contenu explicite
            'orgasme', 'viagra', 'cialis', 'sexuel', 'sexuelle'
        ]
        
        self.spam_keywords = [
            'cliquez ici', 'argent facile', 'devenez riche',
            'miracle', 'gratuit!!!', '100% garanti',
            'click here', 'make money fast', 'limited offer'
        ]
    
    def predict(self, title: str, description: str) -> Dict:
        """

        Détecte le contenu inapproprié par mots-clés

        

        Returns:

            {

                'approved': bool,

                'reason': str,

                'detected_keywords': List[str],

                'category': str  # 'weapon', 'nsfw', 'spam', 'safe'

            }

        """
        text = f"{title} {description}".lower()
        
        detected_keywords = []
        category = 'safe'
        reason = 'Texte approuvé'
        
        # Vérifier les armes
        for keyword in self.weapon_keywords:
            if keyword.lower() in text:
                detected_keywords.append(keyword)
                category = 'weapon'
        
        # Vérifier le contenu NSFW
        for keyword in self.nsfw_keywords:
            if keyword.lower() in text:
                detected_keywords.append(keyword)
                category = 'nsfw'
        
        # Vérifier le spam
        for keyword in self.spam_keywords:
            if keyword.lower() in text:
                detected_keywords.append(keyword)
                category = 'spam'
        
        # Décision
        approved = len(detected_keywords) == 0
        
        if not approved:
            keywords_str = ', '.join(detected_keywords[:3])  # Top 3
            if category == 'weapon':
                reason = f"Mention d'arme détectée - Texte: {keywords_str}"
            elif category == 'nsfw':
                reason = f"Contenu adulte détecté - Texte: {keywords_str}"
            elif category == 'spam':
                reason = f"Contenu spam détecté - Texte: {keywords_str}"
        
        return {
            'approved': approved,
            'reason': reason,
            'detected_keywords': detected_keywords,
            'category': category,
            'confidence': 1.0 if detected_keywords else 0.0
        }


# ============================================================================
# OPTION 4: Approche hybride (MEILLEURE SOLUTION)
# ============================================================================

class HybridTextModerator:
    """

    Combine mots-clés + modèle ML pour meilleure précision

    """
    
    def __init__(self, use_ml_model: bool = True):
        # Détecteur par mots-clés (rapide, précis)
        self.keyword_detector = KeywordBasedModerator()
        
        # Détecteurs ML (plus lent, plus fin)
        self.ml_detectors = []
        
        if use_ml_model:
            try:
                self.toxicity_detector = ToxicityDetector()
                if self.toxicity_detector.classifier:
                    self.ml_detectors.append(self.toxicity_detector)
            except:
                pass
            
            try:
                self.nsfw_detector = NSFWTextDetector()
                if self.nsfw_detector.classifier:
                    self.ml_detectors.append(self.nsfw_detector)
            except:
                pass
    
    def predict(self, title: str, description: str) -> Dict:
        """

        Modération hybride: mots-clés + ML

        

        Stratégie:

        1. Vérifier les mots-clés (blocage immédiat si détecté)

        2. Si pas de mots-clés, utiliser le ML pour détecter les cas subtils

        """
        
        text = f"{title} {description}"
        
        # ÉTAPE 1: Vérification par mots-clés (rapide)
        keyword_result = self.keyword_detector.predict(title, description)
        
        if not keyword_result['approved']:
            # Blocage immédiat si mots-clés détectés
            return {
                'decision': 'rejected',
                'confidence': 1.0,
                'reason': keyword_result['reason'],
                'method': 'keywords',
                'details': keyword_result
            }
        
        # ÉTAPE 2: Vérification ML (plus fin, plus lent)
        if self.ml_detectors:
            for detector in self.ml_detectors:
                if isinstance(detector, ToxicityDetector):
                    ml_result = detector.predict(text)
                    if ml_result['is_toxic']:
                        return {
                            'decision': 'rejected',
                            'confidence': ml_result['confidence'],
                            'reason': f"Contenu toxique détecté ({ml_result['label']})",
                            'method': 'ml_toxicity',
                            'details': ml_result
                        }
                
                elif isinstance(detector, NSFWTextDetector):
                    ml_result = detector.predict(text)
                    if ml_result['is_nsfw']:
                        return {
                            'decision': 'rejected',
                            'confidence': ml_result['confidence'],
                            'reason': "Contenu NSFW détecté",
                            'method': 'ml_nsfw',
                            'details': ml_result
                        }
        
        # ÉTAPE 3: Tout est OK
        return {
            'decision': 'approved',
            'confidence': 1.0,
            'reason': 'Texte approuvé',
            'method': 'hybrid',
            'details': {}
        }


# ============================================================================
# COMPARAISON DES OPTIONS
# ============================================================================

def compare_moderators():
    """

    Compare les différents modérateurs

    """
    
    print("=" * 70)
    print("COMPARAISON DES MODÉRATEURS TEXTUELS")
    print("=" * 70)
    
    # Textes de test
    test_texts = [
        ("iPhone 13 Pro", "Téléphone en excellent état"),
        ("Vente de pistolet", "Arme de défense calibre 9mm"),
        ("Massage à domicile", "Service xxx pour adultes"),
        ("Belle villa Dakar", "Maison spacieuse avec piscine"),
        ("Argent facile", "Cliquez ici pour devenir riche!!!"),
    ]
    
    # Test 1: Mots-clés
    print("\n📋 MODÉRATEUR PAR MOTS-CLÉS (Rapide)")
    print("-" * 70)
    keyword_mod = KeywordBasedModerator()
    for title, desc in test_texts:
        result = keyword_mod.predict(title, desc)
        status = "✅" if result['approved'] else "❌"
        print(f"{status} {title}: {result['reason']}")
    
    # Test 2: Hybride
    print("\n🔀 MODÉRATEUR HYBRIDE (Recommandé)")
    print("-" * 70)
    hybrid_mod = HybridTextModerator(use_ml_model=False)  # Sans ML pour démo
    for title, desc in test_texts:
        result = hybrid_mod.predict(title, desc)
        status = "✅" if result['decision'] == 'approved' else "❌"
        print(f"{status} {title}: {result['reason']}")
    
    print("\n" + "=" * 70)
    print("RECOMMANDATIONS")
    print("=" * 70)
    print("""

    1. COMMENCER avec KeywordBasedModerator (simple, rapide, efficace)

    2. AJOUTER vos propres mots-clés selon votre contexte

    3. PASSER à HybridTextModerator si besoin de plus de finesse

    4. FINE-TUNER DistilBERT si vous avez beaucoup de données labelisées

    """)


if __name__ == "__main__":
    compare_moderators()