/usr/share/pyshared/circuits/web/wrappers.py is in python-circuits 2.1.0-2.
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 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 | # Module: wrappers
# Date: 13th September 2007
# Author: James Mills, prologic at shortcircuit dot net dot au
"""Request/Response Wrappers
This module implements the Request and Response objects.
"""
from io import BytesIO, IOBase
from time import strftime, time
try:
from Cookie import SimpleCookie
except ImportError:
from http.cookies import SimpleCookie # NOQA
from .utils import url
from .headers import Headers
from ..six import binary_type
from .errors import HTTPError
from circuits.net.sockets import BUFSIZE
from .constants import HTTP_STATUS_CODES, SERVER_PROTOCOL, SERVER_VERSION
try:
unicode
except NameError:
unicode = str
def file_generator(input, chunkSize=BUFSIZE):
chunk = input.read(chunkSize)
while chunk:
yield chunk
chunk = input.read(chunkSize)
input.close()
class Host(object):
"""An internet address.
name should be the client's host name. If not available (because no DNS
lookup is performed), the IP address should be used instead.
"""
ip = "0.0.0.0"
port = 80
name = "unknown.tld"
def __init__(self, ip, port, name=None):
self.ip = ip
self.port = port
if name is None:
name = ip
self.name = name
def __repr__(self):
return "Host(%r, %r, %r)" % (self.ip, self.port, self.name)
class Request(object):
"""Creates a new Request object to hold information about a request.
:param sock: The socket object of the request.
:type sock: socket.socket
:param method: The requsted method.
:type method: str
:param scheme: The requsted scheme.
:type scheme: str
:param path: The requsted path.
:type path: str
:param protocol: The requsted protocol.
:type protocol: str
:param qs: The query string of the request.
:type qs: str
"""
server = None
"""@cvar: A reference to the underlying server"""
scheme = "http"
protocol = (1, 1)
server_protocol = (1, 1)
host = ""
local = Host("127.0.0.1", 80)
remote = Host("", 0)
xhr = False
index = None
script_name = ""
login = None
handled = False
args = None
kwargs = None
def __init__(self, sock, method, scheme, path, protocol, qs):
"initializes x; see x.__class__.__doc__ for signature"
self.sock = sock
self.method = method
self.scheme = scheme or Request.scheme
self.path = path
self.protocol = protocol
self.qs = qs
self.cookie = SimpleCookie()
self._headers = None
if sock:
name = sock.getpeername()
if name:
self.remote = Host(*name)
else:
name = sock.getsockname()
self.remote = Host(name, "", name)
self.body = BytesIO()
def _getHeaders(self):
return self._headers
def _setHeaders(self, headers):
self._headers = headers
if "Cookie" in self.headers:
rawcookies = self.headers["Cookie"]
if not isinstance(rawcookies, str):
rawcookies = rawcookies.encode('utf-8')
self.cookie.load(rawcookies)
host = self.headers.get("Host", None)
if not host:
host = self.local.name or self.local.ip
self.base = "%s://%s" % (self.scheme, host)
self.xhr = self.headers.get(
"X-Requested-With", "").lower() == "xmlhttprequest"
headers = property(_getHeaders, _setHeaders)
def __repr__(self):
protocol = "HTTP/%d.%d" % self.protocol
return "<Request %s %s %s>" % (self.method, self.path, protocol)
def url(self, *args, **kwargs):
return url(self, *args, **kwargs)
class Body(object):
"""Response Body"""
def __get__(self, response, cls=None):
if response is None:
return self
else:
return response._body
def __set__(self, response, value):
if response == value:
return
if isinstance(value, binary_type):
if value:
value = [value]
else:
value = []
elif isinstance(value, IOBase):
response.stream = True
value = file_generator(value)
elif isinstance(value, HTTPError):
value = [str(value)]
elif value is None:
value = []
response._body = value
class Response(object):
"""Response(sock, request) -> new Response object
A Response object that holds the response to
send back to the client. This ensure that the correct data
is sent in the correct order.
"""
code = 200
message = None
body = Body()
done = False
close = False
stream = False
chunked = False
protocol = "HTTP/%d.%d" % SERVER_PROTOCOL
def __init__(self, request, encoding='utf-8', code=None, message=None):
"initializes x; see x.__class__.__doc__ for signature"
self.request = request
self.encoding = encoding
if code is not None:
self.code = code
if message is not None:
self.message = message
self._body = []
self.time = time()
self.headers = Headers([])
self.headers.add_header("Date", strftime("%a, %d %b %Y %H:%M:%S %Z"))
if self.request.server:
self.headers.add_header("Server", self.request.server.version)
else:
self.headers.add_header("X-Powered-By", SERVER_VERSION)
self.cookie = self.request.cookie
self.protocol = "HTTP/%d.%d" % self.request.server_protocol
self._encoding = encoding
def __repr__(self):
return "<Response %s %s (%d)>" % (
self.status,
self.headers["Content-Type"],
(len(self.body) if type(self.body) == str else 0)
)
def __str__(self):
self.prepare()
protocol = self.protocol
status = self.status
headers = self.headers
return "%s %s\r\n%s" % (protocol, status, headers)
@property
def status(self):
return "%d %s" % (
self.code, self.message or HTTP_STATUS_CODES[self.code]
)
def prepare(self):
# Set a default content-Type if we don't have one.
self.headers.setdefault("Content-Type",
"text/html; charset={0:s}".format(self.encoding)
)
cLength = None
if self.body is not None:
if isinstance(self.body, bytes):
cLength = len(self.body)
elif isinstance(self.body, unicode):
cLength = len(self.body.encode(self._encoding))
elif isinstance(self.body, list):
cLength = sum(
[
len(s.encode(self._encoding))
if not isinstance(s, bytes)
else len(s) for s in self.body
if s is not None
]
)
if cLength is not None:
self.headers["Content-Length"] = str(cLength)
for k, v in self.cookie.items():
self.headers.add_header("Set-Cookie", v.OutputString())
status = self.code
if status == 413:
self.close = True
elif "Content-Length" not in self.headers:
if status < 200 or status in (204, 205, 304):
pass
else:
if self.protocol == "HTTP/1.1" \
and self.request.method != "HEAD" \
and self.request.server is not None \
and not cLength == 0:
self.chunked = True
self.headers.add_header("Transfer-Encoding", "chunked")
else:
self.close = True
if (self.request.server is not None
and "Connection" not in self.headers):
if self.protocol == "HTTP/1.1":
if self.close:
self.headers.add_header("Connection", "close")
else:
if not self.close:
self.headers.add_header("Connection", "Keep-Alive")
if self.headers.get("Transfer-Encoding", "") == "chunked":
self.chunked = True
|