Merge branch 'master' into 977
This commit is contained in:
commit
63bbcb5152
@ -1,4 +1,7 @@
|
|||||||
include README.rst
|
include README.rst
|
||||||
|
include MANIFEST.in
|
||||||
|
include LICENSE
|
||||||
|
include setup.py
|
||||||
|
|
||||||
recursive-exclude * __pycache__
|
recursive-exclude * __pycache__
|
||||||
recursive-exclude * *.py[co]
|
recursive-exclude * *.py[co]
|
||||||
|
@ -1,7 +1,7 @@
|
|||||||
# Extensions
|
# Extensions
|
||||||
|
|
||||||
A list of Sanic extensions created by the community.
|
A list of Sanic extensions created by the community.
|
||||||
|
- [Sanic-Plugins-Framework](https://github.com/ashleysommer/sanicpluginsframework): Library for easily creating and using Sanic plugins.
|
||||||
- [Sessions](https://github.com/subyraman/sanic_session): Support for sessions.
|
- [Sessions](https://github.com/subyraman/sanic_session): Support for sessions.
|
||||||
Allows using redis, memcache or an in memory store.
|
Allows using redis, memcache or an in memory store.
|
||||||
- [CORS](https://github.com/ashleysommer/sanic-cors): A port of flask-cors.
|
- [CORS](https://github.com/ashleysommer/sanic-cors): A port of flask-cors.
|
||||||
|
@ -75,6 +75,10 @@ The following variables are accessible as properties on `Request` objects:
|
|||||||
|
|
||||||
- `ip` (str) - IP address of the requester.
|
- `ip` (str) - IP address of the requester.
|
||||||
|
|
||||||
|
- `port` (str) - Port address of the requester.
|
||||||
|
|
||||||
|
- `socket` (tuple) - (IP, port) of the requester.
|
||||||
|
|
||||||
- `app` - a reference to the Sanic application object that is handling this request. This is useful when inside blueprints or other handlers in modules that do not have access to the global `app` object.
|
- `app` - a reference to the Sanic application object that is handling this request. This is useful when inside blueprints or other handlers in modules that do not have access to the global `app` object.
|
||||||
|
|
||||||
```python
|
```python
|
||||||
|
@ -586,7 +586,7 @@ class Sanic:
|
|||||||
try:
|
try:
|
||||||
response = await self._run_response_middleware(request,
|
response = await self._run_response_middleware(request,
|
||||||
response)
|
response)
|
||||||
except:
|
except BaseException:
|
||||||
error_logger.exception(
|
error_logger.exception(
|
||||||
'Exception occured in one of response middleware handlers'
|
'Exception occured in one of response middleware handlers'
|
||||||
)
|
)
|
||||||
@ -654,7 +654,7 @@ class Sanic:
|
|||||||
serve(**server_settings)
|
serve(**server_settings)
|
||||||
else:
|
else:
|
||||||
serve_multiple(server_settings, workers)
|
serve_multiple(server_settings, workers)
|
||||||
except:
|
except BaseException:
|
||||||
error_logger.exception(
|
error_logger.exception(
|
||||||
'Experienced exception while trying to serve')
|
'Experienced exception while trying to serve')
|
||||||
raise
|
raise
|
||||||
|
@ -1,4 +1,4 @@
|
|||||||
from sanic.response import ALL_STATUS_CODES, COMMON_STATUS_CODES
|
from sanic.response import STATUS_CODES
|
||||||
|
|
||||||
TRACEBACK_STYLE = '''
|
TRACEBACK_STYLE = '''
|
||||||
<style>
|
<style>
|
||||||
@ -275,8 +275,7 @@ def abort(status_code, message=None):
|
|||||||
in response.py for the given status code.
|
in response.py for the given status code.
|
||||||
"""
|
"""
|
||||||
if message is None:
|
if message is None:
|
||||||
message = COMMON_STATUS_CODES.get(status_code,
|
message = STATUS_CODES.get(status_code)
|
||||||
ALL_STATUS_CODES.get(status_code))
|
|
||||||
# These are stored as bytes in the STATUS_CODES dict
|
# These are stored as bytes in the STATUS_CODES dict
|
||||||
message = message.decode('utf8')
|
message = message.decode('utf8')
|
||||||
sanic_exception = _sanic_exceptions.get(status_code, SanicException)
|
sanic_exception = _sanic_exceptions.get(status_code, SanicException)
|
||||||
|
@ -47,7 +47,7 @@ class Request(dict):
|
|||||||
'app', 'headers', 'version', 'method', '_cookies', 'transport',
|
'app', 'headers', 'version', 'method', '_cookies', 'transport',
|
||||||
'body', 'parsed_json', 'parsed_args', 'parsed_form', 'parsed_files',
|
'body', 'parsed_json', 'parsed_args', 'parsed_form', 'parsed_files',
|
||||||
'_ip', '_parsed_url', 'uri_template', 'stream', '_remote_addr',
|
'_ip', '_parsed_url', 'uri_template', 'stream', '_remote_addr',
|
||||||
'endpoint',
|
'_socket', '_port', 'endpoint'
|
||||||
)
|
)
|
||||||
|
|
||||||
def __init__(self, url_bytes, headers, version, method, transport):
|
def __init__(self, url_bytes, headers, version, method, transport):
|
||||||
@ -169,11 +169,27 @@ class Request(dict):
|
|||||||
|
|
||||||
@property
|
@property
|
||||||
def ip(self):
|
def ip(self):
|
||||||
if not hasattr(self, '_ip'):
|
if not hasattr(self, '_socket'):
|
||||||
self._ip = (self.transport.get_extra_info('peername') or
|
self._get_address()
|
||||||
(None, None))
|
|
||||||
return self._ip
|
return self._ip
|
||||||
|
|
||||||
|
@property
|
||||||
|
def port(self):
|
||||||
|
if not hasattr(self, '_socket'):
|
||||||
|
self._get_address()
|
||||||
|
return self._port
|
||||||
|
|
||||||
|
@property
|
||||||
|
def socket(self):
|
||||||
|
if not hasattr(self, '_socket'):
|
||||||
|
self._get_socket()
|
||||||
|
return self._socket
|
||||||
|
|
||||||
|
def _get_address(self):
|
||||||
|
self._socket = (self.transport.get_extra_info('peername') or
|
||||||
|
(None, None))
|
||||||
|
self._ip, self._port = self._socket
|
||||||
|
|
||||||
@property
|
@property
|
||||||
def remote_addr(self):
|
def remote_addr(self):
|
||||||
"""Attempt to return the original client ip based on X-Forwarded-For.
|
"""Attempt to return the original client ip based on X-Forwarded-For.
|
||||||
|
@ -3,20 +3,14 @@ from os import path
|
|||||||
|
|
||||||
try:
|
try:
|
||||||
from ujson import dumps as json_dumps
|
from ujson import dumps as json_dumps
|
||||||
except:
|
except BaseException:
|
||||||
from json import dumps as json_dumps
|
from json import dumps as json_dumps
|
||||||
|
|
||||||
from aiofiles import open as open_async
|
from aiofiles import open as open_async
|
||||||
|
|
||||||
from sanic.cookies import CookieJar
|
from sanic.cookies import CookieJar
|
||||||
|
|
||||||
COMMON_STATUS_CODES = {
|
STATUS_CODES = {
|
||||||
200: b'OK',
|
|
||||||
400: b'Bad Request',
|
|
||||||
404: b'Not Found',
|
|
||||||
500: b'Internal Server Error',
|
|
||||||
}
|
|
||||||
ALL_STATUS_CODES = {
|
|
||||||
100: b'Continue',
|
100: b'Continue',
|
||||||
101: b'Switching Protocols',
|
101: b'Switching Protocols',
|
||||||
102: b'Processing',
|
102: b'Processing',
|
||||||
@ -162,11 +156,10 @@ class StreamingHTTPResponse(BaseHTTPResponse):
|
|||||||
|
|
||||||
headers = self._parse_headers()
|
headers = self._parse_headers()
|
||||||
|
|
||||||
# Try to pull from the common codes first
|
if self.status is 200:
|
||||||
# Speeds up response rate 6% over pulling from all
|
status = b'OK'
|
||||||
status = COMMON_STATUS_CODES.get(self.status)
|
else:
|
||||||
if not status:
|
status = STATUS_CODES.get(self.status)
|
||||||
status = ALL_STATUS_CODES.get(self.status)
|
|
||||||
|
|
||||||
return (b'HTTP/%b %d %b\r\n'
|
return (b'HTTP/%b %d %b\r\n'
|
||||||
b'%b'
|
b'%b'
|
||||||
@ -209,11 +202,10 @@ class HTTPResponse(BaseHTTPResponse):
|
|||||||
|
|
||||||
headers = self._parse_headers()
|
headers = self._parse_headers()
|
||||||
|
|
||||||
# Try to pull from the common codes first
|
if self.status is 200:
|
||||||
# Speeds up response rate 6% over pulling from all
|
status = b'OK'
|
||||||
status = COMMON_STATUS_CODES.get(self.status)
|
else:
|
||||||
if not status:
|
status = STATUS_CODES.get(self.status, b'UNKNOWN RESPONSE')
|
||||||
status = ALL_STATUS_CODES.get(self.status, b'UNKNOWN RESPONSE')
|
|
||||||
|
|
||||||
return (b'HTTP/%b %d %b\r\n'
|
return (b'HTTP/%b %d %b\r\n'
|
||||||
b'Connection: %b\r\n'
|
b'Connection: %b\r\n'
|
||||||
|
@ -312,7 +312,7 @@ class HttpProtocol(asyncio.Protocol):
|
|||||||
else:
|
else:
|
||||||
extra['byte'] = -1
|
extra['byte'] = -1
|
||||||
|
|
||||||
if self.request:
|
if self.request is not None:
|
||||||
extra['host'] = '{0}:{1}'.format(self.request.ip[0],
|
extra['host'] = '{0}:{1}'.format(self.request.ip[0],
|
||||||
self.request.ip[1])
|
self.request.ip[1])
|
||||||
extra['request'] = '{0} {1}'.format(self.request.method,
|
extra['request'] = '{0} {1}'.format(self.request.method,
|
||||||
@ -588,7 +588,7 @@ def serve(host, port, request_handler, error_handler, before_start=None,
|
|||||||
|
|
||||||
try:
|
try:
|
||||||
http_server = loop.run_until_complete(server_coroutine)
|
http_server = loop.run_until_complete(server_coroutine)
|
||||||
except:
|
except BaseException:
|
||||||
logger.exception("Unable to start server")
|
logger.exception("Unable to start server")
|
||||||
return
|
return
|
||||||
|
|
||||||
|
@ -76,14 +76,14 @@ class SanicTestClient:
|
|||||||
try:
|
try:
|
||||||
request, response = results
|
request, response = results
|
||||||
return request, response
|
return request, response
|
||||||
except:
|
except BaseException:
|
||||||
raise ValueError(
|
raise ValueError(
|
||||||
"Request and response object expected, got ({})".format(
|
"Request and response object expected, got ({})".format(
|
||||||
results))
|
results))
|
||||||
else:
|
else:
|
||||||
try:
|
try:
|
||||||
return results[-1]
|
return results[-1]
|
||||||
except:
|
except BaseException:
|
||||||
raise ValueError(
|
raise ValueError(
|
||||||
"Request object expected, got ({})".format(results))
|
"Request object expected, got ({})".format(results))
|
||||||
|
|
||||||
|
@ -13,10 +13,18 @@ class WebSocketProtocol(HttpProtocol):
|
|||||||
self.websocket_max_size = websocket_max_size
|
self.websocket_max_size = websocket_max_size
|
||||||
self.websocket_max_queue = websocket_max_queue
|
self.websocket_max_queue = websocket_max_queue
|
||||||
|
|
||||||
def connection_timeout(self):
|
# timeouts make no sense for websocket routes
|
||||||
# timeouts make no sense for websocket routes
|
def request_timeout_callback(self):
|
||||||
if self.websocket is None:
|
if self.websocket is None:
|
||||||
super().connection_timeout()
|
super().request_timeout_callback()
|
||||||
|
|
||||||
|
def response_timeout_callback(self):
|
||||||
|
if self.websocket is None:
|
||||||
|
super().response_timeout_callback()
|
||||||
|
|
||||||
|
def keep_alive_timeout_callback(self):
|
||||||
|
if self.websocket is None:
|
||||||
|
super().keep_alive_timeout_callback()
|
||||||
|
|
||||||
def connection_lost(self, exc):
|
def connection_lost(self, exc):
|
||||||
if self.websocket is not None:
|
if self.websocket is not None:
|
||||||
|
@ -23,6 +23,9 @@ from sanic.websocket import WebSocketProtocol
|
|||||||
|
|
||||||
class GunicornWorker(base.Worker):
|
class GunicornWorker(base.Worker):
|
||||||
|
|
||||||
|
http_protocol = HttpProtocol
|
||||||
|
websocket_protocol = WebSocketProtocol
|
||||||
|
|
||||||
def __init__(self, *args, **kw): # pragma: no cover
|
def __init__(self, *args, **kw): # pragma: no cover
|
||||||
super().__init__(*args, **kw)
|
super().__init__(*args, **kw)
|
||||||
cfg = self.cfg
|
cfg = self.cfg
|
||||||
@ -46,8 +49,9 @@ class GunicornWorker(base.Worker):
|
|||||||
|
|
||||||
def run(self):
|
def run(self):
|
||||||
is_debug = self.log.loglevel == logging.DEBUG
|
is_debug = self.log.loglevel == logging.DEBUG
|
||||||
protocol = (WebSocketProtocol if self.app.callable.websocket_enabled
|
protocol = (
|
||||||
else HttpProtocol)
|
self.websocket_protocol if self.app.callable.websocket_enabled
|
||||||
|
else self.http_protocol)
|
||||||
self._server_settings = self.app.callable._helper(
|
self._server_settings = self.app.callable._helper(
|
||||||
loop=self.loop,
|
loop=self.loop,
|
||||||
debug=is_debug,
|
debug=is_debug,
|
||||||
@ -70,13 +74,13 @@ class GunicornWorker(base.Worker):
|
|||||||
trigger_events(self._server_settings.get('before_stop', []),
|
trigger_events(self._server_settings.get('before_stop', []),
|
||||||
self.loop)
|
self.loop)
|
||||||
self.loop.run_until_complete(self.close())
|
self.loop.run_until_complete(self.close())
|
||||||
except:
|
except BaseException:
|
||||||
traceback.print_exc()
|
traceback.print_exc()
|
||||||
finally:
|
finally:
|
||||||
try:
|
try:
|
||||||
trigger_events(self._server_settings.get('after_stop', []),
|
trigger_events(self._server_settings.get('after_stop', []),
|
||||||
self.loop)
|
self.loop)
|
||||||
except:
|
except BaseException:
|
||||||
traceback.print_exc()
|
traceback.print_exc()
|
||||||
finally:
|
finally:
|
||||||
self.loop.close()
|
self.loop.close()
|
||||||
|
@ -27,6 +27,16 @@ def test_sync():
|
|||||||
|
|
||||||
assert response.text == 'Hello'
|
assert response.text == 'Hello'
|
||||||
|
|
||||||
|
def test_remote_address():
|
||||||
|
app = Sanic('test_text')
|
||||||
|
|
||||||
|
@app.route('/')
|
||||||
|
def handler(request):
|
||||||
|
return text("{}".format(request.ip))
|
||||||
|
|
||||||
|
request, response = app.test_client.get('/')
|
||||||
|
|
||||||
|
assert response.text == '127.0.0.1'
|
||||||
|
|
||||||
def test_text():
|
def test_text():
|
||||||
app = Sanic('test_text')
|
app = Sanic('test_text')
|
||||||
|
Loading…
x
Reference in New Issue
Block a user