/usr/share/pyshared/restkit/util.py is in python-restkit 4.2.2-1.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
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 | # -*- coding: utf-8 -
#
# This file is part of restkit released under the MIT license.
# See the NOTICE for more information.
import os
import re
import time
import urllib
import urlparse
import warnings
import Cookie
from restkit.errors import InvalidUrl
absolute_http_url_re = re.compile(r"^https?://", re.I)
try:#python 2.6, use subprocess
import subprocess
subprocess.Popen # trigger ImportError early
closefds = os.name == 'posix'
def popen3(cmd, mode='t', bufsize=0):
p = subprocess.Popen(cmd, shell=True, bufsize=bufsize,
stdin=subprocess.PIPE, stdout=subprocess.PIPE, stderr=subprocess.PIPE,
close_fds=closefds)
p.wait()
return (p.stdin, p.stdout, p.stderr)
except ImportError:
subprocess = None
popen3 = os.popen3
def locate_program(program):
if os.path.isabs(program):
return program
if os.path.dirname(program):
program = os.path.normpath(os.path.realpath(program))
return program
paths = os.getenv('PATH')
if not paths:
return False
for path in paths.split(os.pathsep):
filename = os.path.join(path, program)
if os.access(filename, os.X_OK):
return filename
return False
weekdayname = ['Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat', 'Sun']
monthname = [None,
'Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun',
'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec']
def http_date(timestamp=None):
"""Return the current date and time formatted for a message header."""
if timestamp is None:
timestamp = time.time()
year, month, day, hh, mm, ss, wd, y, z = time.gmtime(timestamp)
s = "%s, %02d %3s %4d %02d:%02d:%02d GMT" % (
weekdayname[wd],
day, monthname[month], year,
hh, mm, ss)
return s
def parse_netloc(uri):
host = uri.netloc
port = None
i = host.rfind(':')
j = host.rfind(']') # ipv6 addresses have [...]
if i > j:
try:
port = int(host[i+1:])
except ValueError:
raise InvalidUrl("nonnumeric port: '%s'" % host[i+1:])
host = host[:i]
else:
# default port
if uri.scheme == "https":
port = 443
else:
port = 80
if host and host[0] == '[' and host[-1] == ']':
host = host[1:-1]
return (host, port)
def to_bytestring(s):
if not isinstance(s, basestring):
raise TypeError("value should be a str or unicode")
if isinstance(s, unicode):
return s.encode('utf-8')
return s
def url_quote(s, charset='utf-8', safe='/:'):
"""URL encode a single string with a given encoding."""
if isinstance(s, unicode):
s = s.encode(charset)
elif not isinstance(s, str):
s = str(s)
return urllib.quote(s, safe=safe)
def url_encode(obj, charset="utf8", encode_keys=False):
items = []
if isinstance(obj, dict):
for k, v in list(obj.items()):
items.append((k, v))
else:
items = list(items)
tmp = []
for k, v in items:
if encode_keys:
k = encode(k, charset)
if not isinstance(v, (tuple, list)):
v = [v]
for v1 in v:
if v1 is None:
v1 = ''
elif callable(v1):
v1 = encode(v1(), charset)
else:
v1 = encode(v1, charset)
tmp.append('%s=%s' % (urllib.quote(k), urllib.quote_plus(v1)))
return '&'.join(tmp)
def encode(v, charset="utf8"):
if isinstance(v, unicode):
v = v.encode(charset)
else:
v = str(v)
return v
def make_uri(base, *args, **kwargs):
"""Assemble a uri based on a base, any number of path segments,
and query string parameters.
"""
# get encoding parameters
charset = kwargs.pop("charset", "utf-8")
safe = kwargs.pop("safe", "/:")
encode_keys = kwargs.pop("encode_keys", True)
base_trailing_slash = False
if base and base.endswith("/"):
base_trailing_slash = True
base = base[:-1]
retval = [base]
# build the path
_path = []
trailing_slash = False
for s in args:
if s is not None and isinstance(s, basestring):
if len(s) > 1 and s.endswith('/'):
trailing_slash = True
else:
trailing_slash = False
_path.append(url_quote(s.strip('/'), charset, safe))
path_str =""
if _path:
path_str = "/".join([''] + _path)
if trailing_slash:
path_str = path_str + "/"
elif base_trailing_slash:
path_str = path_str + "/"
if path_str:
retval.append(path_str)
params_str = url_encode(kwargs, charset, encode_keys)
if params_str:
retval.extend(['?', params_str])
return ''.join(retval)
def rewrite_location(host_uri, location, prefix_path=None):
prefix_path = prefix_path or ''
url = urlparse.urlparse(location)
host_url = urlparse.urlparse(host_uri)
if not absolute_http_url_re.match(location):
# remote server doesn't follow rfc2616
proxy_uri = '%s%s' % (host_uri, prefix_path)
return urlparse.urljoin(proxy_uri, location)
elif url.scheme == host_url.scheme and url.netloc == host_url.netloc:
return urlparse.urlunparse((host_url.scheme, host_url.netloc,
prefix_path + url.path, url.params, url.query, url.fragment))
return location
def replace_header(name, value, headers):
idx = -1
for i, (k, v) in enumerate(headers):
if k.upper() == name.upper():
idx = i
break
if idx >= 0:
headers[i] = (name.title(), value)
else:
headers.append((name.title(), value))
return headers
def replace_headers(new_headers, headers):
hdrs = {}
for (k, v) in new_headers:
hdrs[k.upper()] = v
found = []
for i, (k, v) in enumerate(headers):
ku = k.upper()
if ku in hdrs:
headers[i] = (k.title(), hdrs[ku])
found.append(ku)
if len(found) == len(new_headers):
return
for k, v in new_headers.items():
if k not in found:
headers.append((k.title(), v))
return headers
def parse_cookie(cookie, final_url):
if cookie == '':
return {}
if not isinstance(cookie, Cookie.BaseCookie):
try:
c = Cookie.SimpleCookie()
c.load(cookie)
except Cookie.CookieError:
# Invalid cookie
return {}
else:
c = cookie
cookiedict = {}
for key in c.keys():
cook = c.get(key)
cookiedict[key] = cook.value
return cookiedict
class deprecated_property(object):
"""
Wraps a decorator, with a deprecation warning or error
"""
def __init__(self, decorator, attr, message, warning=True):
self.decorator = decorator
self.attr = attr
self.message = message
self.warning = warning
def __get__(self, obj, type=None):
if obj is None:
return self
self.warn()
return self.decorator.__get__(obj, type)
def __set__(self, obj, value):
self.warn()
self.decorator.__set__(obj, value)
def __delete__(self, obj):
self.warn()
self.decorator.__delete__(obj)
def __repr__(self):
return '<Deprecated attribute %s: %r>' % (
self.attr,
self.decorator)
def warn(self):
if not self.warning:
raise DeprecationWarning(
'The attribute %s is deprecated: %s' % (self.attr, self.message))
else:
warnings.warn(
'The attribute %s is deprecated: %s' % (self.attr, self.message),
DeprecationWarning,
stacklevel=3)
|