2019-05-08 13:47:52 +03:00
|
|
|
#!/usr/bin/env python
|
2014-08-28 13:58:22 +04:00
|
|
|
|
|
|
|
"""
|
2024-01-04 01:11:52 +03:00
|
|
|
Copyright (c) 2006-2024 sqlmap developers (https://sqlmap.org/)
|
2017-10-11 15:50:46 +03:00
|
|
|
See the file 'LICENSE' for copying permission
|
2014-08-28 13:58:22 +04:00
|
|
|
"""
|
|
|
|
|
|
|
|
import string
|
|
|
|
|
|
|
|
from lib.core.enums import PRIORITY
|
|
|
|
|
|
|
|
__priority__ = PRIORITY.LOWEST
|
|
|
|
|
|
|
|
def dependencies():
|
|
|
|
pass
|
|
|
|
|
|
|
|
def tamper(payload, **kwargs):
|
|
|
|
"""
|
2018-07-31 03:18:33 +03:00
|
|
|
Converts all (non-alphanum) characters in a given payload to overlong UTF8 (not processing already encoded) (e.g. ' -> %C0%A7)
|
2014-08-28 13:58:22 +04:00
|
|
|
|
2018-07-31 02:17:11 +03:00
|
|
|
Reference:
|
|
|
|
* https://www.acunetix.com/vulnerabilities/unicode-transformation-issues/
|
|
|
|
* https://www.thecodingforums.com/threads/newbie-question-about-character-encoding-what-does-0xc0-0x8a-have-in-common-with-0xe0-0x80-0x8a.170201/
|
2014-08-28 13:58:22 +04:00
|
|
|
|
|
|
|
>>> tamper('SELECT FIELD FROM TABLE WHERE 2>1')
|
2018-02-08 01:59:36 +03:00
|
|
|
'SELECT%C0%A0FIELD%C0%A0FROM%C0%A0TABLE%C0%A0WHERE%C0%A02%C0%BE1'
|
2014-08-28 13:58:22 +04:00
|
|
|
"""
|
|
|
|
|
|
|
|
retVal = payload
|
|
|
|
|
|
|
|
if payload:
|
|
|
|
retVal = ""
|
|
|
|
i = 0
|
|
|
|
|
|
|
|
while i < len(payload):
|
|
|
|
if payload[i] == '%' and (i < len(payload) - 2) and payload[i + 1:i + 2] in string.hexdigits and payload[i + 2:i + 3] in string.hexdigits:
|
|
|
|
retVal += payload[i:i + 3]
|
|
|
|
i += 3
|
|
|
|
else:
|
|
|
|
if payload[i] not in (string.ascii_letters + string.digits):
|
2018-02-08 01:59:36 +03:00
|
|
|
retVal += "%%%.2X%%%.2X" % (0xc0 + (ord(payload[i]) >> 6), 0x80 + (ord(payload[i]) & 0x3f))
|
2014-08-28 13:58:22 +04:00
|
|
|
else:
|
|
|
|
retVal += payload[i]
|
|
|
|
i += 1
|
|
|
|
|
|
|
|
return retVal
|