mirror of
https://github.com/djohnlewis/stackdump
synced 2025-04-03 00:03:30 +00:00
Upgraded Bottle.py to 0.10.11 and CherryPy to 3.2.2.
This commit is contained in:
parent
6156d69af0
commit
dd24d98b39
python/packages
bottle.py
cherrypy
File diff suppressed because it is too large
Load Diff
@ -57,10 +57,10 @@ These API's are described in the CherryPy specification:
|
|||||||
http://www.cherrypy.org/wiki/CherryPySpec
|
http://www.cherrypy.org/wiki/CherryPySpec
|
||||||
"""
|
"""
|
||||||
|
|
||||||
__version__ = "3.2.0"
|
__version__ = "3.2.2"
|
||||||
|
|
||||||
from cherrypy._cpcompat import urljoin as _urljoin, urlencode as _urlencode
|
from cherrypy._cpcompat import urljoin as _urljoin, urlencode as _urlencode
|
||||||
from cherrypy._cpcompat import basestring, unicodestr
|
from cherrypy._cpcompat import basestring, unicodestr, set
|
||||||
|
|
||||||
from cherrypy._cperror import HTTPError, HTTPRedirect, InternalRedirect
|
from cherrypy._cperror import HTTPError, HTTPRedirect, InternalRedirect
|
||||||
from cherrypy._cperror import NotFound, CherryPyException, TimeoutError
|
from cherrypy._cperror import NotFound, CherryPyException, TimeoutError
|
||||||
@ -89,17 +89,21 @@ except ImportError:
|
|||||||
engine = process.bus
|
engine = process.bus
|
||||||
|
|
||||||
|
|
||||||
# Timeout monitor
|
# Timeout monitor. We add two channels to the engine
|
||||||
|
# to which cherrypy.Application will publish.
|
||||||
|
engine.listeners['before_request'] = set()
|
||||||
|
engine.listeners['after_request'] = set()
|
||||||
|
|
||||||
class _TimeoutMonitor(process.plugins.Monitor):
|
class _TimeoutMonitor(process.plugins.Monitor):
|
||||||
|
|
||||||
def __init__(self, bus):
|
def __init__(self, bus):
|
||||||
self.servings = []
|
self.servings = []
|
||||||
process.plugins.Monitor.__init__(self, bus, self.run)
|
process.plugins.Monitor.__init__(self, bus, self.run)
|
||||||
|
|
||||||
def acquire(self):
|
def before_request(self):
|
||||||
self.servings.append((serving.request, serving.response))
|
self.servings.append((serving.request, serving.response))
|
||||||
|
|
||||||
def release(self):
|
def after_request(self):
|
||||||
try:
|
try:
|
||||||
self.servings.remove((serving.request, serving.response))
|
self.servings.remove((serving.request, serving.response))
|
||||||
except ValueError:
|
except ValueError:
|
||||||
@ -585,7 +589,7 @@ def url(path="", qs="", script_name=None, base=None, relative=None):
|
|||||||
elif relative:
|
elif relative:
|
||||||
# "A relative reference that does not begin with a scheme name
|
# "A relative reference that does not begin with a scheme name
|
||||||
# or a slash character is termed a relative-path reference."
|
# or a slash character is termed a relative-path reference."
|
||||||
old = url().split('/')[:-1]
|
old = url(relative=False).split('/')[:-1]
|
||||||
new = newurl.split('/')
|
new = newurl.split('/')
|
||||||
while old and new:
|
while old and new:
|
||||||
a, b = old[0], new[0]
|
a, b = old[0], new[0]
|
||||||
|
@ -16,9 +16,11 @@ It also provides a 'base64_decode' function with native strings as input and
|
|||||||
output.
|
output.
|
||||||
"""
|
"""
|
||||||
import os
|
import os
|
||||||
|
import re
|
||||||
import sys
|
import sys
|
||||||
|
|
||||||
if sys.version_info >= (3, 0):
|
if sys.version_info >= (3, 0):
|
||||||
|
py3k = True
|
||||||
bytestr = bytes
|
bytestr = bytes
|
||||||
unicodestr = str
|
unicodestr = str
|
||||||
nativestr = unicodestr
|
nativestr = unicodestr
|
||||||
@ -31,12 +33,19 @@ if sys.version_info >= (3, 0):
|
|||||||
"""Return the given native string as a unicode string with the given encoding."""
|
"""Return the given native string as a unicode string with the given encoding."""
|
||||||
# In Python 3, the native string type is unicode
|
# In Python 3, the native string type is unicode
|
||||||
return n
|
return n
|
||||||
|
def tonative(n, encoding='ISO-8859-1'):
|
||||||
|
"""Return the given string as a native string in the given encoding."""
|
||||||
|
# In Python 3, the native string type is unicode
|
||||||
|
if isinstance(n, bytes):
|
||||||
|
return n.decode(encoding)
|
||||||
|
return n
|
||||||
# type("")
|
# type("")
|
||||||
from io import StringIO
|
from io import StringIO
|
||||||
# bytes:
|
# bytes:
|
||||||
from io import BytesIO as BytesIO
|
from io import BytesIO as BytesIO
|
||||||
else:
|
else:
|
||||||
# Python 2
|
# Python 2
|
||||||
|
py3k = False
|
||||||
bytestr = str
|
bytestr = str
|
||||||
unicodestr = unicode
|
unicodestr = unicode
|
||||||
nativestr = bytestr
|
nativestr = bytestr
|
||||||
@ -49,10 +58,25 @@ else:
|
|||||||
return n
|
return n
|
||||||
def ntou(n, encoding='ISO-8859-1'):
|
def ntou(n, encoding='ISO-8859-1'):
|
||||||
"""Return the given native string as a unicode string with the given encoding."""
|
"""Return the given native string as a unicode string with the given encoding."""
|
||||||
# In Python 2, the native string type is bytes. Assume it's already
|
# In Python 2, the native string type is bytes.
|
||||||
# in the given encoding, which for ISO-8859-1 is almost always what
|
# First, check for the special encoding 'escape'. The test suite uses this
|
||||||
# was intended.
|
# to signal that it wants to pass a string with embedded \uXXXX escapes,
|
||||||
|
# but without having to prefix it with u'' for Python 2, but no prefix
|
||||||
|
# for Python 3.
|
||||||
|
if encoding == 'escape':
|
||||||
|
return unicode(
|
||||||
|
re.sub(r'\\u([0-9a-zA-Z]{4})',
|
||||||
|
lambda m: unichr(int(m.group(1), 16)),
|
||||||
|
n.decode('ISO-8859-1')))
|
||||||
|
# Assume it's already in the given encoding, which for ISO-8859-1 is almost
|
||||||
|
# always what was intended.
|
||||||
return n.decode(encoding)
|
return n.decode(encoding)
|
||||||
|
def tonative(n, encoding='ISO-8859-1'):
|
||||||
|
"""Return the given string as a native string in the given encoding."""
|
||||||
|
# In Python 2, the native string type is bytes.
|
||||||
|
if isinstance(n, unicode):
|
||||||
|
return n.encode(encoding)
|
||||||
|
return n
|
||||||
try:
|
try:
|
||||||
# type("")
|
# type("")
|
||||||
from cStringIO import StringIO
|
from cStringIO import StringIO
|
||||||
@ -185,6 +209,18 @@ except ImportError:
|
|||||||
from http.client import BadStatusLine, HTTPConnection, HTTPSConnection, IncompleteRead, NotConnected
|
from http.client import BadStatusLine, HTTPConnection, HTTPSConnection, IncompleteRead, NotConnected
|
||||||
from http.server import BaseHTTPRequestHandler
|
from http.server import BaseHTTPRequestHandler
|
||||||
|
|
||||||
|
try:
|
||||||
|
# Python 2. We have to do it in this order so Python 2 builds
|
||||||
|
# don't try to import the 'http' module from cherrypy.lib
|
||||||
|
from httplib import HTTPSConnection
|
||||||
|
except ImportError:
|
||||||
|
try:
|
||||||
|
# Python 3
|
||||||
|
from http.client import HTTPSConnection
|
||||||
|
except ImportError:
|
||||||
|
# Some platforms which don't have SSL don't expose HTTPSConnection
|
||||||
|
HTTPSConnection = None
|
||||||
|
|
||||||
try:
|
try:
|
||||||
# Python 2
|
# Python 2
|
||||||
xrange = xrange
|
xrange = xrange
|
||||||
@ -229,7 +265,7 @@ try:
|
|||||||
json_decode = json.JSONDecoder().decode
|
json_decode = json.JSONDecoder().decode
|
||||||
json_encode = json.JSONEncoder().iterencode
|
json_encode = json.JSONEncoder().iterencode
|
||||||
except ImportError:
|
except ImportError:
|
||||||
if sys.version_info >= (3, 0):
|
if py3k:
|
||||||
# Python 3.0: json is part of the standard library,
|
# Python 3.0: json is part of the standard library,
|
||||||
# but outputs unicode. We need bytes.
|
# but outputs unicode. We need bytes.
|
||||||
import json
|
import json
|
||||||
@ -280,4 +316,3 @@ except NameError:
|
|||||||
# Python 2
|
# Python 2
|
||||||
def next(i):
|
def next(i):
|
||||||
return i.next()
|
return i.next()
|
||||||
|
|
||||||
|
@ -12,8 +12,13 @@ to a hierarchical arrangement of objects, starting at request.app.root.
|
|||||||
import string
|
import string
|
||||||
import sys
|
import sys
|
||||||
import types
|
import types
|
||||||
|
try:
|
||||||
|
classtype = (type, types.ClassType)
|
||||||
|
except AttributeError:
|
||||||
|
classtype = type
|
||||||
|
|
||||||
import cherrypy
|
import cherrypy
|
||||||
|
from cherrypy._cpcompat import set
|
||||||
|
|
||||||
|
|
||||||
class PageHandler(object):
|
class PageHandler(object):
|
||||||
@ -197,8 +202,18 @@ class LateParamPageHandler(PageHandler):
|
|||||||
'cherrypy.request.params copied in)')
|
'cherrypy.request.params copied in)')
|
||||||
|
|
||||||
|
|
||||||
punctuation_to_underscores = string.maketrans(
|
if sys.version_info < (3, 0):
|
||||||
string.punctuation, '_' * len(string.punctuation))
|
punctuation_to_underscores = string.maketrans(
|
||||||
|
string.punctuation, '_' * len(string.punctuation))
|
||||||
|
def validate_translator(t):
|
||||||
|
if not isinstance(t, str) or len(t) != 256:
|
||||||
|
raise ValueError("The translate argument must be a str of len 256.")
|
||||||
|
else:
|
||||||
|
punctuation_to_underscores = str.maketrans(
|
||||||
|
string.punctuation, '_' * len(string.punctuation))
|
||||||
|
def validate_translator(t):
|
||||||
|
if not isinstance(t, dict):
|
||||||
|
raise ValueError("The translate argument must be a dict.")
|
||||||
|
|
||||||
class Dispatcher(object):
|
class Dispatcher(object):
|
||||||
"""CherryPy Dispatcher which walks a tree of objects to find a handler.
|
"""CherryPy Dispatcher which walks a tree of objects to find a handler.
|
||||||
@ -222,8 +237,7 @@ class Dispatcher(object):
|
|||||||
|
|
||||||
def __init__(self, dispatch_method_name=None,
|
def __init__(self, dispatch_method_name=None,
|
||||||
translate=punctuation_to_underscores):
|
translate=punctuation_to_underscores):
|
||||||
if not isinstance(translate, str) or len(translate) != 256:
|
validate_translator(translate)
|
||||||
raise ValueError("The translate argument must be a str of len 256.")
|
|
||||||
self.translate = translate
|
self.translate = translate
|
||||||
if dispatch_method_name:
|
if dispatch_method_name:
|
||||||
self.dispatch_method_name = dispatch_method_name
|
self.dispatch_method_name = dispatch_method_name
|
||||||
@ -524,7 +538,7 @@ class RoutesDispatcher(object):
|
|||||||
controller = result.get('controller')
|
controller = result.get('controller')
|
||||||
controller = self.controllers.get(controller, controller)
|
controller = self.controllers.get(controller, controller)
|
||||||
if controller:
|
if controller:
|
||||||
if isinstance(controller, (type, types.ClassType)):
|
if isinstance(controller, classtype):
|
||||||
controller = controller()
|
controller = controller()
|
||||||
# Get config from the controller.
|
# Get config from the controller.
|
||||||
if hasattr(controller, "_cp_config"):
|
if hasattr(controller, "_cp_config"):
|
||||||
@ -550,9 +564,9 @@ class RoutesDispatcher(object):
|
|||||||
|
|
||||||
|
|
||||||
def XMLRPCDispatcher(next_dispatcher=Dispatcher()):
|
def XMLRPCDispatcher(next_dispatcher=Dispatcher()):
|
||||||
from cherrypy.lib import xmlrpc
|
from cherrypy.lib import xmlrpcutil
|
||||||
def xmlrpc_dispatch(path_info):
|
def xmlrpc_dispatch(path_info):
|
||||||
path_info = xmlrpc.patched_path(path_info)
|
path_info = xmlrpcutil.patched_path(path_info)
|
||||||
return next_dispatcher(path_info)
|
return next_dispatcher(path_info)
|
||||||
return xmlrpc_dispatch
|
return xmlrpc_dispatch
|
||||||
|
|
||||||
|
@ -107,7 +107,7 @@ and not simply return an error message as a result.
|
|||||||
from cgi import escape as _escape
|
from cgi import escape as _escape
|
||||||
from sys import exc_info as _exc_info
|
from sys import exc_info as _exc_info
|
||||||
from traceback import format_exception as _format_exception
|
from traceback import format_exception as _format_exception
|
||||||
from cherrypy._cpcompat import basestring, iteritems, urljoin as _urljoin
|
from cherrypy._cpcompat import basestring, bytestr, iteritems, ntob, tonative, urljoin as _urljoin
|
||||||
from cherrypy.lib import httputil as _httputil
|
from cherrypy.lib import httputil as _httputil
|
||||||
|
|
||||||
|
|
||||||
@ -183,7 +183,7 @@ class HTTPRedirect(CherryPyException):
|
|||||||
"""The list of URL's to emit."""
|
"""The list of URL's to emit."""
|
||||||
|
|
||||||
encoding = 'utf-8'
|
encoding = 'utf-8'
|
||||||
"""The encoding when passed urls are unicode objects"""
|
"""The encoding when passed urls are not native strings"""
|
||||||
|
|
||||||
def __init__(self, urls, status=None, encoding=None):
|
def __init__(self, urls, status=None, encoding=None):
|
||||||
import cherrypy
|
import cherrypy
|
||||||
@ -194,8 +194,7 @@ class HTTPRedirect(CherryPyException):
|
|||||||
|
|
||||||
abs_urls = []
|
abs_urls = []
|
||||||
for url in urls:
|
for url in urls:
|
||||||
if isinstance(url, unicode):
|
url = tonative(url, encoding or self.encoding)
|
||||||
url = url.encode(encoding or self.encoding)
|
|
||||||
|
|
||||||
# Note that urljoin will "do the right thing" whether url is:
|
# Note that urljoin will "do the right thing" whether url is:
|
||||||
# 1. a complete URL with host (e.g. "http://www.example.com/test")
|
# 1. a complete URL with host (e.g. "http://www.example.com/test")
|
||||||
@ -248,7 +247,7 @@ class HTTPRedirect(CherryPyException):
|
|||||||
307: "This resource has moved temporarily to <a href='%s'>%s</a>.",
|
307: "This resource has moved temporarily to <a href='%s'>%s</a>.",
|
||||||
}[status]
|
}[status]
|
||||||
msgs = [msg % (u, u) for u in self.urls]
|
msgs = [msg % (u, u) for u in self.urls]
|
||||||
response.body = "<br />\n".join(msgs)
|
response.body = ntob("<br />\n".join(msgs), 'utf-8')
|
||||||
# Previous code may have set C-L, so we have to reset it
|
# Previous code may have set C-L, so we have to reset it
|
||||||
# (allow finalize to set it).
|
# (allow finalize to set it).
|
||||||
response.headers.pop('Content-Length', None)
|
response.headers.pop('Content-Length', None)
|
||||||
@ -341,8 +340,8 @@ class HTTPError(CherryPyException):
|
|||||||
self.status = status
|
self.status = status
|
||||||
try:
|
try:
|
||||||
self.code, self.reason, defaultmsg = _httputil.valid_status(status)
|
self.code, self.reason, defaultmsg = _httputil.valid_status(status)
|
||||||
except ValueError, x:
|
except ValueError:
|
||||||
raise self.__class__(500, x.args[0])
|
raise self.__class__(500, _exc_info()[1].args[0])
|
||||||
|
|
||||||
if self.code < 400 or self.code > 599:
|
if self.code < 400 or self.code > 599:
|
||||||
raise ValueError("status must be between 400 and 599.")
|
raise ValueError("status must be between 400 and 599.")
|
||||||
@ -373,8 +372,8 @@ class HTTPError(CherryPyException):
|
|||||||
response.headers['Content-Type'] = "text/html;charset=utf-8"
|
response.headers['Content-Type'] = "text/html;charset=utf-8"
|
||||||
response.headers.pop('Content-Length', None)
|
response.headers.pop('Content-Length', None)
|
||||||
|
|
||||||
content = self.get_error_page(self.status, traceback=tb,
|
content = ntob(self.get_error_page(self.status, traceback=tb,
|
||||||
message=self._message)
|
message=self._message), 'utf-8')
|
||||||
response.body = content
|
response.body = content
|
||||||
|
|
||||||
_be_ie_unfriendly(self.code)
|
_be_ie_unfriendly(self.code)
|
||||||
@ -442,8 +441,8 @@ def get_error_page(status, **kwargs):
|
|||||||
|
|
||||||
try:
|
try:
|
||||||
code, reason, message = _httputil.valid_status(status)
|
code, reason, message = _httputil.valid_status(status)
|
||||||
except ValueError, x:
|
except ValueError:
|
||||||
raise cherrypy.HTTPError(500, x.args[0])
|
raise cherrypy.HTTPError(500, _exc_info()[1].args[0])
|
||||||
|
|
||||||
# We can't use setdefault here, because some
|
# We can't use setdefault here, because some
|
||||||
# callers send None for kwarg values.
|
# callers send None for kwarg values.
|
||||||
@ -470,7 +469,8 @@ def get_error_page(status, **kwargs):
|
|||||||
if hasattr(error_page, '__call__'):
|
if hasattr(error_page, '__call__'):
|
||||||
return error_page(**kwargs)
|
return error_page(**kwargs)
|
||||||
else:
|
else:
|
||||||
return open(error_page, 'rb').read() % kwargs
|
data = open(error_page, 'rb').read()
|
||||||
|
return tonative(data) % kwargs
|
||||||
except:
|
except:
|
||||||
e = _format_exception(*_exc_info())[-1]
|
e = _format_exception(*_exc_info())[-1]
|
||||||
m = kwargs['message']
|
m = kwargs['message']
|
||||||
@ -508,19 +508,22 @@ def _be_ie_unfriendly(status):
|
|||||||
if l and l < s:
|
if l and l < s:
|
||||||
# IN ADDITION: the response must be written to IE
|
# IN ADDITION: the response must be written to IE
|
||||||
# in one chunk or it will still get replaced! Bah.
|
# in one chunk or it will still get replaced! Bah.
|
||||||
content = content + (" " * (s - l))
|
content = content + (ntob(" ") * (s - l))
|
||||||
response.body = content
|
response.body = content
|
||||||
response.headers['Content-Length'] = str(len(content))
|
response.headers['Content-Length'] = str(len(content))
|
||||||
|
|
||||||
|
|
||||||
def format_exc(exc=None):
|
def format_exc(exc=None):
|
||||||
"""Return exc (or sys.exc_info if None), formatted."""
|
"""Return exc (or sys.exc_info if None), formatted."""
|
||||||
if exc is None:
|
try:
|
||||||
exc = _exc_info()
|
if exc is None:
|
||||||
if exc == (None, None, None):
|
exc = _exc_info()
|
||||||
return ""
|
if exc == (None, None, None):
|
||||||
import traceback
|
return ""
|
||||||
return "".join(traceback.format_exception(*exc))
|
import traceback
|
||||||
|
return "".join(traceback.format_exception(*exc))
|
||||||
|
finally:
|
||||||
|
del exc
|
||||||
|
|
||||||
def bare_error(extrabody=None):
|
def bare_error(extrabody=None):
|
||||||
"""Produce status, headers, body for a critical error.
|
"""Produce status, headers, body for a critical error.
|
||||||
@ -539,15 +542,15 @@ def bare_error(extrabody=None):
|
|||||||
# it cannot be allowed to fail. Therefore, don't add to it!
|
# it cannot be allowed to fail. Therefore, don't add to it!
|
||||||
# In particular, don't call any other CP functions.
|
# In particular, don't call any other CP functions.
|
||||||
|
|
||||||
body = "Unrecoverable error in the server."
|
body = ntob("Unrecoverable error in the server.")
|
||||||
if extrabody is not None:
|
if extrabody is not None:
|
||||||
if not isinstance(extrabody, str):
|
if not isinstance(extrabody, bytestr):
|
||||||
extrabody = extrabody.encode('utf-8')
|
extrabody = extrabody.encode('utf-8')
|
||||||
body += "\n" + extrabody
|
body += ntob("\n") + extrabody
|
||||||
|
|
||||||
return ("500 Internal Server Error",
|
return (ntob("500 Internal Server Error"),
|
||||||
[('Content-Type', 'text/plain'),
|
[(ntob('Content-Type'), ntob('text/plain')),
|
||||||
('Content-Length', str(len(body)))],
|
(ntob('Content-Length'), ntob(str(len(body)),'ISO-8859-1'))],
|
||||||
[body])
|
[body])
|
||||||
|
|
||||||
|
|
||||||
|
@ -109,6 +109,20 @@ import sys
|
|||||||
|
|
||||||
import cherrypy
|
import cherrypy
|
||||||
from cherrypy import _cperror
|
from cherrypy import _cperror
|
||||||
|
from cherrypy._cpcompat import ntob, py3k
|
||||||
|
|
||||||
|
|
||||||
|
class NullHandler(logging.Handler):
|
||||||
|
"""A no-op logging handler to silence the logging.lastResort handler."""
|
||||||
|
|
||||||
|
def handle(self, record):
|
||||||
|
pass
|
||||||
|
|
||||||
|
def emit(self, record):
|
||||||
|
pass
|
||||||
|
|
||||||
|
def createLock(self):
|
||||||
|
self.lock = None
|
||||||
|
|
||||||
|
|
||||||
class LogManager(object):
|
class LogManager(object):
|
||||||
@ -127,8 +141,12 @@ class LogManager(object):
|
|||||||
access_log = None
|
access_log = None
|
||||||
"""The actual :class:`logging.Logger` instance for access messages."""
|
"""The actual :class:`logging.Logger` instance for access messages."""
|
||||||
|
|
||||||
access_log_format = \
|
if py3k:
|
||||||
'%(h)s %(l)s %(u)s %(t)s "%(r)s" %(s)s %(b)s "%(f)s" "%(a)s"'
|
access_log_format = \
|
||||||
|
'{h} {l} {u} {t} "{r}" {s} {b} "{f}" "{a}"'
|
||||||
|
else:
|
||||||
|
access_log_format = \
|
||||||
|
'%(h)s %(l)s %(u)s %(t)s "%(r)s" %(s)s %(b)s "%(f)s" "%(a)s"'
|
||||||
|
|
||||||
logger_root = None
|
logger_root = None
|
||||||
"""The "top-level" logger name.
|
"""The "top-level" logger name.
|
||||||
@ -152,8 +170,13 @@ class LogManager(object):
|
|||||||
self.access_log = logging.getLogger("%s.access.%s" % (logger_root, appid))
|
self.access_log = logging.getLogger("%s.access.%s" % (logger_root, appid))
|
||||||
self.error_log.setLevel(logging.INFO)
|
self.error_log.setLevel(logging.INFO)
|
||||||
self.access_log.setLevel(logging.INFO)
|
self.access_log.setLevel(logging.INFO)
|
||||||
|
|
||||||
|
# Silence the no-handlers "warning" (stderr write!) in stdlib logging
|
||||||
|
self.error_log.addHandler(NullHandler())
|
||||||
|
self.access_log.addHandler(NullHandler())
|
||||||
|
|
||||||
cherrypy.engine.subscribe('graceful', self.reopen_files)
|
cherrypy.engine.subscribe('graceful', self.reopen_files)
|
||||||
|
|
||||||
def reopen_files(self):
|
def reopen_files(self):
|
||||||
"""Close and reopen all file handlers."""
|
"""Close and reopen all file handlers."""
|
||||||
for log in (self.error_log, self.access_log):
|
for log in (self.error_log, self.access_log):
|
||||||
@ -206,7 +229,9 @@ class LogManager(object):
|
|||||||
if response.output_status is None:
|
if response.output_status is None:
|
||||||
status = "-"
|
status = "-"
|
||||||
else:
|
else:
|
||||||
status = response.output_status.split(" ", 1)[0]
|
status = response.output_status.split(ntob(" "), 1)[0]
|
||||||
|
if py3k:
|
||||||
|
status = status.decode('ISO-8859-1')
|
||||||
|
|
||||||
atoms = {'h': remote.name or remote.ip,
|
atoms = {'h': remote.name or remote.ip,
|
||||||
'l': '-',
|
'l': '-',
|
||||||
@ -218,21 +243,43 @@ class LogManager(object):
|
|||||||
'f': dict.get(inheaders, 'Referer', ''),
|
'f': dict.get(inheaders, 'Referer', ''),
|
||||||
'a': dict.get(inheaders, 'User-Agent', ''),
|
'a': dict.get(inheaders, 'User-Agent', ''),
|
||||||
}
|
}
|
||||||
for k, v in atoms.items():
|
if py3k:
|
||||||
if isinstance(v, unicode):
|
for k, v in atoms.items():
|
||||||
v = v.encode('utf8')
|
if not isinstance(v, str):
|
||||||
elif not isinstance(v, str):
|
v = str(v)
|
||||||
v = str(v)
|
v = v.replace('"', '\\"').encode('utf8')
|
||||||
# Fortunately, repr(str) escapes unprintable chars, \n, \t, etc
|
# Fortunately, repr(str) escapes unprintable chars, \n, \t, etc
|
||||||
# and backslash for us. All we have to do is strip the quotes.
|
# and backslash for us. All we have to do is strip the quotes.
|
||||||
v = repr(v)[1:-1]
|
v = repr(v)[2:-1]
|
||||||
# Escape double-quote.
|
|
||||||
atoms[k] = v.replace('"', '\\"')
|
# in python 3.0 the repr of bytes (as returned by encode)
|
||||||
|
# uses double \'s. But then the logger escapes them yet, again
|
||||||
try:
|
# resulting in quadruple slashes. Remove the extra one here.
|
||||||
self.access_log.log(logging.INFO, self.access_log_format % atoms)
|
v = v.replace('\\\\', '\\')
|
||||||
except:
|
|
||||||
self(traceback=True)
|
# Escape double-quote.
|
||||||
|
atoms[k] = v
|
||||||
|
|
||||||
|
try:
|
||||||
|
self.access_log.log(logging.INFO, self.access_log_format.format(**atoms))
|
||||||
|
except:
|
||||||
|
self(traceback=True)
|
||||||
|
else:
|
||||||
|
for k, v in atoms.items():
|
||||||
|
if isinstance(v, unicode):
|
||||||
|
v = v.encode('utf8')
|
||||||
|
elif not isinstance(v, str):
|
||||||
|
v = str(v)
|
||||||
|
# Fortunately, repr(str) escapes unprintable chars, \n, \t, etc
|
||||||
|
# and backslash for us. All we have to do is strip the quotes.
|
||||||
|
v = repr(v)[1:-1]
|
||||||
|
# Escape double-quote.
|
||||||
|
atoms[k] = v.replace('"', '\\"')
|
||||||
|
|
||||||
|
try:
|
||||||
|
self.access_log.log(logging.INFO, self.access_log_format % atoms)
|
||||||
|
except:
|
||||||
|
self(traceback=True)
|
||||||
|
|
||||||
def time(self):
|
def time(self):
|
||||||
"""Return now() in Apache Common Log Format (no timezone)."""
|
"""Return now() in Apache Common Log Format (no timezone)."""
|
||||||
|
@ -224,7 +224,7 @@ def handler(req):
|
|||||||
qs = ir.query_string
|
qs = ir.query_string
|
||||||
rfile = BytesIO()
|
rfile = BytesIO()
|
||||||
|
|
||||||
send_response(req, response.status, response.header_list,
|
send_response(req, response.output_status, response.header_list,
|
||||||
response.body, response.stream)
|
response.body, response.stream)
|
||||||
finally:
|
finally:
|
||||||
app.release_serving()
|
app.release_serving()
|
||||||
@ -266,11 +266,22 @@ def send_response(req, status, headers, body, stream=False):
|
|||||||
|
|
||||||
import os
|
import os
|
||||||
import re
|
import re
|
||||||
|
try:
|
||||||
|
import subprocess
|
||||||
|
def popen(fullcmd):
|
||||||
|
p = subprocess.Popen(fullcmd, shell=True,
|
||||||
|
stdout=subprocess.PIPE, stderr=subprocess.STDOUT,
|
||||||
|
close_fds=True)
|
||||||
|
return p.stdout
|
||||||
|
except ImportError:
|
||||||
|
def popen(fullcmd):
|
||||||
|
pipein, pipeout = os.popen4(fullcmd)
|
||||||
|
return pipeout
|
||||||
|
|
||||||
|
|
||||||
def read_process(cmd, args=""):
|
def read_process(cmd, args=""):
|
||||||
fullcmd = "%s %s" % (cmd, args)
|
fullcmd = "%s %s" % (cmd, args)
|
||||||
pipein, pipeout = os.popen4(fullcmd)
|
pipeout = popen(fullcmd)
|
||||||
try:
|
try:
|
||||||
firstline = pipeout.readline()
|
firstline = pipeout.readline()
|
||||||
if (re.search(ntob("(not recognized|No such file|not found)"), firstline,
|
if (re.search(ntob("(not recognized|No such file|not found)"), firstline,
|
||||||
|
@ -101,10 +101,28 @@ If we were defining a custom processor, we can do so without making a ``Tool``.
|
|||||||
Note that you can only replace the ``processors`` dict wholesale this way, not update the existing one.
|
Note that you can only replace the ``processors`` dict wholesale this way, not update the existing one.
|
||||||
"""
|
"""
|
||||||
|
|
||||||
|
try:
|
||||||
|
from io import DEFAULT_BUFFER_SIZE
|
||||||
|
except ImportError:
|
||||||
|
DEFAULT_BUFFER_SIZE = 8192
|
||||||
import re
|
import re
|
||||||
import sys
|
import sys
|
||||||
import tempfile
|
import tempfile
|
||||||
from urllib import unquote_plus
|
try:
|
||||||
|
from urllib import unquote_plus
|
||||||
|
except ImportError:
|
||||||
|
def unquote_plus(bs):
|
||||||
|
"""Bytes version of urllib.parse.unquote_plus."""
|
||||||
|
bs = bs.replace(ntob('+'), ntob(' '))
|
||||||
|
atoms = bs.split(ntob('%'))
|
||||||
|
for i in range(1, len(atoms)):
|
||||||
|
item = atoms[i]
|
||||||
|
try:
|
||||||
|
pct = int(item[:2], 16)
|
||||||
|
atoms[i] = bytes([pct]) + item[2:]
|
||||||
|
except ValueError:
|
||||||
|
pass
|
||||||
|
return ntob('').join(atoms)
|
||||||
|
|
||||||
import cherrypy
|
import cherrypy
|
||||||
from cherrypy._cpcompat import basestring, ntob, ntou
|
from cherrypy._cpcompat import basestring, ntob, ntou
|
||||||
@ -399,7 +417,6 @@ class Entity(object):
|
|||||||
# Copy the class 'attempt_charsets', prepending any Content-Type charset
|
# Copy the class 'attempt_charsets', prepending any Content-Type charset
|
||||||
dec = self.content_type.params.get("charset", None)
|
dec = self.content_type.params.get("charset", None)
|
||||||
if dec:
|
if dec:
|
||||||
#dec = dec.decode('ISO-8859-1')
|
|
||||||
self.attempt_charsets = [dec] + [c for c in self.attempt_charsets
|
self.attempt_charsets = [dec] + [c for c in self.attempt_charsets
|
||||||
if c != dec]
|
if c != dec]
|
||||||
else:
|
else:
|
||||||
@ -446,11 +463,14 @@ class Entity(object):
|
|||||||
def __iter__(self):
|
def __iter__(self):
|
||||||
return self
|
return self
|
||||||
|
|
||||||
def next(self):
|
def __next__(self):
|
||||||
line = self.readline()
|
line = self.readline()
|
||||||
if not line:
|
if not line:
|
||||||
raise StopIteration
|
raise StopIteration
|
||||||
return line
|
return line
|
||||||
|
|
||||||
|
def next(self):
|
||||||
|
return self.__next__()
|
||||||
|
|
||||||
def read_into_file(self, fp_out=None):
|
def read_into_file(self, fp_out=None):
|
||||||
"""Read the request body into fp_out (or make_file() if None). Return fp_out."""
|
"""Read the request body into fp_out (or make_file() if None). Return fp_out."""
|
||||||
@ -671,13 +691,16 @@ class Part(Entity):
|
|||||||
|
|
||||||
Entity.part_class = Part
|
Entity.part_class = Part
|
||||||
|
|
||||||
|
try:
|
||||||
class Infinity(object):
|
inf = float('inf')
|
||||||
def __cmp__(self, other):
|
except ValueError:
|
||||||
return 1
|
# Python 2.4 and lower
|
||||||
def __sub__(self, other):
|
class Infinity(object):
|
||||||
return self
|
def __cmp__(self, other):
|
||||||
inf = Infinity()
|
return 1
|
||||||
|
def __sub__(self, other):
|
||||||
|
return self
|
||||||
|
inf = Infinity()
|
||||||
|
|
||||||
|
|
||||||
comma_separated_headers = ['Accept', 'Accept-Charset', 'Accept-Encoding',
|
comma_separated_headers = ['Accept', 'Accept-Charset', 'Accept-Encoding',
|
||||||
@ -689,7 +712,7 @@ comma_separated_headers = ['Accept', 'Accept-Charset', 'Accept-Encoding',
|
|||||||
|
|
||||||
class SizedReader:
|
class SizedReader:
|
||||||
|
|
||||||
def __init__(self, fp, length, maxbytes, bufsize=8192, has_trailers=False):
|
def __init__(self, fp, length, maxbytes, bufsize=DEFAULT_BUFFER_SIZE, has_trailers=False):
|
||||||
# Wrap our fp in a buffer so peek() works
|
# Wrap our fp in a buffer so peek() works
|
||||||
self.fp = fp
|
self.fp = fp
|
||||||
self.length = length
|
self.length = length
|
||||||
@ -930,8 +953,9 @@ class RequestBody(Entity):
|
|||||||
request_params = self.request_params
|
request_params = self.request_params
|
||||||
for key, value in self.params.items():
|
for key, value in self.params.items():
|
||||||
# Python 2 only: keyword arguments must be byte strings (type 'str').
|
# Python 2 only: keyword arguments must be byte strings (type 'str').
|
||||||
if isinstance(key, unicode):
|
if sys.version_info < (3, 0):
|
||||||
key = key.encode('ISO-8859-1')
|
if isinstance(key, unicode):
|
||||||
|
key = key.encode('ISO-8859-1')
|
||||||
|
|
||||||
if key in request_params:
|
if key in request_params:
|
||||||
if not isinstance(request_params[key], list):
|
if not isinstance(request_params[key], list):
|
||||||
|
@ -6,7 +6,7 @@ import warnings
|
|||||||
|
|
||||||
import cherrypy
|
import cherrypy
|
||||||
from cherrypy._cpcompat import basestring, copykeys, ntob, unicodestr
|
from cherrypy._cpcompat import basestring, copykeys, ntob, unicodestr
|
||||||
from cherrypy._cpcompat import SimpleCookie, CookieError
|
from cherrypy._cpcompat import SimpleCookie, CookieError, py3k
|
||||||
from cherrypy import _cpreqbody, _cpconfig
|
from cherrypy import _cpreqbody, _cpconfig
|
||||||
from cherrypy._cperror import format_exc, bare_error
|
from cherrypy._cperror import format_exc, bare_error
|
||||||
from cherrypy.lib import httputil, file_generator
|
from cherrypy.lib import httputil, file_generator
|
||||||
@ -49,7 +49,12 @@ class Hook(object):
|
|||||||
|
|
||||||
self.kwargs = kwargs
|
self.kwargs = kwargs
|
||||||
|
|
||||||
|
def __lt__(self, other):
|
||||||
|
# Python 3
|
||||||
|
return self.priority < other.priority
|
||||||
|
|
||||||
def __cmp__(self, other):
|
def __cmp__(self, other):
|
||||||
|
# Python 2
|
||||||
return cmp(self.priority, other.priority)
|
return cmp(self.priority, other.priority)
|
||||||
|
|
||||||
def __call__(self):
|
def __call__(self):
|
||||||
@ -104,7 +109,7 @@ class HookMap(dict):
|
|||||||
exc = sys.exc_info()[1]
|
exc = sys.exc_info()[1]
|
||||||
cherrypy.log(traceback=True, severity=40)
|
cherrypy.log(traceback=True, severity=40)
|
||||||
if exc:
|
if exc:
|
||||||
raise
|
raise exc
|
||||||
|
|
||||||
def __copy__(self):
|
def __copy__(self):
|
||||||
newmap = self.__class__()
|
newmap = self.__class__()
|
||||||
@ -488,14 +493,20 @@ class Request(object):
|
|||||||
self.stage = 'close'
|
self.stage = 'close'
|
||||||
|
|
||||||
def run(self, method, path, query_string, req_protocol, headers, rfile):
|
def run(self, method, path, query_string, req_protocol, headers, rfile):
|
||||||
"""Process the Request. (Core)
|
r"""Process the Request. (Core)
|
||||||
|
|
||||||
method, path, query_string, and req_protocol should be pulled directly
|
method, path, query_string, and req_protocol should be pulled directly
|
||||||
from the Request-Line (e.g. "GET /path?key=val HTTP/1.0").
|
from the Request-Line (e.g. "GET /path?key=val HTTP/1.0").
|
||||||
|
|
||||||
path
|
path
|
||||||
This should be %XX-unquoted, but query_string should not be.
|
This should be %XX-unquoted, but query_string should not be.
|
||||||
They both MUST be byte strings, not unicode strings.
|
|
||||||
|
When using Python 2, they both MUST be byte strings,
|
||||||
|
not unicode strings.
|
||||||
|
|
||||||
|
When using Python 3, they both MUST be unicode strings,
|
||||||
|
not byte strings, and preferably not bytes \x00-\xFF
|
||||||
|
disguised as unicode.
|
||||||
|
|
||||||
headers
|
headers
|
||||||
A list of (name, value) tuples.
|
A list of (name, value) tuples.
|
||||||
@ -676,10 +687,11 @@ class Request(object):
|
|||||||
self.query_string_encoding)
|
self.query_string_encoding)
|
||||||
|
|
||||||
# Python 2 only: keyword arguments must be byte strings (type 'str').
|
# Python 2 only: keyword arguments must be byte strings (type 'str').
|
||||||
for key, value in p.items():
|
if not py3k:
|
||||||
if isinstance(key, unicode):
|
for key, value in p.items():
|
||||||
del p[key]
|
if isinstance(key, unicode):
|
||||||
p[key.encode(self.query_string_encoding)] = value
|
del p[key]
|
||||||
|
p[key.encode(self.query_string_encoding)] = value
|
||||||
self.params.update(p)
|
self.params.update(p)
|
||||||
|
|
||||||
def process_headers(self):
|
def process_headers(self):
|
||||||
@ -770,6 +782,10 @@ class Request(object):
|
|||||||
class ResponseBody(object):
|
class ResponseBody(object):
|
||||||
"""The body of the HTTP response (the response entity)."""
|
"""The body of the HTTP response (the response entity)."""
|
||||||
|
|
||||||
|
if py3k:
|
||||||
|
unicode_err = ("Page handlers MUST return bytes. Use tools.encode "
|
||||||
|
"if you wish to return unicode.")
|
||||||
|
|
||||||
def __get__(self, obj, objclass=None):
|
def __get__(self, obj, objclass=None):
|
||||||
if obj is None:
|
if obj is None:
|
||||||
# When calling on the class instead of an instance...
|
# When calling on the class instead of an instance...
|
||||||
@ -779,6 +795,9 @@ class ResponseBody(object):
|
|||||||
|
|
||||||
def __set__(self, obj, value):
|
def __set__(self, obj, value):
|
||||||
# Convert the given value to an iterable object.
|
# Convert the given value to an iterable object.
|
||||||
|
if py3k and isinstance(value, str):
|
||||||
|
raise ValueError(self.unicode_err)
|
||||||
|
|
||||||
if isinstance(value, basestring):
|
if isinstance(value, basestring):
|
||||||
# strings get wrapped in a list because iterating over a single
|
# strings get wrapped in a list because iterating over a single
|
||||||
# item list is much faster than iterating over every character
|
# item list is much faster than iterating over every character
|
||||||
@ -788,6 +807,11 @@ class ResponseBody(object):
|
|||||||
else:
|
else:
|
||||||
# [''] doesn't evaluate to False, so replace it with [].
|
# [''] doesn't evaluate to False, so replace it with [].
|
||||||
value = []
|
value = []
|
||||||
|
elif py3k and isinstance(value, list):
|
||||||
|
# every item in a list must be bytes...
|
||||||
|
for i, item in enumerate(value):
|
||||||
|
if isinstance(item, str):
|
||||||
|
raise ValueError(self.unicode_err)
|
||||||
# Don't use isinstance here; io.IOBase which has an ABC takes
|
# Don't use isinstance here; io.IOBase which has an ABC takes
|
||||||
# 1000 times as long as, say, isinstance(value, str)
|
# 1000 times as long as, say, isinstance(value, str)
|
||||||
elif hasattr(value, 'read'):
|
elif hasattr(value, 'read'):
|
||||||
@ -862,7 +886,12 @@ class Response(object):
|
|||||||
if isinstance(self.body, basestring):
|
if isinstance(self.body, basestring):
|
||||||
return self.body
|
return self.body
|
||||||
|
|
||||||
newbody = ''.join([chunk for chunk in self.body])
|
newbody = []
|
||||||
|
for chunk in self.body:
|
||||||
|
if py3k and not isinstance(chunk, bytes):
|
||||||
|
raise TypeError("Chunk %s is not of type 'bytes'." % repr(chunk))
|
||||||
|
newbody.append(chunk)
|
||||||
|
newbody = ntob('').join(newbody)
|
||||||
|
|
||||||
self.body = newbody
|
self.body = newbody
|
||||||
return newbody
|
return newbody
|
||||||
@ -876,6 +905,7 @@ class Response(object):
|
|||||||
|
|
||||||
headers = self.headers
|
headers = self.headers
|
||||||
|
|
||||||
|
self.status = "%s %s" % (code, reason)
|
||||||
self.output_status = ntob(str(code), 'ascii') + ntob(" ") + headers.encode(reason)
|
self.output_status = ntob(str(code), 'ascii') + ntob(" ") + headers.encode(reason)
|
||||||
|
|
||||||
if self.stream:
|
if self.stream:
|
||||||
|
@ -4,7 +4,7 @@ import warnings
|
|||||||
|
|
||||||
import cherrypy
|
import cherrypy
|
||||||
from cherrypy.lib import attributes
|
from cherrypy.lib import attributes
|
||||||
from cherrypy._cpcompat import basestring
|
from cherrypy._cpcompat import basestring, py3k
|
||||||
|
|
||||||
# We import * because we want to export check_port
|
# We import * because we want to export check_port
|
||||||
# et al as attributes of this module.
|
# et al as attributes of this module.
|
||||||
@ -98,12 +98,22 @@ class Server(ServerAdapter):
|
|||||||
ssl_private_key = None
|
ssl_private_key = None
|
||||||
"""The filename of the private key to use with SSL."""
|
"""The filename of the private key to use with SSL."""
|
||||||
|
|
||||||
ssl_module = 'pyopenssl'
|
if py3k:
|
||||||
"""The name of a registered SSL adaptation module to use with the builtin
|
ssl_module = 'builtin'
|
||||||
WSGI server. Builtin options are 'builtin' (to use the SSL library built
|
"""The name of a registered SSL adaptation module to use with the builtin
|
||||||
into recent versions of Python) and 'pyopenssl' (to use the PyOpenSSL
|
WSGI server. Builtin options are: 'builtin' (to use the SSL library built
|
||||||
project, which you must install separately). You may also register your
|
into recent versions of Python). You may also register your
|
||||||
own classes in the wsgiserver.ssl_adapters dict."""
|
own classes in the wsgiserver.ssl_adapters dict."""
|
||||||
|
else:
|
||||||
|
ssl_module = 'pyopenssl'
|
||||||
|
"""The name of a registered SSL adaptation module to use with the builtin
|
||||||
|
WSGI server. Builtin options are 'builtin' (to use the SSL library built
|
||||||
|
into recent versions of Python) and 'pyopenssl' (to use the PyOpenSSL
|
||||||
|
project, which you must install separately). You may also register your
|
||||||
|
own classes in the wsgiserver.ssl_adapters dict."""
|
||||||
|
|
||||||
|
statistics = False
|
||||||
|
"""Turns statistics-gathering on or off for aware HTTP servers."""
|
||||||
|
|
||||||
nodelay = True
|
nodelay = True
|
||||||
"""If True (the default since 3.1), sets the TCP_NODELAY socket option."""
|
"""If True (the default since 3.1), sets the TCP_NODELAY socket option."""
|
||||||
|
@ -243,7 +243,7 @@ class ErrorTool(Tool):
|
|||||||
# Builtin tools #
|
# Builtin tools #
|
||||||
|
|
||||||
from cherrypy.lib import cptools, encoding, auth, static, jsontools
|
from cherrypy.lib import cptools, encoding, auth, static, jsontools
|
||||||
from cherrypy.lib import sessions as _sessions, xmlrpc as _xmlrpc
|
from cherrypy.lib import sessions as _sessions, xmlrpcutil as _xmlrpc
|
||||||
from cherrypy.lib import caching as _caching
|
from cherrypy.lib import caching as _caching
|
||||||
from cherrypy.lib import auth_basic, auth_digest
|
from cherrypy.lib import auth_basic, auth_digest
|
||||||
|
|
||||||
@ -367,7 +367,7 @@ class XMLRPCController(object):
|
|||||||
# http://www.cherrypy.org/ticket/533
|
# http://www.cherrypy.org/ticket/533
|
||||||
# if a method is not found, an xmlrpclib.Fault should be returned
|
# if a method is not found, an xmlrpclib.Fault should be returned
|
||||||
# raising an exception here will do that; see
|
# raising an exception here will do that; see
|
||||||
# cherrypy.lib.xmlrpc.on_error
|
# cherrypy.lib.xmlrpcutil.on_error
|
||||||
raise Exception('method "%s" is not supported' % attr)
|
raise Exception('method "%s" is not supported' % attr)
|
||||||
|
|
||||||
conf = cherrypy.serving.request.toolmaps['tools'].get("xmlrpc", {})
|
conf = cherrypy.serving.request.toolmaps['tools'].get("xmlrpc", {})
|
||||||
|
@ -1,8 +1,10 @@
|
|||||||
"""CherryPy Application and Tree objects."""
|
"""CherryPy Application and Tree objects."""
|
||||||
|
|
||||||
import os
|
import os
|
||||||
|
import sys
|
||||||
|
|
||||||
import cherrypy
|
import cherrypy
|
||||||
from cherrypy._cpcompat import ntou
|
from cherrypy._cpcompat import ntou, py3k
|
||||||
from cherrypy import _cpconfig, _cplogging, _cprequest, _cpwsgi, tools
|
from cherrypy import _cpconfig, _cplogging, _cprequest, _cpwsgi, tools
|
||||||
from cherrypy.lib import httputil
|
from cherrypy.lib import httputil
|
||||||
|
|
||||||
@ -123,8 +125,8 @@ class Application(object):
|
|||||||
|
|
||||||
resp = self.response_class()
|
resp = self.response_class()
|
||||||
cherrypy.serving.load(req, resp)
|
cherrypy.serving.load(req, resp)
|
||||||
cherrypy.engine.timeout_monitor.acquire()
|
|
||||||
cherrypy.engine.publish('acquire_thread')
|
cherrypy.engine.publish('acquire_thread')
|
||||||
|
cherrypy.engine.publish('before_request')
|
||||||
|
|
||||||
return req, resp
|
return req, resp
|
||||||
|
|
||||||
@ -132,7 +134,7 @@ class Application(object):
|
|||||||
"""Release the current serving (request and response)."""
|
"""Release the current serving (request and response)."""
|
||||||
req = cherrypy.serving.request
|
req = cherrypy.serving.request
|
||||||
|
|
||||||
cherrypy.engine.timeout_monitor.release()
|
cherrypy.engine.publish('after_request')
|
||||||
|
|
||||||
try:
|
try:
|
||||||
req.close()
|
req.close()
|
||||||
@ -266,14 +268,23 @@ class Tree(object):
|
|||||||
|
|
||||||
# Correct the SCRIPT_NAME and PATH_INFO environ entries.
|
# Correct the SCRIPT_NAME and PATH_INFO environ entries.
|
||||||
environ = environ.copy()
|
environ = environ.copy()
|
||||||
if environ.get(u'wsgi.version') == (u'u', 0):
|
if not py3k:
|
||||||
# Python 2/WSGI u.0: all strings MUST be of type unicode
|
if environ.get(ntou('wsgi.version')) == (ntou('u'), 0):
|
||||||
enc = environ[u'wsgi.url_encoding']
|
# Python 2/WSGI u.0: all strings MUST be of type unicode
|
||||||
environ[u'SCRIPT_NAME'] = sn.decode(enc)
|
enc = environ[ntou('wsgi.url_encoding')]
|
||||||
environ[u'PATH_INFO'] = path[len(sn.rstrip("/")):].decode(enc)
|
environ[ntou('SCRIPT_NAME')] = sn.decode(enc)
|
||||||
|
environ[ntou('PATH_INFO')] = path[len(sn.rstrip("/")):].decode(enc)
|
||||||
|
else:
|
||||||
|
# Python 2/WSGI 1.x: all strings MUST be of type str
|
||||||
|
environ['SCRIPT_NAME'] = sn
|
||||||
|
environ['PATH_INFO'] = path[len(sn.rstrip("/")):]
|
||||||
else:
|
else:
|
||||||
# Python 2/WSGI 1.x: all strings MUST be of type str
|
if environ.get(ntou('wsgi.version')) == (ntou('u'), 0):
|
||||||
environ['SCRIPT_NAME'] = sn
|
# Python 3/WSGI u.0: all strings MUST be full unicode
|
||||||
environ['PATH_INFO'] = path[len(sn.rstrip("/")):]
|
environ['SCRIPT_NAME'] = sn
|
||||||
|
environ['PATH_INFO'] = path[len(sn.rstrip("/")):]
|
||||||
|
else:
|
||||||
|
# Python 3/WSGI 1.x: all strings MUST be ISO-8859-1 str
|
||||||
|
environ['SCRIPT_NAME'] = sn.encode('utf-8').decode('ISO-8859-1')
|
||||||
|
environ['PATH_INFO'] = path[len(sn.rstrip("/")):].encode('utf-8').decode('ISO-8859-1')
|
||||||
return app(environ, start_response)
|
return app(environ, start_response)
|
||||||
|
|
||||||
|
@ -10,7 +10,7 @@ still be translatable to bytes via the Latin-1 encoding!"
|
|||||||
import sys as _sys
|
import sys as _sys
|
||||||
|
|
||||||
import cherrypy as _cherrypy
|
import cherrypy as _cherrypy
|
||||||
from cherrypy._cpcompat import BytesIO
|
from cherrypy._cpcompat import BytesIO, bytestr, ntob, ntou, py3k, unicodestr
|
||||||
from cherrypy import _cperror
|
from cherrypy import _cperror
|
||||||
from cherrypy.lib import httputil
|
from cherrypy.lib import httputil
|
||||||
|
|
||||||
@ -19,11 +19,11 @@ def downgrade_wsgi_ux_to_1x(environ):
|
|||||||
"""Return a new environ dict for WSGI 1.x from the given WSGI u.x environ."""
|
"""Return a new environ dict for WSGI 1.x from the given WSGI u.x environ."""
|
||||||
env1x = {}
|
env1x = {}
|
||||||
|
|
||||||
url_encoding = environ[u'wsgi.url_encoding']
|
url_encoding = environ[ntou('wsgi.url_encoding')]
|
||||||
for k, v in environ.items():
|
for k, v in list(environ.items()):
|
||||||
if k in [u'PATH_INFO', u'SCRIPT_NAME', u'QUERY_STRING']:
|
if k in [ntou('PATH_INFO'), ntou('SCRIPT_NAME'), ntou('QUERY_STRING')]:
|
||||||
v = v.encode(url_encoding)
|
v = v.encode(url_encoding)
|
||||||
elif isinstance(v, unicode):
|
elif isinstance(v, unicodestr):
|
||||||
v = v.encode('ISO-8859-1')
|
v = v.encode('ISO-8859-1')
|
||||||
env1x[k.encode('ISO-8859-1')] = v
|
env1x[k.encode('ISO-8859-1')] = v
|
||||||
|
|
||||||
@ -94,7 +94,8 @@ class InternalRedirector(object):
|
|||||||
environ = environ.copy()
|
environ = environ.copy()
|
||||||
try:
|
try:
|
||||||
return self.nextapp(environ, start_response)
|
return self.nextapp(environ, start_response)
|
||||||
except _cherrypy.InternalRedirect, ir:
|
except _cherrypy.InternalRedirect:
|
||||||
|
ir = _sys.exc_info()[1]
|
||||||
sn = environ.get('SCRIPT_NAME', '')
|
sn = environ.get('SCRIPT_NAME', '')
|
||||||
path = environ.get('PATH_INFO', '')
|
path = environ.get('PATH_INFO', '')
|
||||||
qs = environ.get('QUERY_STRING', '')
|
qs = environ.get('QUERY_STRING', '')
|
||||||
@ -152,8 +153,12 @@ class _TrappedResponse(object):
|
|||||||
self.started_response = True
|
self.started_response = True
|
||||||
return self
|
return self
|
||||||
|
|
||||||
def next(self):
|
if py3k:
|
||||||
return self.trap(self.iter_response.next)
|
def __next__(self):
|
||||||
|
return self.trap(next, self.iter_response)
|
||||||
|
else:
|
||||||
|
def next(self):
|
||||||
|
return self.trap(self.iter_response.next)
|
||||||
|
|
||||||
def close(self):
|
def close(self):
|
||||||
if hasattr(self.response, 'close'):
|
if hasattr(self.response, 'close'):
|
||||||
@ -173,6 +178,11 @@ class _TrappedResponse(object):
|
|||||||
if not _cherrypy.request.show_tracebacks:
|
if not _cherrypy.request.show_tracebacks:
|
||||||
tb = ""
|
tb = ""
|
||||||
s, h, b = _cperror.bare_error(tb)
|
s, h, b = _cperror.bare_error(tb)
|
||||||
|
if py3k:
|
||||||
|
# What fun.
|
||||||
|
s = s.decode('ISO-8859-1')
|
||||||
|
h = [(k.decode('ISO-8859-1'), v.decode('ISO-8859-1'))
|
||||||
|
for k, v in h]
|
||||||
if self.started_response:
|
if self.started_response:
|
||||||
# Empty our iterable (so future calls raise StopIteration)
|
# Empty our iterable (so future calls raise StopIteration)
|
||||||
self.iter_response = iter([])
|
self.iter_response = iter([])
|
||||||
@ -191,7 +201,7 @@ class _TrappedResponse(object):
|
|||||||
raise
|
raise
|
||||||
|
|
||||||
if self.started_response:
|
if self.started_response:
|
||||||
return "".join(b)
|
return ntob("").join(b)
|
||||||
else:
|
else:
|
||||||
return b
|
return b
|
||||||
|
|
||||||
@ -203,24 +213,52 @@ class AppResponse(object):
|
|||||||
"""WSGI response iterable for CherryPy applications."""
|
"""WSGI response iterable for CherryPy applications."""
|
||||||
|
|
||||||
def __init__(self, environ, start_response, cpapp):
|
def __init__(self, environ, start_response, cpapp):
|
||||||
if environ.get(u'wsgi.version') == (u'u', 0):
|
|
||||||
environ = downgrade_wsgi_ux_to_1x(environ)
|
|
||||||
self.environ = environ
|
|
||||||
self.cpapp = cpapp
|
self.cpapp = cpapp
|
||||||
try:
|
try:
|
||||||
|
if not py3k:
|
||||||
|
if environ.get(ntou('wsgi.version')) == (ntou('u'), 0):
|
||||||
|
environ = downgrade_wsgi_ux_to_1x(environ)
|
||||||
|
self.environ = environ
|
||||||
self.run()
|
self.run()
|
||||||
|
|
||||||
|
r = _cherrypy.serving.response
|
||||||
|
|
||||||
|
outstatus = r.output_status
|
||||||
|
if not isinstance(outstatus, bytestr):
|
||||||
|
raise TypeError("response.output_status is not a byte string.")
|
||||||
|
|
||||||
|
outheaders = []
|
||||||
|
for k, v in r.header_list:
|
||||||
|
if not isinstance(k, bytestr):
|
||||||
|
raise TypeError("response.header_list key %r is not a byte string." % k)
|
||||||
|
if not isinstance(v, bytestr):
|
||||||
|
raise TypeError("response.header_list value %r is not a byte string." % v)
|
||||||
|
outheaders.append((k, v))
|
||||||
|
|
||||||
|
if py3k:
|
||||||
|
# According to PEP 3333, when using Python 3, the response status
|
||||||
|
# and headers must be bytes masquerading as unicode; that is, they
|
||||||
|
# must be of type "str" but are restricted to code points in the
|
||||||
|
# "latin-1" set.
|
||||||
|
outstatus = outstatus.decode('ISO-8859-1')
|
||||||
|
outheaders = [(k.decode('ISO-8859-1'), v.decode('ISO-8859-1'))
|
||||||
|
for k, v in outheaders]
|
||||||
|
|
||||||
|
self.iter_response = iter(r.body)
|
||||||
|
self.write = start_response(outstatus, outheaders)
|
||||||
except:
|
except:
|
||||||
self.close()
|
self.close()
|
||||||
raise
|
raise
|
||||||
r = _cherrypy.serving.response
|
|
||||||
self.iter_response = iter(r.body)
|
|
||||||
self.write = start_response(r.output_status, r.header_list)
|
|
||||||
|
|
||||||
def __iter__(self):
|
def __iter__(self):
|
||||||
return self
|
return self
|
||||||
|
|
||||||
def next(self):
|
if py3k:
|
||||||
return self.iter_response.next()
|
def __next__(self):
|
||||||
|
return next(self.iter_response)
|
||||||
|
else:
|
||||||
|
def next(self):
|
||||||
|
return self.iter_response.next()
|
||||||
|
|
||||||
def close(self):
|
def close(self):
|
||||||
"""Close and de-reference the current request and response. (Core)"""
|
"""Close and de-reference the current request and response. (Core)"""
|
||||||
@ -253,6 +291,29 @@ class AppResponse(object):
|
|||||||
path = httputil.urljoin(self.environ.get('SCRIPT_NAME', ''),
|
path = httputil.urljoin(self.environ.get('SCRIPT_NAME', ''),
|
||||||
self.environ.get('PATH_INFO', ''))
|
self.environ.get('PATH_INFO', ''))
|
||||||
qs = self.environ.get('QUERY_STRING', '')
|
qs = self.environ.get('QUERY_STRING', '')
|
||||||
|
|
||||||
|
if py3k:
|
||||||
|
# This isn't perfect; if the given PATH_INFO is in the wrong encoding,
|
||||||
|
# it may fail to match the appropriate config section URI. But meh.
|
||||||
|
old_enc = self.environ.get('wsgi.url_encoding', 'ISO-8859-1')
|
||||||
|
new_enc = self.cpapp.find_config(self.environ.get('PATH_INFO', ''),
|
||||||
|
"request.uri_encoding", 'utf-8')
|
||||||
|
if new_enc.lower() != old_enc.lower():
|
||||||
|
# Even though the path and qs are unicode, the WSGI server is
|
||||||
|
# required by PEP 3333 to coerce them to ISO-8859-1 masquerading
|
||||||
|
# as unicode. So we have to encode back to bytes and then decode
|
||||||
|
# again using the "correct" encoding.
|
||||||
|
try:
|
||||||
|
u_path = path.encode(old_enc).decode(new_enc)
|
||||||
|
u_qs = qs.encode(old_enc).decode(new_enc)
|
||||||
|
except (UnicodeEncodeError, UnicodeDecodeError):
|
||||||
|
# Just pass them through without transcoding and hope.
|
||||||
|
pass
|
||||||
|
else:
|
||||||
|
# Only set transcoded values if they both succeed.
|
||||||
|
path = u_path
|
||||||
|
qs = u_qs
|
||||||
|
|
||||||
rproto = self.environ.get('SERVER_PROTOCOL')
|
rproto = self.environ.get('SERVER_PROTOCOL')
|
||||||
headers = self.translate_headers(self.environ)
|
headers = self.translate_headers(self.environ)
|
||||||
rfile = self.environ['wsgi.input']
|
rfile = self.environ['wsgi.input']
|
||||||
|
@ -37,8 +37,11 @@ class CPWSGIServer(wsgiserver.CherryPyWSGIServer):
|
|||||||
)
|
)
|
||||||
self.protocol = self.server_adapter.protocol_version
|
self.protocol = self.server_adapter.protocol_version
|
||||||
self.nodelay = self.server_adapter.nodelay
|
self.nodelay = self.server_adapter.nodelay
|
||||||
|
|
||||||
ssl_module = self.server_adapter.ssl_module or 'pyopenssl'
|
if sys.version_info >= (3, 0):
|
||||||
|
ssl_module = self.server_adapter.ssl_module or 'builtin'
|
||||||
|
else:
|
||||||
|
ssl_module = self.server_adapter.ssl_module or 'pyopenssl'
|
||||||
if self.server_adapter.ssl_context:
|
if self.server_adapter.ssl_context:
|
||||||
adapter_class = wsgiserver.get_ssl_adapter_class(ssl_module)
|
adapter_class = wsgiserver.get_ssl_adapter_class(ssl_module)
|
||||||
self.ssl_adapter = adapter_class(
|
self.ssl_adapter = adapter_class(
|
||||||
@ -52,3 +55,9 @@ class CPWSGIServer(wsgiserver.CherryPyWSGIServer):
|
|||||||
self.server_adapter.ssl_certificate,
|
self.server_adapter.ssl_certificate,
|
||||||
self.server_adapter.ssl_private_key,
|
self.server_adapter.ssl_private_key,
|
||||||
self.server_adapter.ssl_certificate_chain)
|
self.server_adapter.ssl_certificate_chain)
|
||||||
|
|
||||||
|
self.stats['Enabled'] = getattr(self.server_adapter, 'statistics', False)
|
||||||
|
|
||||||
|
def error_log(self, msg="", level=20, traceback=False):
|
||||||
|
cherrypy.engine.log(msg, level, traceback)
|
||||||
|
|
||||||
|
@ -1,7 +1,7 @@
|
|||||||
"""CherryPy Library"""
|
"""CherryPy Library"""
|
||||||
|
|
||||||
# Deprecated in CherryPy 3.2 -- remove in CherryPy 3.3
|
# Deprecated in CherryPy 3.2 -- remove in CherryPy 3.3
|
||||||
from cherrypy.lib.reprconf import _Builder, unrepr, modules, attributes
|
from cherrypy.lib.reprconf import unrepr, modules, attributes
|
||||||
|
|
||||||
class file_generator(object):
|
class file_generator(object):
|
||||||
"""Yield the given input (a file object) in chunks (default 64k). (Core)"""
|
"""Yield the given input (a file object) in chunks (default 64k). (Core)"""
|
||||||
|
@ -320,20 +320,21 @@ class StatsTool(cherrypy.Tool):
|
|||||||
def record_stop(self, uriset=None, slow_queries=1.0, slow_queries_count=100,
|
def record_stop(self, uriset=None, slow_queries=1.0, slow_queries_count=100,
|
||||||
debug=False, **kwargs):
|
debug=False, **kwargs):
|
||||||
"""Record the end of a request."""
|
"""Record the end of a request."""
|
||||||
|
resp = cherrypy.serving.response
|
||||||
w = appstats['Requests'][threading._get_ident()]
|
w = appstats['Requests'][threading._get_ident()]
|
||||||
|
|
||||||
r = cherrypy.request.rfile.bytes_read
|
r = cherrypy.request.rfile.bytes_read
|
||||||
w['Bytes Read'] = r
|
w['Bytes Read'] = r
|
||||||
appstats['Total Bytes Read'] += r
|
appstats['Total Bytes Read'] += r
|
||||||
|
|
||||||
if cherrypy.response.stream:
|
if resp.stream:
|
||||||
w['Bytes Written'] = 'chunked'
|
w['Bytes Written'] = 'chunked'
|
||||||
else:
|
else:
|
||||||
cl = int(cherrypy.response.headers.get('Content-Length', 0))
|
cl = int(resp.headers.get('Content-Length', 0))
|
||||||
w['Bytes Written'] = cl
|
w['Bytes Written'] = cl
|
||||||
appstats['Total Bytes Written'] += cl
|
appstats['Total Bytes Written'] += cl
|
||||||
|
|
||||||
w['Response Status'] = cherrypy.response.status
|
w['Response Status'] = getattr(resp, 'output_status', None) or resp.status
|
||||||
|
|
||||||
w['End Time'] = time.time()
|
w['End Time'] = time.time()
|
||||||
p = w['End Time'] - w['Start Time']
|
p = w['End Time'] - w['Start Time']
|
||||||
|
@ -116,7 +116,7 @@ def validate_since():
|
|||||||
# Tool code #
|
# Tool code #
|
||||||
|
|
||||||
def allow(methods=None, debug=False):
|
def allow(methods=None, debug=False):
|
||||||
"""Raise 405 if request.method not in methods (default GET/HEAD).
|
"""Raise 405 if request.method not in methods (default ['GET', 'HEAD']).
|
||||||
|
|
||||||
The given methods are case-insensitive, and may be in any order.
|
The given methods are case-insensitive, and may be in any order.
|
||||||
If only one method is allowed, you may supply a single string;
|
If only one method is allowed, you may supply a single string;
|
||||||
@ -151,6 +151,10 @@ def proxy(base=None, local='X-Forwarded-Host', remote='X-Forwarded-For',
|
|||||||
|
|
||||||
For running a CP server behind Apache, lighttpd, or other HTTP server.
|
For running a CP server behind Apache, lighttpd, or other HTTP server.
|
||||||
|
|
||||||
|
For Apache and lighttpd, you should leave the 'local' argument at the
|
||||||
|
default value of 'X-Forwarded-Host'. For Squid, you probably want to set
|
||||||
|
tools.proxy.local = 'Origin'.
|
||||||
|
|
||||||
If you want the new request.base to include path info (not just the host),
|
If you want the new request.base to include path info (not just the host),
|
||||||
you must explicitly set base to the full base path, and ALSO set 'local'
|
you must explicitly set base to the full base path, and ALSO set 'local'
|
||||||
to '', so that the X-Forwarded-Host request header (which never includes
|
to '', so that the X-Forwarded-Host request header (which never includes
|
||||||
@ -581,9 +585,11 @@ class MonitoredHeaderMap(_httputil.HeaderMap):
|
|||||||
self.accessed_headers.add(key)
|
self.accessed_headers.add(key)
|
||||||
return _httputil.HeaderMap.get(self, key, default=default)
|
return _httputil.HeaderMap.get(self, key, default=default)
|
||||||
|
|
||||||
def has_key(self, key):
|
if hasattr({}, 'has_key'):
|
||||||
self.accessed_headers.add(key)
|
# Python 2
|
||||||
return _httputil.HeaderMap.has_key(self, key)
|
def has_key(self, key):
|
||||||
|
self.accessed_headers.add(key)
|
||||||
|
return _httputil.HeaderMap.has_key(self, key)
|
||||||
|
|
||||||
|
|
||||||
def autovary(ignore=None, debug=False):
|
def autovary(ignore=None, debug=False):
|
||||||
|
214
python/packages/cherrypy/lib/gctools.py
Normal file
214
python/packages/cherrypy/lib/gctools.py
Normal file
@ -0,0 +1,214 @@
|
|||||||
|
import gc
|
||||||
|
import inspect
|
||||||
|
import os
|
||||||
|
import sys
|
||||||
|
import time
|
||||||
|
|
||||||
|
try:
|
||||||
|
import objgraph
|
||||||
|
except ImportError:
|
||||||
|
objgraph = None
|
||||||
|
|
||||||
|
import cherrypy
|
||||||
|
from cherrypy import _cprequest, _cpwsgi
|
||||||
|
from cherrypy.process.plugins import SimplePlugin
|
||||||
|
|
||||||
|
|
||||||
|
class ReferrerTree(object):
|
||||||
|
"""An object which gathers all referrers of an object to a given depth."""
|
||||||
|
|
||||||
|
peek_length = 40
|
||||||
|
|
||||||
|
def __init__(self, ignore=None, maxdepth=2, maxparents=10):
|
||||||
|
self.ignore = ignore or []
|
||||||
|
self.ignore.append(inspect.currentframe().f_back)
|
||||||
|
self.maxdepth = maxdepth
|
||||||
|
self.maxparents = maxparents
|
||||||
|
|
||||||
|
def ascend(self, obj, depth=1):
|
||||||
|
"""Return a nested list containing referrers of the given object."""
|
||||||
|
depth += 1
|
||||||
|
parents = []
|
||||||
|
|
||||||
|
# Gather all referrers in one step to minimize
|
||||||
|
# cascading references due to repr() logic.
|
||||||
|
refs = gc.get_referrers(obj)
|
||||||
|
self.ignore.append(refs)
|
||||||
|
if len(refs) > self.maxparents:
|
||||||
|
return [("[%s referrers]" % len(refs), [])]
|
||||||
|
|
||||||
|
try:
|
||||||
|
ascendcode = self.ascend.__code__
|
||||||
|
except AttributeError:
|
||||||
|
ascendcode = self.ascend.im_func.func_code
|
||||||
|
for parent in refs:
|
||||||
|
if inspect.isframe(parent) and parent.f_code is ascendcode:
|
||||||
|
continue
|
||||||
|
if parent in self.ignore:
|
||||||
|
continue
|
||||||
|
if depth <= self.maxdepth:
|
||||||
|
parents.append((parent, self.ascend(parent, depth)))
|
||||||
|
else:
|
||||||
|
parents.append((parent, []))
|
||||||
|
|
||||||
|
return parents
|
||||||
|
|
||||||
|
def peek(self, s):
|
||||||
|
"""Return s, restricted to a sane length."""
|
||||||
|
if len(s) > (self.peek_length + 3):
|
||||||
|
half = self.peek_length // 2
|
||||||
|
return s[:half] + '...' + s[-half:]
|
||||||
|
else:
|
||||||
|
return s
|
||||||
|
|
||||||
|
def _format(self, obj, descend=True):
|
||||||
|
"""Return a string representation of a single object."""
|
||||||
|
if inspect.isframe(obj):
|
||||||
|
filename, lineno, func, context, index = inspect.getframeinfo(obj)
|
||||||
|
return "<frame of function '%s'>" % func
|
||||||
|
|
||||||
|
if not descend:
|
||||||
|
return self.peek(repr(obj))
|
||||||
|
|
||||||
|
if isinstance(obj, dict):
|
||||||
|
return "{" + ", ".join(["%s: %s" % (self._format(k, descend=False),
|
||||||
|
self._format(v, descend=False))
|
||||||
|
for k, v in obj.items()]) + "}"
|
||||||
|
elif isinstance(obj, list):
|
||||||
|
return "[" + ", ".join([self._format(item, descend=False)
|
||||||
|
for item in obj]) + "]"
|
||||||
|
elif isinstance(obj, tuple):
|
||||||
|
return "(" + ", ".join([self._format(item, descend=False)
|
||||||
|
for item in obj]) + ")"
|
||||||
|
|
||||||
|
r = self.peek(repr(obj))
|
||||||
|
if isinstance(obj, (str, int, float)):
|
||||||
|
return r
|
||||||
|
return "%s: %s" % (type(obj), r)
|
||||||
|
|
||||||
|
def format(self, tree):
|
||||||
|
"""Return a list of string reprs from a nested list of referrers."""
|
||||||
|
output = []
|
||||||
|
def ascend(branch, depth=1):
|
||||||
|
for parent, grandparents in branch:
|
||||||
|
output.append((" " * depth) + self._format(parent))
|
||||||
|
if grandparents:
|
||||||
|
ascend(grandparents, depth + 1)
|
||||||
|
ascend(tree)
|
||||||
|
return output
|
||||||
|
|
||||||
|
|
||||||
|
def get_instances(cls):
|
||||||
|
return [x for x in gc.get_objects() if isinstance(x, cls)]
|
||||||
|
|
||||||
|
|
||||||
|
class RequestCounter(SimplePlugin):
|
||||||
|
|
||||||
|
def start(self):
|
||||||
|
self.count = 0
|
||||||
|
|
||||||
|
def before_request(self):
|
||||||
|
self.count += 1
|
||||||
|
|
||||||
|
def after_request(self):
|
||||||
|
self.count -=1
|
||||||
|
request_counter = RequestCounter(cherrypy.engine)
|
||||||
|
request_counter.subscribe()
|
||||||
|
|
||||||
|
|
||||||
|
def get_context(obj):
|
||||||
|
if isinstance(obj, _cprequest.Request):
|
||||||
|
return "path=%s;stage=%s" % (obj.path_info, obj.stage)
|
||||||
|
elif isinstance(obj, _cprequest.Response):
|
||||||
|
return "status=%s" % obj.status
|
||||||
|
elif isinstance(obj, _cpwsgi.AppResponse):
|
||||||
|
return "PATH_INFO=%s" % obj.environ.get('PATH_INFO', '')
|
||||||
|
elif hasattr(obj, "tb_lineno"):
|
||||||
|
return "tb_lineno=%s" % obj.tb_lineno
|
||||||
|
return ""
|
||||||
|
|
||||||
|
|
||||||
|
class GCRoot(object):
|
||||||
|
"""A CherryPy page handler for testing reference leaks."""
|
||||||
|
|
||||||
|
classes = [(_cprequest.Request, 2, 2,
|
||||||
|
"Should be 1 in this request thread and 1 in the main thread."),
|
||||||
|
(_cprequest.Response, 2, 2,
|
||||||
|
"Should be 1 in this request thread and 1 in the main thread."),
|
||||||
|
(_cpwsgi.AppResponse, 1, 1,
|
||||||
|
"Should be 1 in this request thread only."),
|
||||||
|
]
|
||||||
|
|
||||||
|
def index(self):
|
||||||
|
return "Hello, world!"
|
||||||
|
index.exposed = True
|
||||||
|
|
||||||
|
def stats(self):
|
||||||
|
output = ["Statistics:"]
|
||||||
|
|
||||||
|
for trial in range(10):
|
||||||
|
if request_counter.count > 0:
|
||||||
|
break
|
||||||
|
time.sleep(0.5)
|
||||||
|
else:
|
||||||
|
output.append("\nNot all requests closed properly.")
|
||||||
|
|
||||||
|
# gc_collect isn't perfectly synchronous, because it may
|
||||||
|
# break reference cycles that then take time to fully
|
||||||
|
# finalize. Call it thrice and hope for the best.
|
||||||
|
gc.collect()
|
||||||
|
gc.collect()
|
||||||
|
unreachable = gc.collect()
|
||||||
|
if unreachable:
|
||||||
|
if objgraph is not None:
|
||||||
|
final = objgraph.by_type('Nondestructible')
|
||||||
|
if final:
|
||||||
|
objgraph.show_backrefs(final, filename='finalizers.png')
|
||||||
|
|
||||||
|
trash = {}
|
||||||
|
for x in gc.garbage:
|
||||||
|
trash[type(x)] = trash.get(type(x), 0) + 1
|
||||||
|
if trash:
|
||||||
|
output.insert(0, "\n%s unreachable objects:" % unreachable)
|
||||||
|
trash = [(v, k) for k, v in trash.items()]
|
||||||
|
trash.sort()
|
||||||
|
for pair in trash:
|
||||||
|
output.append(" " + repr(pair))
|
||||||
|
|
||||||
|
# Check declared classes to verify uncollected instances.
|
||||||
|
# These don't have to be part of a cycle; they can be
|
||||||
|
# any objects that have unanticipated referrers that keep
|
||||||
|
# them from being collected.
|
||||||
|
allobjs = {}
|
||||||
|
for cls, minobj, maxobj, msg in self.classes:
|
||||||
|
allobjs[cls] = get_instances(cls)
|
||||||
|
|
||||||
|
for cls, minobj, maxobj, msg in self.classes:
|
||||||
|
objs = allobjs[cls]
|
||||||
|
lenobj = len(objs)
|
||||||
|
if lenobj < minobj or lenobj > maxobj:
|
||||||
|
if minobj == maxobj:
|
||||||
|
output.append(
|
||||||
|
"\nExpected %s %r references, got %s." %
|
||||||
|
(minobj, cls, lenobj))
|
||||||
|
else:
|
||||||
|
output.append(
|
||||||
|
"\nExpected %s to %s %r references, got %s." %
|
||||||
|
(minobj, maxobj, cls, lenobj))
|
||||||
|
|
||||||
|
for obj in objs:
|
||||||
|
if objgraph is not None:
|
||||||
|
ig = [id(objs), id(inspect.currentframe())]
|
||||||
|
fname = "graph_%s_%s.png" % (cls.__name__, id(obj))
|
||||||
|
objgraph.show_backrefs(
|
||||||
|
obj, extra_ignore=ig, max_depth=4, too_many=20,
|
||||||
|
filename=fname, extra_info=get_context)
|
||||||
|
output.append("\nReferrers for %s (refcount=%s):" %
|
||||||
|
(repr(obj), sys.getrefcount(obj)))
|
||||||
|
t = ReferrerTree(ignore=[objs], maxdepth=3)
|
||||||
|
tree = t.ascend(obj)
|
||||||
|
output.extend(t.format(tree))
|
||||||
|
|
||||||
|
return "\n".join(output)
|
||||||
|
stats.exposed = True
|
||||||
|
|
@ -9,7 +9,7 @@ to a public caning.
|
|||||||
|
|
||||||
from binascii import b2a_base64
|
from binascii import b2a_base64
|
||||||
from cherrypy._cpcompat import BaseHTTPRequestHandler, HTTPDate, ntob, ntou, reversed, sorted
|
from cherrypy._cpcompat import BaseHTTPRequestHandler, HTTPDate, ntob, ntou, reversed, sorted
|
||||||
from cherrypy._cpcompat import basestring, iteritems, unicodestr, unquote_qs
|
from cherrypy._cpcompat import basestring, bytestr, iteritems, nativestr, unicodestr, unquote_qs
|
||||||
response_codes = BaseHTTPRequestHandler.responses.copy()
|
response_codes = BaseHTTPRequestHandler.responses.copy()
|
||||||
|
|
||||||
# From http://www.cherrypy.org/ticket/361
|
# From http://www.cherrypy.org/ticket/361
|
||||||
@ -38,6 +38,18 @@ def urljoin(*atoms):
|
|||||||
# Special-case the final url of "", and return "/" instead.
|
# Special-case the final url of "", and return "/" instead.
|
||||||
return url or "/"
|
return url or "/"
|
||||||
|
|
||||||
|
def urljoin_bytes(*atoms):
|
||||||
|
"""Return the given path *atoms, joined into a single URL.
|
||||||
|
|
||||||
|
This will correctly join a SCRIPT_NAME and PATH_INFO into the
|
||||||
|
original URL, even if either atom is blank.
|
||||||
|
"""
|
||||||
|
url = ntob("/").join([x for x in atoms if x])
|
||||||
|
while ntob("//") in url:
|
||||||
|
url = url.replace(ntob("//"), ntob("/"))
|
||||||
|
# Special-case the final url of "", and return "/" instead.
|
||||||
|
return url or ntob("/")
|
||||||
|
|
||||||
def protocol_from_http(protocol_str):
|
def protocol_from_http(protocol_str):
|
||||||
"""Return a protocol tuple from the given 'HTTP/x.y' string."""
|
"""Return a protocol tuple from the given 'HTTP/x.y' string."""
|
||||||
return int(protocol_str[5]), int(protocol_str[7])
|
return int(protocol_str[5]), int(protocol_str[7])
|
||||||
@ -105,9 +117,15 @@ class HeaderElement(object):
|
|||||||
def __cmp__(self, other):
|
def __cmp__(self, other):
|
||||||
return cmp(self.value, other.value)
|
return cmp(self.value, other.value)
|
||||||
|
|
||||||
|
def __lt__(self, other):
|
||||||
|
return self.value < other.value
|
||||||
|
|
||||||
def __str__(self):
|
def __str__(self):
|
||||||
p = [";%s=%s" % (k, v) for k, v in iteritems(self.params)]
|
p = [";%s=%s" % (k, v) for k, v in iteritems(self.params)]
|
||||||
return "%s%s" % (self.value, "".join(p))
|
return "%s%s" % (self.value, "".join(p))
|
||||||
|
|
||||||
|
def __bytes__(self):
|
||||||
|
return ntob(self.__str__())
|
||||||
|
|
||||||
def __unicode__(self):
|
def __unicode__(self):
|
||||||
return ntou(self.__str__())
|
return ntou(self.__str__())
|
||||||
@ -181,6 +199,12 @@ class AcceptElement(HeaderElement):
|
|||||||
if diff == 0:
|
if diff == 0:
|
||||||
diff = cmp(str(self), str(other))
|
diff = cmp(str(self), str(other))
|
||||||
return diff
|
return diff
|
||||||
|
|
||||||
|
def __lt__(self, other):
|
||||||
|
if self.qvalue == other.qvalue:
|
||||||
|
return str(self) < str(other)
|
||||||
|
else:
|
||||||
|
return self.qvalue < other.qvalue
|
||||||
|
|
||||||
|
|
||||||
def header_elements(fieldname, fieldvalue):
|
def header_elements(fieldname, fieldvalue):
|
||||||
@ -199,8 +223,12 @@ def header_elements(fieldname, fieldvalue):
|
|||||||
return list(reversed(sorted(result)))
|
return list(reversed(sorted(result)))
|
||||||
|
|
||||||
def decode_TEXT(value):
|
def decode_TEXT(value):
|
||||||
r"""Decode :rfc:`2047` TEXT (e.g. "=?utf-8?q?f=C3=BCr?=" -> u"f\xfcr")."""
|
r"""Decode :rfc:`2047` TEXT (e.g. "=?utf-8?q?f=C3=BCr?=" -> "f\xfcr")."""
|
||||||
from email.Header import decode_header
|
try:
|
||||||
|
# Python 3
|
||||||
|
from email.header import decode_header
|
||||||
|
except ImportError:
|
||||||
|
from email.Header import decode_header
|
||||||
atoms = decode_header(value)
|
atoms = decode_header(value)
|
||||||
decodedvalue = ""
|
decodedvalue = ""
|
||||||
for atom, charset in atoms:
|
for atom, charset in atoms:
|
||||||
@ -253,6 +281,10 @@ def valid_status(status):
|
|||||||
return code, reason, message
|
return code, reason, message
|
||||||
|
|
||||||
|
|
||||||
|
# NOTE: the parse_qs functions that follow are modified version of those
|
||||||
|
# in the python3.0 source - we need to pass through an encoding to the unquote
|
||||||
|
# method, but the default parse_qs function doesn't allow us to. These do.
|
||||||
|
|
||||||
def _parse_qs(qs, keep_blank_values=0, strict_parsing=0, encoding='utf-8'):
|
def _parse_qs(qs, keep_blank_values=0, strict_parsing=0, encoding='utf-8'):
|
||||||
"""Parse a query given as a string argument.
|
"""Parse a query given as a string argument.
|
||||||
|
|
||||||
@ -338,8 +370,9 @@ class CaseInsensitiveDict(dict):
|
|||||||
def get(self, key, default=None):
|
def get(self, key, default=None):
|
||||||
return dict.get(self, str(key).title(), default)
|
return dict.get(self, str(key).title(), default)
|
||||||
|
|
||||||
def has_key(self, key):
|
if hasattr({}, 'has_key'):
|
||||||
return dict.has_key(self, str(key).title())
|
def has_key(self, key):
|
||||||
|
return dict.has_key(self, str(key).title())
|
||||||
|
|
||||||
def update(self, E):
|
def update(self, E):
|
||||||
for k in E.keys():
|
for k in E.keys():
|
||||||
@ -369,8 +402,12 @@ class CaseInsensitiveDict(dict):
|
|||||||
# A CRLF is allowed in the definition of TEXT only as part of a header
|
# A CRLF is allowed in the definition of TEXT only as part of a header
|
||||||
# field continuation. It is expected that the folding LWS will be
|
# field continuation. It is expected that the folding LWS will be
|
||||||
# replaced with a single SP before interpretation of the TEXT value."
|
# replaced with a single SP before interpretation of the TEXT value."
|
||||||
header_translate_table = ''.join([chr(i) for i in xrange(256)])
|
if nativestr == bytestr:
|
||||||
header_translate_deletechars = ''.join([chr(i) for i in xrange(32)]) + chr(127)
|
header_translate_table = ''.join([chr(i) for i in xrange(256)])
|
||||||
|
header_translate_deletechars = ''.join([chr(i) for i in xrange(32)]) + chr(127)
|
||||||
|
else:
|
||||||
|
header_translate_table = None
|
||||||
|
header_translate_deletechars = bytes(range(32)) + bytes([127])
|
||||||
|
|
||||||
|
|
||||||
class HeaderMap(CaseInsensitiveDict):
|
class HeaderMap(CaseInsensitiveDict):
|
||||||
|
@ -82,6 +82,6 @@ def json_out(content_type='application/json', debug=False, handler=json_handler)
|
|||||||
request.handler = handler
|
request.handler = handler
|
||||||
if content_type is not None:
|
if content_type is not None:
|
||||||
if debug:
|
if debug:
|
||||||
cherrypy.log('Setting Content-Type to %s' % ct, 'TOOLS.JSON_OUT')
|
cherrypy.log('Setting Content-Type to %s' % content_type, 'TOOLS.JSON_OUT')
|
||||||
cherrypy.serving.response.headers['Content-Type'] = content_type
|
cherrypy.serving.response.headers['Content-Type'] = content_type
|
||||||
|
|
||||||
|
@ -28,6 +28,20 @@ try:
|
|||||||
set
|
set
|
||||||
except NameError:
|
except NameError:
|
||||||
from sets import Set as set
|
from sets import Set as set
|
||||||
|
|
||||||
|
try:
|
||||||
|
basestring
|
||||||
|
except NameError:
|
||||||
|
basestring = str
|
||||||
|
|
||||||
|
try:
|
||||||
|
# Python 3
|
||||||
|
import builtins
|
||||||
|
except ImportError:
|
||||||
|
# Python 2
|
||||||
|
import __builtin__ as builtins
|
||||||
|
|
||||||
|
import operator as _operator
|
||||||
import sys
|
import sys
|
||||||
|
|
||||||
def as_dict(config):
|
def as_dict(config):
|
||||||
@ -195,10 +209,11 @@ class Parser(ConfigParser):
|
|||||||
if section not in result:
|
if section not in result:
|
||||||
result[section] = {}
|
result[section] = {}
|
||||||
for option in self.options(section):
|
for option in self.options(section):
|
||||||
value = self.get(section, option, raw, vars)
|
value = self.get(section, option, raw=raw, vars=vars)
|
||||||
try:
|
try:
|
||||||
value = unrepr(value)
|
value = unrepr(value)
|
||||||
except Exception, x:
|
except Exception:
|
||||||
|
x = sys.exc_info()[1]
|
||||||
msg = ("Config error in section: %r, option: %r, "
|
msg = ("Config error in section: %r, option: %r, "
|
||||||
"value: %r. Config values must be valid Python." %
|
"value: %r. Config values must be valid Python." %
|
||||||
(section, option, value))
|
(section, option, value))
|
||||||
@ -216,7 +231,8 @@ class Parser(ConfigParser):
|
|||||||
|
|
||||||
# public domain "unrepr" implementation, found on the web and then improved.
|
# public domain "unrepr" implementation, found on the web and then improved.
|
||||||
|
|
||||||
class _Builder:
|
|
||||||
|
class _Builder2:
|
||||||
|
|
||||||
def build(self, o):
|
def build(self, o):
|
||||||
m = getattr(self, 'build_' + o.__class__.__name__, None)
|
m = getattr(self, 'build_' + o.__class__.__name__, None)
|
||||||
@ -225,6 +241,18 @@ class _Builder:
|
|||||||
repr(o.__class__.__name__))
|
repr(o.__class__.__name__))
|
||||||
return m(o)
|
return m(o)
|
||||||
|
|
||||||
|
def astnode(self, s):
|
||||||
|
"""Return a Python2 ast Node compiled from a string."""
|
||||||
|
try:
|
||||||
|
import compiler
|
||||||
|
except ImportError:
|
||||||
|
# Fallback to eval when compiler package is not available,
|
||||||
|
# e.g. IronPython 1.0.
|
||||||
|
return eval(s)
|
||||||
|
|
||||||
|
p = compiler.parse("__tempvalue__ = " + s)
|
||||||
|
return p.getChildren()[1].getChildren()[0].getChildren()[1]
|
||||||
|
|
||||||
def build_Subscript(self, o):
|
def build_Subscript(self, o):
|
||||||
expr, flags, subs = o.getChildren()
|
expr, flags, subs = o.getChildren()
|
||||||
expr = self.build(expr)
|
expr = self.build(expr)
|
||||||
@ -272,8 +300,7 @@ class _Builder:
|
|||||||
|
|
||||||
# See if the Name is in builtins.
|
# See if the Name is in builtins.
|
||||||
try:
|
try:
|
||||||
import __builtin__
|
return getattr(builtins, name)
|
||||||
return getattr(__builtin__, name)
|
|
||||||
except AttributeError:
|
except AttributeError:
|
||||||
pass
|
pass
|
||||||
|
|
||||||
@ -282,6 +309,10 @@ class _Builder:
|
|||||||
def build_Add(self, o):
|
def build_Add(self, o):
|
||||||
left, right = map(self.build, o.getChildren())
|
left, right = map(self.build, o.getChildren())
|
||||||
return left + right
|
return left + right
|
||||||
|
|
||||||
|
def build_Mul(self, o):
|
||||||
|
left, right = map(self.build, o.getChildren())
|
||||||
|
return left * right
|
||||||
|
|
||||||
def build_Getattr(self, o):
|
def build_Getattr(self, o):
|
||||||
parent = self.build(o.expr)
|
parent = self.build(o.expr)
|
||||||
@ -297,25 +328,128 @@ class _Builder:
|
|||||||
return self.build(o.getChildren()[0])
|
return self.build(o.getChildren()[0])
|
||||||
|
|
||||||
|
|
||||||
def _astnode(s):
|
class _Builder3:
|
||||||
"""Return a Python ast Node compiled from a string."""
|
|
||||||
try:
|
|
||||||
import compiler
|
|
||||||
except ImportError:
|
|
||||||
# Fallback to eval when compiler package is not available,
|
|
||||||
# e.g. IronPython 1.0.
|
|
||||||
return eval(s)
|
|
||||||
|
|
||||||
p = compiler.parse("__tempvalue__ = " + s)
|
def build(self, o):
|
||||||
return p.getChildren()[1].getChildren()[0].getChildren()[1]
|
m = getattr(self, 'build_' + o.__class__.__name__, None)
|
||||||
|
if m is None:
|
||||||
|
raise TypeError("unrepr does not recognize %s" %
|
||||||
|
repr(o.__class__.__name__))
|
||||||
|
return m(o)
|
||||||
|
|
||||||
|
def astnode(self, s):
|
||||||
|
"""Return a Python3 ast Node compiled from a string."""
|
||||||
|
try:
|
||||||
|
import ast
|
||||||
|
except ImportError:
|
||||||
|
# Fallback to eval when ast package is not available,
|
||||||
|
# e.g. IronPython 1.0.
|
||||||
|
return eval(s)
|
||||||
|
|
||||||
|
p = ast.parse("__tempvalue__ = " + s)
|
||||||
|
return p.body[0].value
|
||||||
|
|
||||||
|
def build_Subscript(self, o):
|
||||||
|
return self.build(o.value)[self.build(o.slice)]
|
||||||
|
|
||||||
|
def build_Index(self, o):
|
||||||
|
return self.build(o.value)
|
||||||
|
|
||||||
|
def build_Call(self, o):
|
||||||
|
callee = self.build(o.func)
|
||||||
|
|
||||||
|
if o.args is None:
|
||||||
|
args = ()
|
||||||
|
else:
|
||||||
|
args = tuple([self.build(a) for a in o.args])
|
||||||
|
|
||||||
|
if o.starargs is None:
|
||||||
|
starargs = ()
|
||||||
|
else:
|
||||||
|
starargs = self.build(o.starargs)
|
||||||
|
|
||||||
|
if o.kwargs is None:
|
||||||
|
kwargs = {}
|
||||||
|
else:
|
||||||
|
kwargs = self.build(o.kwargs)
|
||||||
|
|
||||||
|
return callee(*(args + starargs), **kwargs)
|
||||||
|
|
||||||
|
def build_List(self, o):
|
||||||
|
return list(map(self.build, o.elts))
|
||||||
|
|
||||||
|
def build_Str(self, o):
|
||||||
|
return o.s
|
||||||
|
|
||||||
|
def build_Num(self, o):
|
||||||
|
return o.n
|
||||||
|
|
||||||
|
def build_Dict(self, o):
|
||||||
|
return dict([(self.build(k), self.build(v))
|
||||||
|
for k, v in zip(o.keys, o.values)])
|
||||||
|
|
||||||
|
def build_Tuple(self, o):
|
||||||
|
return tuple(self.build_List(o))
|
||||||
|
|
||||||
|
def build_Name(self, o):
|
||||||
|
name = o.id
|
||||||
|
if name == 'None':
|
||||||
|
return None
|
||||||
|
if name == 'True':
|
||||||
|
return True
|
||||||
|
if name == 'False':
|
||||||
|
return False
|
||||||
|
|
||||||
|
# See if the Name is a package or module. If it is, import it.
|
||||||
|
try:
|
||||||
|
return modules(name)
|
||||||
|
except ImportError:
|
||||||
|
pass
|
||||||
|
|
||||||
|
# See if the Name is in builtins.
|
||||||
|
try:
|
||||||
|
import builtins
|
||||||
|
return getattr(builtins, name)
|
||||||
|
except AttributeError:
|
||||||
|
pass
|
||||||
|
|
||||||
|
raise TypeError("unrepr could not resolve the name %s" % repr(name))
|
||||||
|
|
||||||
|
def build_UnaryOp(self, o):
|
||||||
|
op, operand = map(self.build, [o.op, o.operand])
|
||||||
|
return op(operand)
|
||||||
|
|
||||||
|
def build_BinOp(self, o):
|
||||||
|
left, op, right = map(self.build, [o.left, o.op, o.right])
|
||||||
|
return op(left, right)
|
||||||
|
|
||||||
|
def build_Add(self, o):
|
||||||
|
return _operator.add
|
||||||
|
|
||||||
|
def build_Mult(self, o):
|
||||||
|
return _operator.mul
|
||||||
|
|
||||||
|
def build_USub(self, o):
|
||||||
|
return _operator.neg
|
||||||
|
|
||||||
|
def build_Attribute(self, o):
|
||||||
|
parent = self.build(o.value)
|
||||||
|
return getattr(parent, o.attr)
|
||||||
|
|
||||||
|
def build_NoneType(self, o):
|
||||||
|
return None
|
||||||
|
|
||||||
|
|
||||||
def unrepr(s):
|
def unrepr(s):
|
||||||
"""Return a Python object compiled from a string."""
|
"""Return a Python object compiled from a string."""
|
||||||
if not s:
|
if not s:
|
||||||
return s
|
return s
|
||||||
obj = _astnode(s)
|
if sys.version_info < (3, 0):
|
||||||
return _Builder().build(obj)
|
b = _Builder2()
|
||||||
|
else:
|
||||||
|
b = _Builder3()
|
||||||
|
obj = b.astnode(s)
|
||||||
|
return b.build(obj)
|
||||||
|
|
||||||
|
|
||||||
def modules(modulePath):
|
def modules(modulePath):
|
||||||
|
@ -93,7 +93,7 @@ import types
|
|||||||
from warnings import warn
|
from warnings import warn
|
||||||
|
|
||||||
import cherrypy
|
import cherrypy
|
||||||
from cherrypy._cpcompat import copyitems, pickle, random20
|
from cherrypy._cpcompat import copyitems, pickle, random20, unicodestr
|
||||||
from cherrypy.lib import httputil
|
from cherrypy.lib import httputil
|
||||||
|
|
||||||
|
|
||||||
@ -171,7 +171,15 @@ class Session(object):
|
|||||||
self.id = None
|
self.id = None
|
||||||
self.missing = True
|
self.missing = True
|
||||||
self._regenerate()
|
self._regenerate()
|
||||||
|
|
||||||
|
def now(self):
|
||||||
|
"""Generate the session specific concept of 'now'.
|
||||||
|
|
||||||
|
Other session providers can override this to use alternative,
|
||||||
|
possibly timezone aware, versions of 'now'.
|
||||||
|
"""
|
||||||
|
return datetime.datetime.now()
|
||||||
|
|
||||||
def regenerate(self):
|
def regenerate(self):
|
||||||
"""Replace the current session (with a new id)."""
|
"""Replace the current session (with a new id)."""
|
||||||
self.regenerated = True
|
self.regenerated = True
|
||||||
@ -210,7 +218,7 @@ class Session(object):
|
|||||||
# accessed: no need to save it
|
# accessed: no need to save it
|
||||||
if self.loaded:
|
if self.loaded:
|
||||||
t = datetime.timedelta(seconds = self.timeout * 60)
|
t = datetime.timedelta(seconds = self.timeout * 60)
|
||||||
expiration_time = datetime.datetime.now() + t
|
expiration_time = self.now() + t
|
||||||
if self.debug:
|
if self.debug:
|
||||||
cherrypy.log('Saving with expiry %s' % expiration_time,
|
cherrypy.log('Saving with expiry %s' % expiration_time,
|
||||||
'TOOLS.SESSIONS')
|
'TOOLS.SESSIONS')
|
||||||
@ -225,7 +233,7 @@ class Session(object):
|
|||||||
"""Copy stored session data into this session instance."""
|
"""Copy stored session data into this session instance."""
|
||||||
data = self._load()
|
data = self._load()
|
||||||
# data is either None or a tuple (session_data, expiration_time)
|
# data is either None or a tuple (session_data, expiration_time)
|
||||||
if data is None or data[1] < datetime.datetime.now():
|
if data is None or data[1] < self.now():
|
||||||
if self.debug:
|
if self.debug:
|
||||||
cherrypy.log('Expired session, flushing data', 'TOOLS.SESSIONS')
|
cherrypy.log('Expired session, flushing data', 'TOOLS.SESSIONS')
|
||||||
self._data = {}
|
self._data = {}
|
||||||
@ -277,10 +285,11 @@ class Session(object):
|
|||||||
if not self.loaded: self.load()
|
if not self.loaded: self.load()
|
||||||
return key in self._data
|
return key in self._data
|
||||||
|
|
||||||
def has_key(self, key):
|
if hasattr({}, 'has_key'):
|
||||||
"""D.has_key(k) -> True if D has a key k, else False."""
|
def has_key(self, key):
|
||||||
if not self.loaded: self.load()
|
"""D.has_key(k) -> True if D has a key k, else False."""
|
||||||
return key in self._data
|
if not self.loaded: self.load()
|
||||||
|
return key in self._data
|
||||||
|
|
||||||
def get(self, key, default=None):
|
def get(self, key, default=None):
|
||||||
"""D.get(k[,d]) -> D[k] if k in D, else d. d defaults to None."""
|
"""D.get(k[,d]) -> D[k] if k in D, else d. d defaults to None."""
|
||||||
@ -326,7 +335,7 @@ class RamSession(Session):
|
|||||||
|
|
||||||
def clean_up(self):
|
def clean_up(self):
|
||||||
"""Clean up expired sessions."""
|
"""Clean up expired sessions."""
|
||||||
now = datetime.datetime.now()
|
now = self.now()
|
||||||
for id, (data, expiration_time) in copyitems(self.cache):
|
for id, (data, expiration_time) in copyitems(self.cache):
|
||||||
if expiration_time <= now:
|
if expiration_time <= now:
|
||||||
try:
|
try:
|
||||||
@ -337,6 +346,11 @@ class RamSession(Session):
|
|||||||
del self.locks[id]
|
del self.locks[id]
|
||||||
except KeyError:
|
except KeyError:
|
||||||
pass
|
pass
|
||||||
|
|
||||||
|
# added to remove obsolete lock objects
|
||||||
|
for id in list(self.locks):
|
||||||
|
if id not in self.cache:
|
||||||
|
self.locks.pop(id, None)
|
||||||
|
|
||||||
def _exists(self):
|
def _exists(self):
|
||||||
return self.id in self.cache
|
return self.id in self.cache
|
||||||
@ -467,7 +481,7 @@ class FileSession(Session):
|
|||||||
|
|
||||||
def clean_up(self):
|
def clean_up(self):
|
||||||
"""Clean up expired sessions."""
|
"""Clean up expired sessions."""
|
||||||
now = datetime.datetime.now()
|
now = self.now()
|
||||||
# Iterate over all session files in self.storage_path
|
# Iterate over all session files in self.storage_path
|
||||||
for fname in os.listdir(self.storage_path):
|
for fname in os.listdir(self.storage_path):
|
||||||
if (fname.startswith(self.SESSION_PREFIX)
|
if (fname.startswith(self.SESSION_PREFIX)
|
||||||
@ -575,7 +589,7 @@ class PostgresqlSession(Session):
|
|||||||
def clean_up(self):
|
def clean_up(self):
|
||||||
"""Clean up expired sessions."""
|
"""Clean up expired sessions."""
|
||||||
self.cursor.execute('delete from session where expiration_time < %s',
|
self.cursor.execute('delete from session where expiration_time < %s',
|
||||||
(datetime.datetime.now(),))
|
(self.now(),))
|
||||||
|
|
||||||
|
|
||||||
class MemcachedSession(Session):
|
class MemcachedSession(Session):
|
||||||
@ -602,6 +616,19 @@ class MemcachedSession(Session):
|
|||||||
cls.cache = memcache.Client(cls.servers)
|
cls.cache = memcache.Client(cls.servers)
|
||||||
setup = classmethod(setup)
|
setup = classmethod(setup)
|
||||||
|
|
||||||
|
def _get_id(self):
|
||||||
|
return self._id
|
||||||
|
def _set_id(self, value):
|
||||||
|
# This encode() call is where we differ from the superclass.
|
||||||
|
# Memcache keys MUST be byte strings, not unicode.
|
||||||
|
if isinstance(value, unicodestr):
|
||||||
|
value = value.encode('utf-8')
|
||||||
|
|
||||||
|
self._id = value
|
||||||
|
for o in self.id_observers:
|
||||||
|
o(value)
|
||||||
|
id = property(_get_id, _set_id, doc="The current session ID.")
|
||||||
|
|
||||||
def _exists(self):
|
def _exists(self):
|
||||||
self.mc_lock.acquire()
|
self.mc_lock.acquire()
|
||||||
try:
|
try:
|
||||||
@ -683,12 +710,12 @@ close.priority = 90
|
|||||||
|
|
||||||
def init(storage_type='ram', path=None, path_header=None, name='session_id',
|
def init(storage_type='ram', path=None, path_header=None, name='session_id',
|
||||||
timeout=60, domain=None, secure=False, clean_freq=5,
|
timeout=60, domain=None, secure=False, clean_freq=5,
|
||||||
persistent=True, debug=False, **kwargs):
|
persistent=True, httponly=False, debug=False, **kwargs):
|
||||||
"""Initialize session object (using cookies).
|
"""Initialize session object (using cookies).
|
||||||
|
|
||||||
storage_type
|
storage_type
|
||||||
One of 'ram', 'file', 'postgresql'. This will be used
|
One of 'ram', 'file', 'postgresql', 'memcached'. This will be
|
||||||
to look up the corresponding class in cherrypy.lib.sessions
|
used to look up the corresponding class in cherrypy.lib.sessions
|
||||||
globals. For example, 'file' will use the FileSession class.
|
globals. For example, 'file' will use the FileSession class.
|
||||||
|
|
||||||
path
|
path
|
||||||
@ -722,6 +749,10 @@ def init(storage_type='ram', path=None, path_header=None, name='session_id',
|
|||||||
and the cookie will be a "session cookie" which expires when the
|
and the cookie will be a "session cookie" which expires when the
|
||||||
browser is closed.
|
browser is closed.
|
||||||
|
|
||||||
|
httponly
|
||||||
|
If False (the default) the cookie 'httponly' value will not be set.
|
||||||
|
If True, the cookie 'httponly' value will be set (to 1).
|
||||||
|
|
||||||
Any additional kwargs will be bound to the new Session instance,
|
Any additional kwargs will be bound to the new Session instance,
|
||||||
and may be specific to the storage type. See the subclass of Session
|
and may be specific to the storage type. See the subclass of Session
|
||||||
you're using for more information.
|
you're using for more information.
|
||||||
@ -772,11 +803,12 @@ def init(storage_type='ram', path=None, path_header=None, name='session_id',
|
|||||||
# and http://support.mozilla.com/en-US/kb/Cookies
|
# and http://support.mozilla.com/en-US/kb/Cookies
|
||||||
cookie_timeout = None
|
cookie_timeout = None
|
||||||
set_response_cookie(path=path, path_header=path_header, name=name,
|
set_response_cookie(path=path, path_header=path_header, name=name,
|
||||||
timeout=cookie_timeout, domain=domain, secure=secure)
|
timeout=cookie_timeout, domain=domain, secure=secure,
|
||||||
|
httponly=httponly)
|
||||||
|
|
||||||
|
|
||||||
def set_response_cookie(path=None, path_header=None, name='session_id',
|
def set_response_cookie(path=None, path_header=None, name='session_id',
|
||||||
timeout=60, domain=None, secure=False):
|
timeout=60, domain=None, secure=False, httponly=False):
|
||||||
"""Set a response cookie for the client.
|
"""Set a response cookie for the client.
|
||||||
|
|
||||||
path
|
path
|
||||||
@ -801,6 +833,10 @@ def set_response_cookie(path=None, path_header=None, name='session_id',
|
|||||||
if False (the default) the cookie 'secure' value will not
|
if False (the default) the cookie 'secure' value will not
|
||||||
be set. If True, the cookie 'secure' value will be set (to 1).
|
be set. If True, the cookie 'secure' value will be set (to 1).
|
||||||
|
|
||||||
|
httponly
|
||||||
|
If False (the default) the cookie 'httponly' value will not be set.
|
||||||
|
If True, the cookie 'httponly' value will be set (to 1).
|
||||||
|
|
||||||
"""
|
"""
|
||||||
# Set response cookie
|
# Set response cookie
|
||||||
cookie = cherrypy.serving.response.cookie
|
cookie = cherrypy.serving.response.cookie
|
||||||
@ -820,7 +856,10 @@ def set_response_cookie(path=None, path_header=None, name='session_id',
|
|||||||
cookie[name]['domain'] = domain
|
cookie[name]['domain'] = domain
|
||||||
if secure:
|
if secure:
|
||||||
cookie[name]['secure'] = 1
|
cookie[name]['secure'] = 1
|
||||||
|
if httponly:
|
||||||
|
if not cookie[name].isReservedKey('httponly'):
|
||||||
|
raise ValueError("The httponly cookie token is not supported.")
|
||||||
|
cookie[name]['httponly'] = 1
|
||||||
|
|
||||||
def expire():
|
def expire():
|
||||||
"""Expire the current session cookie."""
|
"""Expire the current session cookie."""
|
||||||
|
@ -1,3 +1,7 @@
|
|||||||
|
try:
|
||||||
|
from io import UnsupportedOperation
|
||||||
|
except ImportError:
|
||||||
|
UnsupportedOperation = object()
|
||||||
import logging
|
import logging
|
||||||
import mimetypes
|
import mimetypes
|
||||||
mimetypes.init()
|
mimetypes.init()
|
||||||
@ -115,6 +119,8 @@ def serve_fileobj(fileobj, content_type=None, disposition=None, name=None,
|
|||||||
if debug:
|
if debug:
|
||||||
cherrypy.log('os has no fstat attribute', 'TOOLS.STATIC')
|
cherrypy.log('os has no fstat attribute', 'TOOLS.STATIC')
|
||||||
content_length = None
|
content_length = None
|
||||||
|
except UnsupportedOperation:
|
||||||
|
content_length = None
|
||||||
else:
|
else:
|
||||||
# Set the Last-Modified response header, so that
|
# Set the Last-Modified response header, so that
|
||||||
# modified-since validation code can work.
|
# modified-since validation code can work.
|
||||||
@ -174,7 +180,12 @@ def _serve_fileobj(fileobj, content_type, content_length, debug=False):
|
|||||||
else:
|
else:
|
||||||
# Return a multipart/byteranges response.
|
# Return a multipart/byteranges response.
|
||||||
response.status = "206 Partial Content"
|
response.status = "206 Partial Content"
|
||||||
from mimetools import choose_boundary
|
try:
|
||||||
|
# Python 3
|
||||||
|
from email.generator import _make_boundary as choose_boundary
|
||||||
|
except ImportError:
|
||||||
|
# Python 2
|
||||||
|
from mimetools import choose_boundary
|
||||||
boundary = choose_boundary()
|
boundary = choose_boundary()
|
||||||
ct = "multipart/byteranges; boundary=%s" % boundary
|
ct = "multipart/byteranges; boundary=%s" % boundary
|
||||||
response.headers['Content-Type'] = ct
|
response.headers['Content-Type'] = ct
|
||||||
|
@ -1,13 +1,19 @@
|
|||||||
import sys
|
import sys
|
||||||
|
|
||||||
import cherrypy
|
import cherrypy
|
||||||
|
from cherrypy._cpcompat import ntob
|
||||||
|
|
||||||
|
def get_xmlrpclib():
|
||||||
|
try:
|
||||||
|
import xmlrpc.client as x
|
||||||
|
except ImportError:
|
||||||
|
import xmlrpclib as x
|
||||||
|
return x
|
||||||
|
|
||||||
def process_body():
|
def process_body():
|
||||||
"""Return (params, method) from request body."""
|
"""Return (params, method) from request body."""
|
||||||
try:
|
try:
|
||||||
import xmlrpclib
|
return get_xmlrpclib().loads(cherrypy.request.body.read())
|
||||||
return xmlrpclib.loads(cherrypy.request.body.read())
|
|
||||||
except Exception:
|
except Exception:
|
||||||
return ('ERROR PARAMS', ), 'ERRORMETHOD'
|
return ('ERROR PARAMS', ), 'ERRORMETHOD'
|
||||||
|
|
||||||
@ -29,21 +35,21 @@ def _set_response(body):
|
|||||||
# as a "Protocol Error", we'll just return 200 every time.
|
# as a "Protocol Error", we'll just return 200 every time.
|
||||||
response = cherrypy.response
|
response = cherrypy.response
|
||||||
response.status = '200 OK'
|
response.status = '200 OK'
|
||||||
response.body = body
|
response.body = ntob(body, 'utf-8')
|
||||||
response.headers['Content-Type'] = 'text/xml'
|
response.headers['Content-Type'] = 'text/xml'
|
||||||
response.headers['Content-Length'] = len(body)
|
response.headers['Content-Length'] = len(body)
|
||||||
|
|
||||||
|
|
||||||
def respond(body, encoding='utf-8', allow_none=0):
|
def respond(body, encoding='utf-8', allow_none=0):
|
||||||
from xmlrpclib import Fault, dumps
|
xmlrpclib = get_xmlrpclib()
|
||||||
if not isinstance(body, Fault):
|
if not isinstance(body, xmlrpclib.Fault):
|
||||||
body = (body,)
|
body = (body,)
|
||||||
_set_response(dumps(body, methodresponse=1,
|
_set_response(xmlrpclib.dumps(body, methodresponse=1,
|
||||||
encoding=encoding,
|
encoding=encoding,
|
||||||
allow_none=allow_none))
|
allow_none=allow_none))
|
||||||
|
|
||||||
def on_error(*args, **kwargs):
|
def on_error(*args, **kwargs):
|
||||||
body = str(sys.exc_info()[1])
|
body = str(sys.exc_info()[1])
|
||||||
from xmlrpclib import Fault, dumps
|
xmlrpclib = get_xmlrpclib()
|
||||||
_set_response(dumps(Fault(1, body)))
|
_set_response(xmlrpclib.dumps(xmlrpclib.Fault(1, body)))
|
||||||
|
|
@ -453,13 +453,14 @@ class BackgroundTask(threading.Thread):
|
|||||||
it won't delay stopping the whole process.
|
it won't delay stopping the whole process.
|
||||||
"""
|
"""
|
||||||
|
|
||||||
def __init__(self, interval, function, args=[], kwargs={}):
|
def __init__(self, interval, function, args=[], kwargs={}, bus=None):
|
||||||
threading.Thread.__init__(self)
|
threading.Thread.__init__(self)
|
||||||
self.interval = interval
|
self.interval = interval
|
||||||
self.function = function
|
self.function = function
|
||||||
self.args = args
|
self.args = args
|
||||||
self.kwargs = kwargs
|
self.kwargs = kwargs
|
||||||
self.running = False
|
self.running = False
|
||||||
|
self.bus = bus
|
||||||
|
|
||||||
def cancel(self):
|
def cancel(self):
|
||||||
self.running = False
|
self.running = False
|
||||||
@ -473,8 +474,9 @@ class BackgroundTask(threading.Thread):
|
|||||||
try:
|
try:
|
||||||
self.function(*self.args, **self.kwargs)
|
self.function(*self.args, **self.kwargs)
|
||||||
except Exception:
|
except Exception:
|
||||||
self.bus.log("Error in background task thread function %r." %
|
if self.bus:
|
||||||
self.function, level=40, traceback=True)
|
self.bus.log("Error in background task thread function %r."
|
||||||
|
% self.function, level=40, traceback=True)
|
||||||
# Quit on first error to avoid massive logs.
|
# Quit on first error to avoid massive logs.
|
||||||
raise
|
raise
|
||||||
|
|
||||||
@ -506,8 +508,8 @@ class Monitor(SimplePlugin):
|
|||||||
if self.frequency > 0:
|
if self.frequency > 0:
|
||||||
threadname = self.name or self.__class__.__name__
|
threadname = self.name or self.__class__.__name__
|
||||||
if self.thread is None:
|
if self.thread is None:
|
||||||
self.thread = BackgroundTask(self.frequency, self.callback)
|
self.thread = BackgroundTask(self.frequency, self.callback,
|
||||||
self.thread.bus = self.bus
|
bus = self.bus)
|
||||||
self.thread.setName(threadname)
|
self.thread.setName(threadname)
|
||||||
self.thread.start()
|
self.thread.start()
|
||||||
self.bus.log("Started monitor thread %r." % threadname)
|
self.bus.log("Started monitor thread %r." % threadname)
|
||||||
|
@ -385,34 +385,43 @@ def check_port(host, port, timeout=1.0):
|
|||||||
if s:
|
if s:
|
||||||
s.close()
|
s.close()
|
||||||
|
|
||||||
def wait_for_free_port(host, port):
|
|
||||||
|
# Feel free to increase these defaults on slow systems:
|
||||||
|
free_port_timeout = 0.1
|
||||||
|
occupied_port_timeout = 1.0
|
||||||
|
|
||||||
|
def wait_for_free_port(host, port, timeout=None):
|
||||||
"""Wait for the specified port to become free (drop requests)."""
|
"""Wait for the specified port to become free (drop requests)."""
|
||||||
if not host:
|
if not host:
|
||||||
raise ValueError("Host values of '' or None are not allowed.")
|
raise ValueError("Host values of '' or None are not allowed.")
|
||||||
|
if timeout is None:
|
||||||
|
timeout = free_port_timeout
|
||||||
|
|
||||||
for trial in range(50):
|
for trial in range(50):
|
||||||
try:
|
try:
|
||||||
# we are expecting a free port, so reduce the timeout
|
# we are expecting a free port, so reduce the timeout
|
||||||
check_port(host, port, timeout=0.1)
|
check_port(host, port, timeout=timeout)
|
||||||
except IOError:
|
except IOError:
|
||||||
# Give the old server thread time to free the port.
|
# Give the old server thread time to free the port.
|
||||||
time.sleep(0.1)
|
time.sleep(timeout)
|
||||||
else:
|
else:
|
||||||
return
|
return
|
||||||
|
|
||||||
raise IOError("Port %r not free on %r" % (port, host))
|
raise IOError("Port %r not free on %r" % (port, host))
|
||||||
|
|
||||||
def wait_for_occupied_port(host, port):
|
def wait_for_occupied_port(host, port, timeout=None):
|
||||||
"""Wait for the specified port to become active (receive requests)."""
|
"""Wait for the specified port to become active (receive requests)."""
|
||||||
if not host:
|
if not host:
|
||||||
raise ValueError("Host values of '' or None are not allowed.")
|
raise ValueError("Host values of '' or None are not allowed.")
|
||||||
|
if timeout is None:
|
||||||
|
timeout = occupied_port_timeout
|
||||||
|
|
||||||
for trial in range(50):
|
for trial in range(50):
|
||||||
try:
|
try:
|
||||||
check_port(host, port)
|
check_port(host, port, timeout=timeout)
|
||||||
except IOError:
|
except IOError:
|
||||||
return
|
return
|
||||||
else:
|
else:
|
||||||
time.sleep(.1)
|
time.sleep(timeout)
|
||||||
|
|
||||||
raise IOError("Port %r not bound on %r" % (port, host))
|
raise IOError("Port %r not bound on %r" % (port, host))
|
||||||
|
@ -90,11 +90,11 @@ class ChannelFailures(Exception):
|
|||||||
|
|
||||||
def handle_exception(self):
|
def handle_exception(self):
|
||||||
"""Append the current exception to self."""
|
"""Append the current exception to self."""
|
||||||
self._exceptions.append(sys.exc_info())
|
self._exceptions.append(sys.exc_info()[1])
|
||||||
|
|
||||||
def get_instances(self):
|
def get_instances(self):
|
||||||
"""Return a list of seen exception instances."""
|
"""Return a list of seen exception instances."""
|
||||||
return [instance for cls, instance, traceback in self._exceptions]
|
return self._exceptions[:]
|
||||||
|
|
||||||
def __str__(self):
|
def __str__(self):
|
||||||
exception_strings = map(repr, self.get_instances())
|
exception_strings = map(repr, self.get_instances())
|
||||||
@ -102,8 +102,9 @@ class ChannelFailures(Exception):
|
|||||||
|
|
||||||
__repr__ = __str__
|
__repr__ = __str__
|
||||||
|
|
||||||
def __nonzero__(self):
|
def __bool__(self):
|
||||||
return bool(self._exceptions)
|
return bool(self._exceptions)
|
||||||
|
__nonzero__ = __bool__
|
||||||
|
|
||||||
# Use a flag to indicate the state of the bus.
|
# Use a flag to indicate the state of the bus.
|
||||||
class _StateEnum(object):
|
class _StateEnum(object):
|
||||||
@ -124,6 +125,17 @@ states.STOPPING = states.State()
|
|||||||
states.EXITING = states.State()
|
states.EXITING = states.State()
|
||||||
|
|
||||||
|
|
||||||
|
try:
|
||||||
|
import fcntl
|
||||||
|
except ImportError:
|
||||||
|
max_files = 0
|
||||||
|
else:
|
||||||
|
try:
|
||||||
|
max_files = os.sysconf('SC_OPEN_MAX')
|
||||||
|
except AttributeError:
|
||||||
|
max_files = 1024
|
||||||
|
|
||||||
|
|
||||||
class Bus(object):
|
class Bus(object):
|
||||||
"""Process state-machine and messenger for HTTP site deployment.
|
"""Process state-machine and messenger for HTTP site deployment.
|
||||||
|
|
||||||
@ -137,6 +149,7 @@ class Bus(object):
|
|||||||
states = states
|
states = states
|
||||||
state = states.STOPPED
|
state = states.STOPPED
|
||||||
execv = False
|
execv = False
|
||||||
|
max_cloexec_files = max_files
|
||||||
|
|
||||||
def __init__(self):
|
def __init__(self):
|
||||||
self.execv = False
|
self.execv = False
|
||||||
@ -173,13 +186,19 @@ class Bus(object):
|
|||||||
|
|
||||||
items = [(self._priorities[(channel, listener)], listener)
|
items = [(self._priorities[(channel, listener)], listener)
|
||||||
for listener in self.listeners[channel]]
|
for listener in self.listeners[channel]]
|
||||||
items.sort()
|
try:
|
||||||
|
items.sort(key=lambda item: item[0])
|
||||||
|
except TypeError:
|
||||||
|
# Python 2.3 had no 'key' arg, but that doesn't matter
|
||||||
|
# since it could sort dissimilar types just fine.
|
||||||
|
items.sort()
|
||||||
for priority, listener in items:
|
for priority, listener in items:
|
||||||
try:
|
try:
|
||||||
output.append(listener(*args, **kwargs))
|
output.append(listener(*args, **kwargs))
|
||||||
except KeyboardInterrupt:
|
except KeyboardInterrupt:
|
||||||
raise
|
raise
|
||||||
except SystemExit, e:
|
except SystemExit:
|
||||||
|
e = sys.exc_info()[1]
|
||||||
# If we have previous errors ensure the exit code is non-zero
|
# If we have previous errors ensure the exit code is non-zero
|
||||||
if exc and e.code == 0:
|
if exc and e.code == 0:
|
||||||
e.code = 1
|
e.code = 1
|
||||||
@ -221,13 +240,14 @@ class Bus(object):
|
|||||||
except:
|
except:
|
||||||
self.log("Shutting down due to error in start listener:",
|
self.log("Shutting down due to error in start listener:",
|
||||||
level=40, traceback=True)
|
level=40, traceback=True)
|
||||||
e_info = sys.exc_info()
|
e_info = sys.exc_info()[1]
|
||||||
try:
|
try:
|
||||||
self.exit()
|
self.exit()
|
||||||
except:
|
except:
|
||||||
# Any stop/exit errors will be logged inside publish().
|
# Any stop/exit errors will be logged inside publish().
|
||||||
pass
|
pass
|
||||||
raise e_info[0], e_info[1], e_info[2]
|
# Re-raise the original error
|
||||||
|
raise e_info
|
||||||
|
|
||||||
def exit(self):
|
def exit(self):
|
||||||
"""Stop all services and prepare to exit the process."""
|
"""Stop all services and prepare to exit the process."""
|
||||||
@ -354,8 +374,28 @@ class Bus(object):
|
|||||||
args = ['"%s"' % arg for arg in args]
|
args = ['"%s"' % arg for arg in args]
|
||||||
|
|
||||||
os.chdir(_startup_cwd)
|
os.chdir(_startup_cwd)
|
||||||
|
if self.max_cloexec_files:
|
||||||
|
self._set_cloexec()
|
||||||
os.execv(sys.executable, args)
|
os.execv(sys.executable, args)
|
||||||
|
|
||||||
|
def _set_cloexec(self):
|
||||||
|
"""Set the CLOEXEC flag on all open files (except stdin/out/err).
|
||||||
|
|
||||||
|
If self.max_cloexec_files is an integer (the default), then on
|
||||||
|
platforms which support it, it represents the max open files setting
|
||||||
|
for the operating system. This function will be called just before
|
||||||
|
the process is restarted via os.execv() to prevent open files
|
||||||
|
from persisting into the new process.
|
||||||
|
|
||||||
|
Set self.max_cloexec_files to 0 to disable this behavior.
|
||||||
|
"""
|
||||||
|
for fd in range(3, self.max_cloexec_files): # skip stdin/out/err
|
||||||
|
try:
|
||||||
|
flags = fcntl.fcntl(fd, fcntl.F_GETFD)
|
||||||
|
except IOError:
|
||||||
|
continue
|
||||||
|
fcntl.fcntl(fd, fcntl.F_SETFD, flags | fcntl.FD_CLOEXEC)
|
||||||
|
|
||||||
def stop(self):
|
def stop(self):
|
||||||
"""Stop all services."""
|
"""Stop all services."""
|
||||||
self.state = states.STOPPING
|
self.state = states.STOPPING
|
||||||
@ -386,8 +426,7 @@ class Bus(object):
|
|||||||
def log(self, msg="", level=20, traceback=False):
|
def log(self, msg="", level=20, traceback=False):
|
||||||
"""Log the given message. Append the last traceback if requested."""
|
"""Log the given message. Append the last traceback if requested."""
|
||||||
if traceback:
|
if traceback:
|
||||||
exc = sys.exc_info()
|
msg += "\n" + "".join(_traceback.format_exception(*sys.exc_info()))
|
||||||
msg += "\n" + "".join(_traceback.format_exception(*exc))
|
|
||||||
self.publish('log', msg, level)
|
self.publish('log', msg, level)
|
||||||
|
|
||||||
bus = Bus()
|
bus = Bus()
|
||||||
|
File diff suppressed because it is too large
Load Diff
@ -11,6 +11,16 @@ try:
|
|||||||
except ImportError:
|
except ImportError:
|
||||||
ssl = None
|
ssl = None
|
||||||
|
|
||||||
|
try:
|
||||||
|
from _pyio import DEFAULT_BUFFER_SIZE
|
||||||
|
except ImportError:
|
||||||
|
try:
|
||||||
|
from io import DEFAULT_BUFFER_SIZE
|
||||||
|
except ImportError:
|
||||||
|
DEFAULT_BUFFER_SIZE = -1
|
||||||
|
|
||||||
|
import sys
|
||||||
|
|
||||||
from cherrypy import wsgiserver
|
from cherrypy import wsgiserver
|
||||||
|
|
||||||
|
|
||||||
@ -40,7 +50,8 @@ class BuiltinSSLAdapter(wsgiserver.SSLAdapter):
|
|||||||
s = ssl.wrap_socket(sock, do_handshake_on_connect=True,
|
s = ssl.wrap_socket(sock, do_handshake_on_connect=True,
|
||||||
server_side=True, certfile=self.certificate,
|
server_side=True, certfile=self.certificate,
|
||||||
keyfile=self.private_key, ssl_version=ssl.PROTOCOL_SSLv23)
|
keyfile=self.private_key, ssl_version=ssl.PROTOCOL_SSLv23)
|
||||||
except ssl.SSLError, e:
|
except ssl.SSLError:
|
||||||
|
e = sys.exc_info()[1]
|
||||||
if e.errno == ssl.SSL_ERROR_EOF:
|
if e.errno == ssl.SSL_ERROR_EOF:
|
||||||
# This is almost certainly due to the cherrypy engine
|
# This is almost certainly due to the cherrypy engine
|
||||||
# 'pinging' the socket to assert it's connectable;
|
# 'pinging' the socket to assert it's connectable;
|
||||||
@ -50,6 +61,10 @@ class BuiltinSSLAdapter(wsgiserver.SSLAdapter):
|
|||||||
if e.args[1].endswith('http request'):
|
if e.args[1].endswith('http request'):
|
||||||
# The client is speaking HTTP to an HTTPS server.
|
# The client is speaking HTTP to an HTTPS server.
|
||||||
raise wsgiserver.NoSSLError
|
raise wsgiserver.NoSSLError
|
||||||
|
elif e.args[1].endswith('unknown protocol'):
|
||||||
|
# The client is speaking some non-HTTP protocol.
|
||||||
|
# Drop the conn.
|
||||||
|
return None, {}
|
||||||
raise
|
raise
|
||||||
return s, self.get_environ(s)
|
return s, self.get_environ(s)
|
||||||
|
|
||||||
@ -67,6 +82,10 @@ class BuiltinSSLAdapter(wsgiserver.SSLAdapter):
|
|||||||
}
|
}
|
||||||
return ssl_environ
|
return ssl_environ
|
||||||
|
|
||||||
def makefile(self, sock, mode='r', bufsize=-1):
|
if sys.version_info >= (3, 0):
|
||||||
return wsgiserver.CP_fileobject(sock, mode, bufsize)
|
def makefile(self, sock, mode='r', bufsize=DEFAULT_BUFFER_SIZE):
|
||||||
|
return wsgiserver.CP_makefile(sock, mode, bufsize)
|
||||||
|
else:
|
||||||
|
def makefile(self, sock, mode='r', bufsize=DEFAULT_BUFFER_SIZE):
|
||||||
|
return wsgiserver.CP_fileobject(sock, mode, bufsize)
|
||||||
|
|
||||||
|
2322
python/packages/cherrypy/wsgiserver/wsgiserver2.py
Normal file
2322
python/packages/cherrypy/wsgiserver/wsgiserver2.py
Normal file
File diff suppressed because it is too large
Load Diff
2040
python/packages/cherrypy/wsgiserver/wsgiserver3.py
Normal file
2040
python/packages/cherrypy/wsgiserver/wsgiserver3.py
Normal file
File diff suppressed because it is too large
Load Diff
Loading…
x
Reference in New Issue
Block a user