Spaces:
Sleeping
Sleeping
File size: 9,363 Bytes
4afcb3a | 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 | """
sanitizer.py
============
Input sanitization engine.
Sanitization pipeline (each step is independently toggleable):
1. Unicode normalization — NFKC normalization, strip invisible chars
2. Homoglyph replacement — map lookalike characters to ASCII equivalents
3. Suspicious phrase removal — strip known injection phrases
4. Encoding decode — decode %XX and \\uXXXX sequences
5. Token deduplication — collapse repeated words / n-grams
6. Whitespace normalization — collapse excessive whitespace/newlines
7. Control character stripping — remove non-printable control characters
8. Length truncation — hard limit on output length
"""
from __future__ import annotations
import re
import unicodedata
import urllib.parse
import logging
from dataclasses import dataclass
from typing import List, Optional
logger = logging.getLogger("ai_firewall.sanitizer")
# ---------------------------------------------------------------------------
# Phrase patterns to remove (case-insensitive)
# ---------------------------------------------------------------------------
_SUSPICIOUS_PHRASES: List[re.Pattern] = [
re.compile(r"ignore\s+(all\s+)?(previous|prior|above|earlier)\s+(instructions?|prompts?|context)", re.I),
re.compile(r"disregard\s+(your\s+)?(previous|prior|system)\s+(instructions?|prompt)", re.I),
re.compile(r"forget\s+(everything|all)\s+(you\s+)?(know|were told)", re.I),
re.compile(r"override\s+(system|developer|admin|operator)\s+(prompt|instructions?|mode)", re.I),
re.compile(r"act\s+as\s+(a\s+)?(developer|admin|root|superuser|unrestricted|uncensored)", re.I),
re.compile(r"pretend\s+(you\s+are|to\s+be)\s+.{0,40}(without|with\s+no)\s+(restrictions?|limits?|ethics?)", re.I),
re.compile(r"you\s+are\s+now\s+(DAN|AIM|STAN|DUDE|KEVIN|BetterDAN|AntiGPT)", re.I),
re.compile(r"enter\s+(developer|debug|maintenance|jailbreak|god)\s+mode", re.I),
re.compile(r"reveal\s+(the\s+)?(system\s+prompt|hidden\s+instructions?|initial\s+prompt)", re.I),
re.compile(r"\[SYSTEM\]\s*:?\s*(override|unlock|bypass)", re.I),
re.compile(r"---+\s*(system|assistant|human|user)\s*---+", re.I),
re.compile(r"<\|?(system|im_start|im_end|endoftext)\|?>", re.I),
]
# Homoglyph map (confusable lookalikes → ASCII)
_HOMOGLYPH_MAP = {
"а": "a", "е": "e", "і": "i", "о": "o", "р": "p", "с": "c",
"х": "x", "у": "y", "ѕ": "s", "ј": "j", "ԁ": "d", "ɡ": "g",
"ʜ": "h", "ᴛ": "t", "ᴡ": "w", "ᴍ": "m", "ᴋ": "k",
"α": "a", "ε": "e", "ο": "o", "ρ": "p", "ν": "v", "κ": "k",
}
_CTRL_CHAR_RE = re.compile(r"[\x00-\x08\x0b\x0c\x0e-\x1f\x7f]")
_MULTI_NEWLINE = re.compile(r"\n{3,}")
_MULTI_SPACE = re.compile(r" {3,}")
_REPEAT_WORD_RE = re.compile(r"\b(\w+)( \1){4,}\b", re.I) # word repeated 5+ times consecutively
@dataclass
class SanitizationResult:
original: str
sanitized: str
steps_applied: List[str]
chars_removed: int
def to_dict(self) -> dict:
return {
"sanitized": self.sanitized,
"steps_applied": self.steps_applied,
"chars_removed": self.chars_removed,
}
class InputSanitizer:
"""
Multi-step input sanitizer.
Parameters
----------
max_length : int
Hard cap on output length in characters (default 4096).
remove_suspicious_phrases : bool
Strip known injection phrases (default True).
normalize_unicode : bool
Apply NFKC normalization and strip invisible chars (default True).
replace_homoglyphs : bool
Map lookalike chars to ASCII (default True).
decode_encodings : bool
Decode %XX / \\uXXXX sequences (default True).
deduplicate_tokens : bool
Collapse repeated tokens (default True).
normalize_whitespace : bool
Collapse excessive whitespace (default True).
strip_control_chars : bool
Remove non-printable control characters (default True).
"""
def __init__(
self,
max_length: int = 4096,
remove_suspicious_phrases: bool = True,
normalize_unicode: bool = True,
replace_homoglyphs: bool = True,
decode_encodings: bool = True,
deduplicate_tokens: bool = True,
normalize_whitespace: bool = True,
strip_control_chars: bool = True,
) -> None:
self.max_length = max_length
self.remove_suspicious_phrases = remove_suspicious_phrases
self.normalize_unicode = normalize_unicode
self.replace_homoglyphs = replace_homoglyphs
self.decode_encodings = decode_encodings
self.deduplicate_tokens = deduplicate_tokens
self.normalize_whitespace = normalize_whitespace
self.strip_control_chars = strip_control_chars
# ------------------------------------------------------------------
# Individual sanitisation steps
# ------------------------------------------------------------------
def _step_strip_control_chars(self, text: str) -> str:
return _CTRL_CHAR_RE.sub("", text)
def _step_decode_encodings(self, text: str) -> str:
# URL-decode (%xx)
try:
decoded = urllib.parse.unquote(text)
except Exception:
decoded = text
# Decode \uXXXX sequences
try:
decoded = decoded.encode("raw_unicode_escape").decode("unicode_escape")
except Exception:
pass # keep as-is if decode fails
return decoded
def _step_normalize_unicode(self, text: str) -> str:
# NFKC normalization (compatibility + composition)
normalized = unicodedata.normalize("NFKC", text)
# Strip format/invisible characters
cleaned = "".join(
ch for ch in normalized
if unicodedata.category(ch) not in {"Cf", "Cs", "Co"}
)
return cleaned
def _step_replace_homoglyphs(self, text: str) -> str:
return "".join(_HOMOGLYPH_MAP.get(ch, ch) for ch in text)
def _step_remove_suspicious_phrases(self, text: str) -> str:
for pattern in _SUSPICIOUS_PHRASES:
text = pattern.sub("[REDACTED]", text)
return text
def _step_deduplicate_tokens(self, text: str) -> str:
# Remove word repeated 5+ times in a row
text = _REPEAT_WORD_RE.sub(r"\1", text)
return text
def _step_normalize_whitespace(self, text: str) -> str:
text = _MULTI_NEWLINE.sub("\n\n", text)
text = _MULTI_SPACE.sub(" ", text)
return text.strip()
def _step_truncate(self, text: str) -> str:
if len(text) > self.max_length:
return text[: self.max_length] + "…"
return text
# ------------------------------------------------------------------
# Public API
# ------------------------------------------------------------------
def sanitize(self, text: str) -> SanitizationResult:
"""
Run the full sanitization pipeline on the input text.
Parameters
----------
text : str
Raw user prompt.
Returns
-------
SanitizationResult
"""
original = text
steps_applied: List[str] = []
if self.strip_control_chars:
new = self._step_strip_control_chars(text)
if new != text:
steps_applied.append("strip_control_chars")
text = new
if self.decode_encodings:
new = self._step_decode_encodings(text)
if new != text:
steps_applied.append("decode_encodings")
text = new
if self.normalize_unicode:
new = self._step_normalize_unicode(text)
if new != text:
steps_applied.append("normalize_unicode")
text = new
if self.replace_homoglyphs:
new = self._step_replace_homoglyphs(text)
if new != text:
steps_applied.append("replace_homoglyphs")
text = new
if self.remove_suspicious_phrases:
new = self._step_remove_suspicious_phrases(text)
if new != text:
steps_applied.append("remove_suspicious_phrases")
text = new
if self.deduplicate_tokens:
new = self._step_deduplicate_tokens(text)
if new != text:
steps_applied.append("deduplicate_tokens")
text = new
if self.normalize_whitespace:
new = self._step_normalize_whitespace(text)
if new != text:
steps_applied.append("normalize_whitespace")
text = new
# Always truncate
new = self._step_truncate(text)
if new != text:
steps_applied.append(f"truncate_to_{self.max_length}")
text = new
result = SanitizationResult(
original=original,
sanitized=text,
steps_applied=steps_applied,
chars_removed=len(original) - len(text),
)
if steps_applied:
logger.info("Sanitization applied steps: %s | chars_removed=%d", steps_applied, result.chars_removed)
return result
def clean(self, text: str) -> str:
"""Convenience method returning only the sanitized string."""
return self.sanitize(text).sanitized
|