ОК, я думаю, что я собираюсь пойти с гибридным настраиваемым набором функций:
Кодирование: используйте encodeURIComponent (), затем вставьте косые черты обратно.
Декодировать: декодировать любые найденные значения% hex.
Вот более полный вариант того, что я в конечном итоге использовал (он также правильно обрабатывает Unicode):
function quoteUrl(url, safe) {
if (typeof(safe) !== 'string') {
safe = '/'; // Don't escape slashes by default
}
url = encodeURIComponent(url);
// Unescape characters that were in the safe list
toUnencode = [ ];
for (var i = safe.length - 1; i >= 0; --i) {
var encoded = encodeURIComponent(safe[i]);
if (encoded !== safe.charAt(i)) { // Ignore safe char if it wasn't escaped
toUnencode.push(encoded);
}
}
url = url.replace(new RegExp(toUnencode.join('|'), 'ig'), decodeURIComponent);
return url;
}
var unquoteUrl = decodeURIComponent; // Make alias to have symmetric function names
Обратите внимание, что если вам не нужны "безопасные" символы при кодировании ('/'
по умолчанию в Python), то вы можете просто напрямую использовать встроенные функции encodeURIComponent()
и decodeURIComponent()
.
Кроме того, если в строке есть символы Unicode (то есть символы с кодовой точкой> = 128), то для обеспечения совместимости с encodeURIComponent()
JavaScript Python quote_url()
должен быть:
def quote_url(url, safe):
"""URL-encodes a string (either str (i.e. ASCII) or unicode);
uses de-facto UTF-8 encoding to handle Unicode codepoints in given string.
"""
return urllib.quote(unicode(url).encode('utf-8'), safe)
И unquote_url()
будет:
def unquote_url(url):
"""Decodes a URL that was encoded using quote_url.
Returns a unicode instance.
"""
return urllib.unquote(url).decode('utf-8')