Merge remote-tracking branch 'upstream/master'
# Conflicts: # sanic/server.py
This commit is contained in:
		| @@ -57,6 +57,12 @@ for Gunicorn `worker-class` argument: | ||||
| gunicorn myapp:app --bind 0.0.0.0:1337 --worker-class sanic.worker.GunicornWorker | ||||
| ``` | ||||
|  | ||||
| If your application suffers from memory leaks, you can configure Gunicorn to gracefully restart a worker | ||||
| after it has processed a given number of requests. This can be a convenient way to help limit the effects | ||||
| of the memory leak. | ||||
|  | ||||
| See the [Gunicorn Docs](http://docs.gunicorn.org/en/latest/settings.html#max-requests) for more information. | ||||
|  | ||||
| ## Asynchronous support | ||||
| This is suitable if you *need* to share the sanic process with other applications, in particular the `loop`. | ||||
| However be advised that this method does not support using multiple processes, and is not the preferred way | ||||
|   | ||||
| @@ -22,3 +22,4 @@ A list of Sanic extensions created by the community. | ||||
| - [sanic-graphql](https://github.com/graphql-python/sanic-graphql): GraphQL integration with Sanic | ||||
| - [sanic-prometheus](https://github.com/dkruchinin/sanic-prometheus): Prometheus metrics for Sanic | ||||
| - [Sanic-RestPlus](https://github.com/ashleysommer/sanic-restplus): A port of Flask-RestPlus for Sanic. Full-featured REST API with SwaggerUI generation. | ||||
| - [sanic-transmute](https://github.com/yunstanford/sanic-transmute): A Sanic extension that generates APIs from python function and classes, and also generates Swagger UI/documentation automatically. | ||||
|   | ||||
| @@ -1,11 +1,11 @@ | ||||
| # Logging | ||||
|  | ||||
|  | ||||
| Sanic allows you to do different types of logging (access log, error log) on the requests based on the [python3 logging API](https://docs.python.org/3/howto/logging.html). You should have some basic knowledge on python3 logging if you want do create a new configuration. | ||||
| Sanic allows you to do different types of logging (access log, error log) on the requests based on the [python3 logging API](https://docs.python.org/3/howto/logging.html). You should have some basic knowledge on python3 logging if you want to create a new configuration. | ||||
|  | ||||
| ### Quck Start | ||||
| ### Quick Start | ||||
|  | ||||
| A simple example using default setting would be like this: | ||||
| A simple example using default settings would be like this: | ||||
|  | ||||
| ```python | ||||
| from sanic import Sanic | ||||
|   | ||||
| @@ -1,26 +0,0 @@ | ||||
| from sanic import Sanic | ||||
| from sanic import response | ||||
|  | ||||
| import aiohttp | ||||
|  | ||||
| app = Sanic(__name__) | ||||
|  | ||||
| async def fetch(session, url): | ||||
|     """ | ||||
|     Use session object to perform 'get' request on url | ||||
|     """ | ||||
|     async with session.get(url) as result: | ||||
|         return await result.json() | ||||
|  | ||||
|  | ||||
| @app.route('/') | ||||
| async def handle_request(request): | ||||
|     url = "https://api.github.com/repos/channelcat/sanic" | ||||
|      | ||||
|     async with aiohttp.ClientSession() as session: | ||||
|         result = await fetch(session, url) | ||||
|         return response.json(result) | ||||
|  | ||||
|  | ||||
| if __name__ == '__main__': | ||||
|     app.run(host="0.0.0.0", port=8000, workers=2) | ||||
| @@ -1,139 +0,0 @@ | ||||
| from sanic import Sanic | ||||
| from sanic.exceptions import NotFound, URLBuildError | ||||
| from sanic.response import json | ||||
| from sanic.views import HTTPMethodView | ||||
|  | ||||
| from asyncorm import configure_orm | ||||
| from asyncorm.exceptions import QuerysetError | ||||
|  | ||||
| from library.models import Book | ||||
| from library.serializer import BookSerializer | ||||
|  | ||||
| app = Sanic(name=__name__) | ||||
|  | ||||
|  | ||||
| @app.listener('before_server_start') | ||||
| def orm_configure(sanic, loop): | ||||
|     db_config = {'database': 'sanic_example', | ||||
|                  'host': 'localhost', | ||||
|                  'user': 'sanicdbuser', | ||||
|                  'password': 'sanicDbPass', | ||||
|                  } | ||||
|  | ||||
|     # configure_orm needs a dictionary with: | ||||
|     #    * the database configuration | ||||
|     #    * the application/s where the models are defined | ||||
|     orm_app = configure_orm({'loop': loop,  # always use the sanic loop! | ||||
|                              'db_config': db_config, | ||||
|                              'modules': ['library', ],  # list of apps | ||||
|                              }) | ||||
|  | ||||
|     # orm_app is the object that orchestrates the whole ORM | ||||
|     # sync_db should be run only once, better do that as external command | ||||
|     # it creates the tables in the database!!!! | ||||
|     # orm_app.sync_db() | ||||
|  | ||||
|  | ||||
| # for all the 404 lets handle the exceptions | ||||
| @app.exception(NotFound) | ||||
| def ignore_404s(request, exception): | ||||
|     return json({'method': request.method, | ||||
|                  'status': exception.status_code, | ||||
|                  'error': exception.args[0], | ||||
|                  'results': None, | ||||
|                  }) | ||||
|  | ||||
|  | ||||
| # now the propper sanic workflow | ||||
| class BooksView(HTTPMethodView): | ||||
|  | ||||
|     async def get(self, request): | ||||
|         filtered_by = request.raw_args | ||||
|  | ||||
|         if filtered_by: | ||||
|             try: | ||||
|                 q_books = Book.objects.filter(**filtered_by) | ||||
|             except AttributeError as e: | ||||
|                 raise URLBuildError(e.args[0]) | ||||
|         else: | ||||
|             q_books = Book.objects.all() | ||||
|  | ||||
|         books = [] | ||||
|         async for book in q_books: | ||||
|             books.append(BookSerializer.serialize(book)) | ||||
|  | ||||
|         return json({'method': request.method, | ||||
|                      'status': 200, | ||||
|                      'results': books or None, | ||||
|                      'count': len(books), | ||||
|                      }) | ||||
|  | ||||
|     async def post(self, request): | ||||
|         # populate the book with the data in the request | ||||
|         book = Book(**request.json) | ||||
|  | ||||
|         # and await on save | ||||
|         await book.save() | ||||
|  | ||||
|         return json({'method': request.method, | ||||
|                      'status': 201, | ||||
|                      'results': BookSerializer.serialize(book), | ||||
|                      }) | ||||
|  | ||||
| class BookView(HTTPMethodView): | ||||
|     async def get_object(self, request, book_id): | ||||
|         try: | ||||
|             # await on database consults | ||||
|             book = await Book.objects.get(**{'id': book_id}) | ||||
|         except QuerysetError as e: | ||||
|             raise NotFound(e.args[0]) | ||||
|         return book | ||||
|  | ||||
|     async def get(self, request, book_id): | ||||
|         # await on database consults | ||||
|         book = await self.get_object(request, book_id) | ||||
|  | ||||
|         return json({'method': request.method, | ||||
|                      'status': 200, | ||||
|                      'results': BookSerializer.serialize(book), | ||||
|                      }) | ||||
|  | ||||
|     async def put(self, request, book_id): | ||||
|         # await on database consults | ||||
|         book = await self.get_object(request, book_id) | ||||
|         # await on save | ||||
|         await book.save(**request.json) | ||||
|  | ||||
|         return json({'method': request.method, | ||||
|                      'status': 200, | ||||
|                      'results': BookSerializer.serialize(book), | ||||
|                      }) | ||||
|  | ||||
|     async def patch(self, request, book_id): | ||||
|         # await on database consults | ||||
|         book = await self.get_object(request, book_id) | ||||
|         # await on save | ||||
|         await book.save(**request.json) | ||||
|  | ||||
|         return json({'method': request.method, | ||||
|                      'status': 200, | ||||
|                      'results': BookSerializer.serialize(book), | ||||
|                      }) | ||||
|  | ||||
|     async def delete(self, request, book_id): | ||||
|         # await on database consults | ||||
|         book = await self.get_object(request, book_id) | ||||
|         # await on its deletion | ||||
|         await book.delete() | ||||
|  | ||||
|         return json({'method': request.method, | ||||
|                      'status': 200, | ||||
|                      'results': None | ||||
|                      }) | ||||
|  | ||||
|  | ||||
| app.add_route(BooksView.as_view(), '/books/') | ||||
| app.add_route(BookView.as_view(), '/books/<book_id:int>/') | ||||
|  | ||||
| if __name__ == '__main__': | ||||
|     app.run() | ||||
| @@ -1,21 +0,0 @@ | ||||
| from asyncorm.model import Model | ||||
| from asyncorm.fields import CharField, IntegerField, DateField | ||||
|  | ||||
|  | ||||
| BOOK_CHOICES = ( | ||||
|     ('hard cover', 'hard cover book'), | ||||
|     ('paperback', 'paperback book') | ||||
| ) | ||||
|  | ||||
|  | ||||
| # This is a simple model definition | ||||
| class Book(Model): | ||||
|     name = CharField(max_length=50) | ||||
|     synopsis = CharField(max_length=255) | ||||
|     book_type = CharField(max_length=15, null=True, choices=BOOK_CHOICES) | ||||
|     pages = IntegerField(null=True) | ||||
|     date_created = DateField(auto_now=True) | ||||
|  | ||||
|     class Meta(): | ||||
|         ordering = ['name', ] | ||||
|         unique_together = ['name', 'synopsis'] | ||||
| @@ -1,15 +0,0 @@ | ||||
| from asyncorm.model import ModelSerializer, SerializerMethod | ||||
| from library.models import Book | ||||
|  | ||||
|  | ||||
| class BookSerializer(ModelSerializer): | ||||
|     book_type = SerializerMethod() | ||||
|  | ||||
|     def get_book_type(self, instance): | ||||
|         return instance.book_type_display() | ||||
|  | ||||
|     class Meta(): | ||||
|         model = Book | ||||
|         fields = [ | ||||
|             'id', 'name', 'synopsis', 'book_type', 'pages', 'date_created' | ||||
|         ] | ||||
| @@ -1,2 +0,0 @@ | ||||
| asyncorm==0.0.9 | ||||
| sanic==0.5.4 | ||||
| @@ -1,6 +1,6 @@ | ||||
| from sanic import Sanic | ||||
| from sanic import Blueprint | ||||
| from sanic.response import json, text | ||||
| from sanic.response import json | ||||
|  | ||||
|  | ||||
| app = Sanic(__name__) | ||||
|   | ||||
| @@ -1,73 +0,0 @@ | ||||
| """ | ||||
| Example of caching using aiocache package. To run it you will need to install | ||||
| aiocache with `pip install aiocache` plus a Redis instance running | ||||
| in localhost:6379 | ||||
|  | ||||
| Running this example you will see that the first call lasts 3 seconds and | ||||
| the rest are instant because the value is retrieved from Redis. | ||||
|  | ||||
| If you want more info about the package check | ||||
| https://github.com/argaen/aiocache | ||||
| """ | ||||
|  | ||||
| import asyncio | ||||
| import uuid | ||||
|  | ||||
| from sanic import Sanic | ||||
| from sanic.response import json | ||||
| from sanic.log import log | ||||
|  | ||||
| from aiocache import caches, cached | ||||
|  | ||||
|  | ||||
| app = Sanic(__name__) | ||||
|  | ||||
|  | ||||
| config = { | ||||
|     "default": { | ||||
|         "cache": "aiocache.RedisCache", | ||||
|         "endpoint": "127.0.0.1", | ||||
|         "timeout": 2, | ||||
|         "namespace": "sanic", | ||||
|         "serializer": { | ||||
|             "class": "aiocache.serializers.JsonSerializer" | ||||
|         } | ||||
|     } | ||||
| } | ||||
|  | ||||
|  | ||||
| @app.listener('before_server_start') | ||||
| def init_cache(sanic, loop): | ||||
|     caches.set_config(config) | ||||
|  | ||||
|  | ||||
| # You can use alias or pass explicit args instead | ||||
| @cached(key="my_custom_key", ttl=30, alias="default") | ||||
| async def expensive_call(): | ||||
|     log.info("Expensive has been called") | ||||
|     await asyncio.sleep(3) | ||||
|     # You are storing the whole dict under "my_custom_key" | ||||
|     return {"test": str(uuid.uuid4())} | ||||
|  | ||||
|  | ||||
| async def get_cache_value(): | ||||
|     # This lazy loads a singleton so it will return the same instance every | ||||
|     # time. If you want to create a new instance, you can use | ||||
|     # `caches.create("default")` | ||||
|     cache = caches.get("default") | ||||
|     return await cache.get("my_custom_key") | ||||
|  | ||||
|  | ||||
| @app.route("/") | ||||
| async def test(request): | ||||
|     log.info("Received GET /") | ||||
|     return json(await expensive_call()) | ||||
|  | ||||
|  | ||||
| @app.route("/retrieve") | ||||
| async def test(request): | ||||
|     log.info("Received GET /retrieve") | ||||
|     return json(await get_cache_value()) | ||||
|  | ||||
|  | ||||
| app.run(host="0.0.0.0", port=8000) | ||||
| @@ -1,41 +0,0 @@ | ||||
| from sanic import Sanic | ||||
| from sanic import response | ||||
|  | ||||
| from tornado.platform.asyncio import BaseAsyncIOLoop, to_asyncio_future | ||||
| from distributed import LocalCluster, Client | ||||
|  | ||||
|  | ||||
| app = Sanic(__name__) | ||||
|  | ||||
|  | ||||
| def square(x): | ||||
|     return x**2 | ||||
|  | ||||
|  | ||||
| @app.listener('after_server_start') | ||||
| async def setup(app, loop): | ||||
|     # configure tornado use asyncio's loop | ||||
|     ioloop = BaseAsyncIOLoop(loop) | ||||
|  | ||||
|     # init distributed client | ||||
|     app.client = Client('tcp://localhost:8786', loop=ioloop, start=False) | ||||
|     await to_asyncio_future(app.client._start()) | ||||
|  | ||||
|  | ||||
| @app.listener('before_server_stop') | ||||
| async def stop(app, loop): | ||||
|     await to_asyncio_future(app.client._shutdown()) | ||||
|  | ||||
|  | ||||
| @app.route('/<value:int>') | ||||
| async def test(request, value): | ||||
|     future = app.client.submit(square, value) | ||||
|     result = await to_asyncio_future(future._result()) | ||||
|     return response.text(f'The square of {value} is {result}') | ||||
|  | ||||
|  | ||||
| if __name__ == '__main__': | ||||
|     # Distributed cluster should run somewhere else | ||||
|     with LocalCluster(scheduler_port=8786, nanny=False, n_workers=2, | ||||
|                       threads_per_worker=1) as cluster: | ||||
|         app.run(host="0.0.0.0", port=8000) | ||||
| @@ -1,136 +0,0 @@ | ||||
| # This demo requires aioredis and environmental variables established in ENV_VARS | ||||
| import json | ||||
| import logging | ||||
| import os | ||||
|  | ||||
| from datetime import datetime | ||||
|  | ||||
| import aioredis | ||||
|  | ||||
| import sanic | ||||
| from sanic import Sanic | ||||
|  | ||||
|  | ||||
| ENV_VARS = ["REDIS_HOST", "REDIS_PORT", | ||||
|             "REDIS_MINPOOL", "REDIS_MAXPOOL", | ||||
|             "REDIS_PASS", "APP_LOGFILE"] | ||||
|  | ||||
| app = Sanic(name=__name__) | ||||
|  | ||||
| logger = None | ||||
|  | ||||
|  | ||||
| @app.middleware("request") | ||||
| async def log_uri(request): | ||||
|     # Simple middleware to log the URI endpoint that was called | ||||
|     logger.info("URI called: {0}".format(request.url)) | ||||
|  | ||||
|  | ||||
| @app.listener('before_server_start') | ||||
| async def before_server_start(app, loop): | ||||
|     logger.info("Starting redis pool") | ||||
|     app.redis_pool = await aioredis.create_pool( | ||||
|         (app.config.REDIS_HOST, int(app.config.REDIS_PORT)), | ||||
|         minsize=int(app.config.REDIS_MINPOOL), | ||||
|         maxsize=int(app.config.REDIS_MAXPOOL), | ||||
|         password=app.config.REDIS_PASS) | ||||
|  | ||||
|  | ||||
| @app.listener('after_server_stop') | ||||
| async def after_server_stop(app, loop): | ||||
|     logger.info("Closing redis pool") | ||||
|     app.redis_pool.close() | ||||
|     await app.redis_pool.wait_closed() | ||||
|  | ||||
|  | ||||
| @app.middleware("request") | ||||
| async def attach_db_connectors(request): | ||||
|     # Just put the db objects in the request for easier access | ||||
|     logger.info("Passing redis pool to request object") | ||||
|     request["redis"] = request.app.redis_pool | ||||
|  | ||||
|  | ||||
| @app.route("/state/<user_id>", methods=["GET"]) | ||||
| async def access_state(request, user_id): | ||||
|     try: | ||||
|         # Check to see if the value is in cache, if so lets return that | ||||
|         with await request["redis"] as redis_conn: | ||||
|             state = await redis_conn.get(user_id, encoding="utf-8") | ||||
|             if state: | ||||
|                 return sanic.response.json({"msg": "Success", | ||||
|                                             "status": 200, | ||||
|                                             "success": True, | ||||
|                                             "data": json.loads(state), | ||||
|                                             "finished_at": datetime.now().isoformat()}) | ||||
|         # Then state object is not in redis | ||||
|         logger.critical("Unable to find user_data in cache.") | ||||
|         return sanic.response.HTTPResponse({"msg": "User state not found", | ||||
|                                             "success": False, | ||||
|                                             "status": 404, | ||||
|                                             "finished_at": datetime.now().isoformat()}, status=404) | ||||
|     except aioredis.ProtocolError: | ||||
|         logger.critical("Unable to connect to state cache") | ||||
|         return sanic.response.HTTPResponse({"msg": "Internal Server Error", | ||||
|                                             "status": 500, | ||||
|                                             "success": False, | ||||
|                                             "finished_at": datetime.now().isoformat()}, status=500) | ||||
|  | ||||
|  | ||||
| @app.route("/state/<user_id>/push", methods=["POST"]) | ||||
| async def set_state(request, user_id): | ||||
|     try: | ||||
|         # Pull a connection from the pool | ||||
|         with await request["redis"] as redis_conn: | ||||
|             # Set the value in cache to your new value | ||||
|             await redis_conn.set(user_id, json.dumps(request.json), expire=1800) | ||||
|             logger.info("Successfully pushed state to cache") | ||||
|             return sanic.response.HTTPResponse({"msg": "Successfully pushed state to cache", | ||||
|                                                 "success": True, | ||||
|                                                 "status": 200, | ||||
|                                                 "finished_at": datetime.now().isoformat()}) | ||||
|     except aioredis.ProtocolError: | ||||
|         logger.critical("Unable to connect to state cache") | ||||
|         return sanic.response.HTTPResponse({"msg": "Internal Server Error", | ||||
|                                             "status": 500, | ||||
|                                             "success": False, | ||||
|                                             "finished_at": datetime.now().isoformat()}, status=500) | ||||
|  | ||||
|  | ||||
| def configure(): | ||||
|     # Setup environment variables | ||||
|     env_vars = [os.environ.get(v, None) for v in ENV_VARS] | ||||
|     if not all(env_vars): | ||||
|         # Send back environment variables that were not set | ||||
|         return False, ", ".join([ENV_VARS[i] for i, flag in env_vars if not flag]) | ||||
|     else: | ||||
|         # Add all the env vars to our app config | ||||
|         app.config.update({k: v for k, v in zip(ENV_VARS, env_vars)}) | ||||
|         setup_logging() | ||||
|     return True, None | ||||
|  | ||||
|  | ||||
| def setup_logging(): | ||||
|     logging_format = "[%(asctime)s] %(process)d-%(levelname)s " | ||||
|     logging_format += "%(module)s::%(funcName)s():l%(lineno)d: " | ||||
|     logging_format += "%(message)s" | ||||
|  | ||||
|     logging.basicConfig( | ||||
|         filename=app.config.APP_LOGFILE, | ||||
|         format=logging_format, | ||||
|         level=logging.DEBUG) | ||||
|  | ||||
|  | ||||
| def main(result, missing): | ||||
|     if result: | ||||
|         try: | ||||
|             app.run(host="0.0.0.0", port=8080, debug=True) | ||||
|         except: | ||||
|             logging.critical("User killed server. Closing") | ||||
|     else: | ||||
|         logging.critical("Unable to start. Missing environment variables [{0}]".format(missing)) | ||||
|  | ||||
|  | ||||
| if __name__ == "__main__": | ||||
|     result, missing = configure() | ||||
|     logger = logging.getLogger() | ||||
|     main(result, missing) | ||||
| @@ -37,7 +37,6 @@ server's error_handler to an instance of our CustomHandler | ||||
| """ | ||||
|  | ||||
| from sanic import Sanic | ||||
| from sanic import response | ||||
|  | ||||
| app = Sanic(__name__) | ||||
|  | ||||
| @@ -49,8 +48,7 @@ app.error_handler = handler | ||||
| async def test(request): | ||||
|     # Here, something occurs which causes an unexpected exception | ||||
|     # This exception will flow to our custom handler. | ||||
|     1 / 0 | ||||
|     return response.json({"test": True}) | ||||
|     raise SanicException('You Broke It!') | ||||
|  | ||||
|  | ||||
| app.run(host="0.0.0.0", port=8000, debug=True) | ||||
| if __name__ == '__main__': | ||||
|     app.run(host="0.0.0.0", port=8000, debug=True) | ||||
|   | ||||
| @@ -1,28 +0,0 @@ | ||||
| # Render templates in a Flask like way from a "template" directory in | ||||
| # the project | ||||
|  | ||||
| from sanic import Sanic | ||||
| from sanic import response | ||||
| from jinja2 import Environment, PackageLoader, select_autoescape | ||||
|  | ||||
| app = Sanic(__name__) | ||||
|  | ||||
| # Load the template environment with async support | ||||
| template_env = Environment( | ||||
|     loader=PackageLoader('jinja_example', 'templates'), | ||||
|     autoescape=select_autoescape(['html', 'xml']), | ||||
|     enable_async=True | ||||
| ) | ||||
|  | ||||
| # Load the template from file | ||||
| template = template_env.get_template("example_template.html") | ||||
|  | ||||
|  | ||||
| @app.route('/') | ||||
| async def test(request): | ||||
|     rendered_template = await template.render_async( | ||||
|         knights='that say nih; asynchronously') | ||||
|     return response.html(rendered_template) | ||||
|  | ||||
|  | ||||
| app.run(host="0.0.0.0", port=8080, debug=True) | ||||
| @@ -1,8 +0,0 @@ | ||||
| aiofiles==0.3.1 | ||||
| httptools==0.0.9 | ||||
| Jinja2==2.9.6 | ||||
| MarkupSafe==1.0 | ||||
| sanic==0.5.2 | ||||
| ujson==1.35 | ||||
| uvloop==0.8.0 | ||||
| websockets==3.3 | ||||
| @@ -1,10 +0,0 @@ | ||||
| <!DOCTYPE html> | ||||
| <html lang="en"> | ||||
| <head> | ||||
|     <title>My Webpage</title> | ||||
| </head> | ||||
| <body> | ||||
|     <h1>Hello World</h1> | ||||
|     <p>knights - {{ knights }}</p> | ||||
| </body> | ||||
| </html> | ||||
| @@ -8,11 +8,12 @@ app = Sanic(__name__) | ||||
|  | ||||
| sem = None | ||||
|  | ||||
|  | ||||
| @app.listener('before_server_start') | ||||
| def init(sanic, loop): | ||||
|     global sem | ||||
|     CONCURRENCY_PER_WORKER = 4 | ||||
|     sem = asyncio.Semaphore(CONCURRENCY_PER_WORKER, loop=loop) | ||||
|     concurrency_per_worker = 4 | ||||
|     sem = asyncio.Semaphore(concurrency_per_worker, loop=loop) | ||||
|  | ||||
| async def bounded_fetch(session, url): | ||||
|     """ | ||||
|   | ||||
| @@ -7,6 +7,7 @@ from sanic import response | ||||
|  | ||||
| app = Sanic(__name__) | ||||
|  | ||||
|  | ||||
| @app.route('/') | ||||
| def handle_request(request): | ||||
|     return response.json( | ||||
| @@ -14,7 +15,8 @@ def handle_request(request): | ||||
|         headers={'X-Served-By': 'sanic'}, | ||||
|         status=200 | ||||
|     ) | ||||
|      | ||||
|  | ||||
|  | ||||
| @app.route('/unauthorized') | ||||
| def handle_request(request): | ||||
|     return response.json( | ||||
|   | ||||
| @@ -14,6 +14,8 @@ log = logging.getLogger() | ||||
|  | ||||
| # Set logger to override default basicConfig | ||||
| sanic = Sanic() | ||||
|  | ||||
|  | ||||
| @sanic.route("/") | ||||
| def test(request): | ||||
|     log.info("received request; responding with 'hey'") | ||||
|   | ||||
| @@ -1,25 +0,0 @@ | ||||
| from sanic import Sanic | ||||
| from sanic.response import html | ||||
| import plotly | ||||
| import plotly.graph_objs as go | ||||
|  | ||||
| app = Sanic(__name__) | ||||
|  | ||||
|  | ||||
| @app.route('/') | ||||
| async def index(request): | ||||
|     trace1 = go.Scatter( | ||||
|         x=[0, 1, 2, 3, 4, 5], | ||||
|         y=[1.5, 1, 1.3, 0.7, 0.8, 0.9] | ||||
|     ) | ||||
|     trace2 = go.Bar( | ||||
|         x=[0, 1, 2, 3, 4, 5], | ||||
|         y=[1, 0.5, 0.7, -1.2, 0.3, 0.4] | ||||
|     ) | ||||
|  | ||||
|     data = [trace1, trace2] | ||||
|     return html(plotly.offline.plot(data, auto_open=False, output_type='div')) | ||||
|  | ||||
|  | ||||
| if __name__ == '__main__': | ||||
|     app.run(host='0.0.0.0', port=8000, debug=True) | ||||
| @@ -1,2 +0,0 @@ | ||||
| plotly>=2.0.7 | ||||
| sanic>=0.5.0 | ||||
| @@ -7,7 +7,8 @@ app = Sanic(__name__) | ||||
| @app.route('/') | ||||
| def handle_request(request): | ||||
|     return response.redirect('/redirect') | ||||
|      | ||||
|  | ||||
|  | ||||
| @app.route('/redirect') | ||||
| async def test(request): | ||||
|     return response.json({"Redirected": True}) | ||||
|   | ||||
| @@ -6,5 +6,5 @@ data = "" | ||||
| for i in range(1, 250000): | ||||
|     data += str(i) | ||||
|  | ||||
| r = requests.post('http://127.0.0.1:8000/stream', data=data) | ||||
| r = requests.post('http://0.0.0.0:8000/stream', data=data) | ||||
| print(r.text) | ||||
|   | ||||
| @@ -62,4 +62,4 @@ app.add_route(view, '/composition_view') | ||||
|  | ||||
|  | ||||
| if __name__ == '__main__': | ||||
|     app.run(host='127.0.0.1', port=8000) | ||||
|     app.run(host='0.0.0.0', port=8000) | ||||
|   | ||||
| @@ -18,4 +18,4 @@ async def test(request): | ||||
| def timeout(request, exception): | ||||
|     return response.text('RequestTimeout from error_handler.', 408) | ||||
|  | ||||
| app.run(host='0.0.0.0', port=8000) | ||||
| app.run(host='0.0.0.0', port=8000) | ||||
|   | ||||
| @@ -1,12 +1,12 @@ | ||||
| from sanic import Sanic | ||||
| from sanic import response | ||||
| from multiprocessing import Event | ||||
| from signal import signal, SIGINT | ||||
| import asyncio | ||||
| import uvloop | ||||
|  | ||||
| app = Sanic(__name__) | ||||
|  | ||||
|  | ||||
| @app.route("/") | ||||
| async def test(request): | ||||
|     return response.json({"answer": "42"}) | ||||
|   | ||||
| @@ -1,62 +0,0 @@ | ||||
| # encoding: utf-8 | ||||
| """ | ||||
| You need the aiomysql | ||||
| """ | ||||
| import os | ||||
|  | ||||
| import aiomysql | ||||
|  | ||||
| from sanic import Sanic | ||||
| from sanic.response import json | ||||
|  | ||||
| database_name = os.environ['DATABASE_NAME'] | ||||
| database_host = os.environ['DATABASE_HOST'] | ||||
| database_user = os.environ['DATABASE_USER'] | ||||
| database_password = os.environ['DATABASE_PASSWORD'] | ||||
| app = Sanic() | ||||
|  | ||||
|  | ||||
| @app.listener("before_server_start") | ||||
| async def get_pool(app, loop): | ||||
|     """ | ||||
|     the first param  is the global instance , | ||||
|     so we can store our connection pool in it . | ||||
|     and it can be used by different request | ||||
|     :param args: | ||||
|     :param kwargs: | ||||
|     :return: | ||||
|     """ | ||||
|     app.pool = { | ||||
|         "aiomysql": await aiomysql.create_pool(host=database_host, user=database_user, password=database_password, | ||||
|                                                db=database_name, | ||||
|                                                maxsize=5)} | ||||
|     async with app.pool['aiomysql'].acquire() as conn: | ||||
|         async with conn.cursor() as cur: | ||||
|             await cur.execute('DROP TABLE IF EXISTS sanic_polls') | ||||
|             await cur.execute("""CREATE TABLE sanic_polls ( | ||||
|                                     id serial primary key, | ||||
|                                     question varchar(50), | ||||
|                                     pub_date timestamp | ||||
|                                 );""") | ||||
|             for i in range(0, 100): | ||||
|                 await cur.execute("""INSERT INTO sanic_polls | ||||
|                                 (id, question, pub_date) VALUES ({}, {}, now()) | ||||
|                 """.format(i, i)) | ||||
|  | ||||
|  | ||||
| @app.route("/") | ||||
| async def test(): | ||||
|     result = [] | ||||
|     data = {} | ||||
|     async with app.pool['aiomysql'].acquire() as conn: | ||||
|         async with conn.cursor() as cur: | ||||
|             await cur.execute("SELECT question, pub_date FROM sanic_polls") | ||||
|             async for row in cur: | ||||
|                 result.append({"question": row[0], "pub_date": row[1]}) | ||||
|     if result or len(result) > 0: | ||||
|         data['data'] = res | ||||
|     return json(data) | ||||
|  | ||||
|  | ||||
| if __name__ == '__main__': | ||||
|     app.run(host="127.0.0.1", workers=4, port=12000) | ||||
| @@ -1,61 +0,0 @@ | ||||
| from sanic import Sanic | ||||
| from sanic.response import json | ||||
|  | ||||
| from aiopeewee import AioModel, AioMySQLDatabase, model_to_dict | ||||
| from peewee import CharField, TextField, DateTimeField | ||||
| from peewee import ForeignKeyField, PrimaryKeyField | ||||
|  | ||||
|  | ||||
| db = AioMySQLDatabase('test', user='root', password='', | ||||
|                       host='127.0.0.1', port=3306) | ||||
|  | ||||
|  | ||||
| class User(AioModel): | ||||
|     username = CharField() | ||||
|  | ||||
|     class Meta: | ||||
|         database = db | ||||
|  | ||||
|  | ||||
| class Blog(AioModel): | ||||
|     user = ForeignKeyField(User) | ||||
|     title = CharField(max_length=25) | ||||
|     content = TextField(default='') | ||||
|     pub_date = DateTimeField(null=True) | ||||
|     pk = PrimaryKeyField() | ||||
|  | ||||
|     class Meta: | ||||
|         database = db | ||||
|  | ||||
|  | ||||
| app = Sanic(__name__) | ||||
|  | ||||
|  | ||||
| @app.listener('before_server_start') | ||||
| async def setup(app, loop): | ||||
|     # create connection pool | ||||
|     await db.connect(loop) | ||||
|     # create table if not exists | ||||
|     await db.create_tables([User, Blog], safe=True) | ||||
|  | ||||
|  | ||||
| @app.listener('before_server_stop') | ||||
| async def stop(app, loop): | ||||
|     # close connection pool | ||||
|     await db.close() | ||||
|  | ||||
|  | ||||
| @app.post('/users') | ||||
| async def add_user(request): | ||||
|     user = await User.create(**request.json) | ||||
|     return json(await model_to_dict(user)) | ||||
|  | ||||
|  | ||||
| @app.get('/users/count') | ||||
| async def user_count(request): | ||||
|     count = await User.select().count() | ||||
|     return json({'count': count}) | ||||
|  | ||||
|  | ||||
| if __name__ == '__main__': | ||||
|     app.run(host="0.0.0.0", port=8000) | ||||
| @@ -1,65 +0,0 @@ | ||||
| """ To run this example you need additional aiopg package | ||||
|  | ||||
| """ | ||||
| import os | ||||
| import asyncio | ||||
|  | ||||
| import uvloop | ||||
| import aiopg | ||||
|  | ||||
| from sanic import Sanic | ||||
| from sanic.response import json | ||||
|  | ||||
| database_name = os.environ['DATABASE_NAME'] | ||||
| database_host = os.environ['DATABASE_HOST'] | ||||
| database_user = os.environ['DATABASE_USER'] | ||||
| database_password = os.environ['DATABASE_PASSWORD'] | ||||
|  | ||||
| connection = 'postgres://{0}:{1}@{2}/{3}'.format(database_user, | ||||
|                                                  database_password, | ||||
|                                                  database_host, | ||||
|                                                  database_name) | ||||
|  | ||||
|  | ||||
| async def get_pool(): | ||||
|     return await aiopg.create_pool(connection) | ||||
|  | ||||
| app = Sanic(name=__name__) | ||||
|  | ||||
| @app.listener('before_server_start') | ||||
| async def prepare_db(app, loop): | ||||
|     """ | ||||
|     Let's create some table and add some data | ||||
|     """ | ||||
|     async with aiopg.create_pool(connection) as pool: | ||||
|         async with pool.acquire() as conn: | ||||
|             async with conn.cursor() as cur: | ||||
|                 await cur.execute('DROP TABLE IF EXISTS sanic_polls') | ||||
|                 await cur.execute("""CREATE TABLE sanic_polls ( | ||||
|                                         id serial primary key, | ||||
|                                         question varchar(50), | ||||
|                                         pub_date timestamp | ||||
|                                     );""") | ||||
|                 for i in range(0, 100): | ||||
|                     await cur.execute("""INSERT INTO sanic_polls | ||||
|                                     (id, question, pub_date) VALUES ({}, {}, now()) | ||||
|                     """.format(i, i)) | ||||
|  | ||||
|  | ||||
| @app.route("/") | ||||
| async def handle(request): | ||||
|     result = [] | ||||
|     async def test_select(): | ||||
|         async with aiopg.create_pool(connection) as pool: | ||||
|             async with pool.acquire() as conn: | ||||
|                 async with conn.cursor() as cur: | ||||
|                     await cur.execute("SELECT question, pub_date FROM sanic_polls") | ||||
|                     async for row in cur: | ||||
|                         result.append({"question": row[0], "pub_date": row[1]}) | ||||
|     res = await test_select() | ||||
|     return json({'polls': result}) | ||||
|  | ||||
| if __name__ == '__main__': | ||||
|     app.run(host='0.0.0.0', | ||||
|             port=8000, | ||||
|             debug=True) | ||||
| @@ -1,67 +0,0 @@ | ||||
| """ To run this example you need additional aiopg package | ||||
|  | ||||
| """ | ||||
| import os | ||||
| import asyncio | ||||
| import datetime | ||||
|  | ||||
| import uvloop | ||||
| from aiopg.sa import create_engine | ||||
| import sqlalchemy as sa | ||||
|  | ||||
| from sanic import Sanic | ||||
| from sanic.response import json | ||||
|  | ||||
| database_name = os.environ['DATABASE_NAME'] | ||||
| database_host = os.environ['DATABASE_HOST'] | ||||
| database_user = os.environ['DATABASE_USER'] | ||||
| database_password = os.environ['DATABASE_PASSWORD'] | ||||
|  | ||||
| connection = 'postgres://{0}:{1}@{2}/{3}'.format(database_user, | ||||
|                                                  database_password, | ||||
|                                                  database_host, | ||||
|                                                  database_name) | ||||
|  | ||||
| metadata = sa.MetaData() | ||||
|  | ||||
| polls = sa.Table('sanic_polls', metadata, | ||||
|                  sa.Column('id', sa.Integer, primary_key=True), | ||||
|                  sa.Column('question', sa.String(50)), | ||||
|                  sa.Column("pub_date", sa.DateTime)) | ||||
|  | ||||
|  | ||||
| app = Sanic(name=__name__) | ||||
|  | ||||
| @app.listener('before_server_start') | ||||
| async def prepare_db(app, loop): | ||||
|     """ Let's add some data | ||||
|  | ||||
|     """ | ||||
|     async with create_engine(connection) as engine: | ||||
|         async with engine.acquire() as conn: | ||||
|             await conn.execute('DROP TABLE IF EXISTS sanic_polls') | ||||
|             await conn.execute("""CREATE TABLE sanic_polls ( | ||||
|                                         id serial primary key, | ||||
|                                         question varchar(50), | ||||
|                                         pub_date timestamp | ||||
|                                     );""") | ||||
|             for i in range(0, 100): | ||||
|                 await conn.execute( | ||||
|                     polls.insert().values(question=i, | ||||
|                                           pub_date=datetime.datetime.now()) | ||||
|                     ) | ||||
|  | ||||
|  | ||||
| @app.route("/") | ||||
| async def handle(request): | ||||
|     async with create_engine(connection) as engine: | ||||
|         async with engine.acquire() as conn: | ||||
|             result = [] | ||||
|             async for row in conn.execute(polls.select()): | ||||
|                 result.append({"question": row.question, | ||||
|                                "pub_date": row.pub_date}) | ||||
|             return json({"polls": result}) | ||||
|  | ||||
|  | ||||
| if __name__ == '__main__': | ||||
|     app.run(host='0.0.0.0', port=8000) | ||||
| @@ -1,34 +0,0 @@ | ||||
| """ To run this example you need additional aioredis package | ||||
| """ | ||||
| from sanic import Sanic, response | ||||
| import aioredis | ||||
|  | ||||
| app = Sanic(__name__) | ||||
|  | ||||
|  | ||||
| @app.route("/") | ||||
| async def handle(request): | ||||
|     async with request.app.redis_pool.get() as redis: | ||||
|         await redis.set('test-my-key', 'value') | ||||
|         val = await redis.get('test-my-key') | ||||
|     return response.text(val.decode('utf-8')) | ||||
|  | ||||
|  | ||||
| @app.listener('before_server_start') | ||||
| async def before_server_start(app, loop): | ||||
|     app.redis_pool = await aioredis.create_pool( | ||||
|         ('localhost', 6379), | ||||
|         minsize=5, | ||||
|         maxsize=10, | ||||
|         loop=loop | ||||
|     ) | ||||
|  | ||||
|  | ||||
| @app.listener('after_server_stop') | ||||
| async def after_server_stop(app, loop): | ||||
|     app.redis_pool.close() | ||||
|     await app.redis_pool.wait_closed() | ||||
|  | ||||
|  | ||||
| if __name__ == '__main__': | ||||
|     app.run(host="0.0.0.0", port=8000) | ||||
| @@ -1,51 +0,0 @@ | ||||
| import os | ||||
| import asyncio | ||||
|  | ||||
| import uvloop | ||||
| from asyncpg import connect, create_pool | ||||
|  | ||||
| from sanic import Sanic | ||||
| from sanic.response import json | ||||
|  | ||||
| DB_CONFIG = { | ||||
|     'host': '<host>', | ||||
|     'user': '<user>', | ||||
|     'password': '<password>', | ||||
|     'port': '<port>', | ||||
|     'database': '<database>' | ||||
| } | ||||
|  | ||||
|  | ||||
| def jsonify(records): | ||||
|     """ | ||||
|     Parse asyncpg record response into JSON format | ||||
|     """ | ||||
|     return [dict(r.items()) for r in records] | ||||
|  | ||||
|  | ||||
| app = Sanic(__name__) | ||||
|  | ||||
|  | ||||
| @app.listener('before_server_start') | ||||
| async def register_db(app, loop): | ||||
|     app.pool = await create_pool(**DB_CONFIG, loop=loop, max_size=100) | ||||
|     async with app.pool.acquire() as connection: | ||||
|         await connection.execute('DROP TABLE IF EXISTS sanic_post') | ||||
|         await connection.execute("""CREATE TABLE sanic_post ( | ||||
|                                 id serial primary key, | ||||
|                                 content varchar(50), | ||||
|                                 post_date timestamp | ||||
|                             );""") | ||||
|         for i in range(0, 1000): | ||||
|             await connection.execute(f"""INSERT INTO sanic_post | ||||
|                 (id, content, post_date) VALUES ({i}, {i}, now())""") | ||||
|  | ||||
|  | ||||
| @app.get('/') | ||||
| async def root_get(request): | ||||
|     async with app.pool.acquire() as connection: | ||||
|         results = await connection.fetch('SELECT * FROM sanic_post') | ||||
|         return json({'posts': jsonify(results)}) | ||||
|  | ||||
| if __name__ == '__main__': | ||||
|     app.run(host='127.0.0.1', port=8080) | ||||
| @@ -1,41 +0,0 @@ | ||||
| """ sanic motor (async driver for mongodb) example | ||||
| Required packages: | ||||
| pymongo==3.4.0 | ||||
| motor==1.1 | ||||
| sanic==0.2.0 | ||||
| """ | ||||
| from sanic import Sanic | ||||
| from sanic import response | ||||
|  | ||||
|  | ||||
| app = Sanic('motor_mongodb') | ||||
|  | ||||
|  | ||||
| def get_db(): | ||||
|     from motor.motor_asyncio import AsyncIOMotorClient | ||||
|     mongo_uri = "mongodb://127.0.0.1:27017/test" | ||||
|     client = AsyncIOMotorClient(mongo_uri) | ||||
|     return client['test'] | ||||
|  | ||||
|  | ||||
| @app.route('/objects', methods=['GET']) | ||||
| async def get(request): | ||||
|     db = get_db() | ||||
|     docs = await db.test_col.find().to_list(length=100) | ||||
|     for doc in docs: | ||||
|         doc['id'] = str(doc['_id']) | ||||
|         del doc['_id'] | ||||
|     return response.json(docs) | ||||
|  | ||||
|  | ||||
| @app.route('/post', methods=['POST']) | ||||
| async def new(request): | ||||
|     doc = request.json | ||||
|     print(doc) | ||||
|     db = get_db() | ||||
|     object_id = await db.test_col.save(doc) | ||||
|     return response.json({'object_id': str(object_id)}) | ||||
|  | ||||
|  | ||||
| if __name__ == "__main__": | ||||
|     app.run(host='0.0.0.0', port=8000, debug=True) | ||||
| @@ -1,116 +0,0 @@ | ||||
|  | ||||
| ## You need the following additional packages for this example | ||||
| # aiopg | ||||
| # peewee_async | ||||
| # peewee | ||||
|  | ||||
|  | ||||
| ## sanic imports | ||||
| from sanic import Sanic | ||||
| from sanic.response import json | ||||
|  | ||||
| ## peewee_async related imports | ||||
| import peewee | ||||
| from peewee import Model, BaseModel | ||||
| from peewee_async import Manager, PostgresqlDatabase, execute | ||||
| from functools import partial | ||||
|  # we instantiate a custom loop so we can pass it to our db manager | ||||
|  | ||||
| ## from peewee_async docs: | ||||
| # Also there’s no need to connect and re-connect before executing async queries | ||||
| # with manager! It’s all automatic. But you can run Manager.connect() or | ||||
| # Manager.close() when you need it. | ||||
|  | ||||
| class AsyncManager(Manager): | ||||
|     """Inherit the peewee_async manager with our own object | ||||
|        configuration | ||||
|  | ||||
|        database.allow_sync = False | ||||
|     """ | ||||
|  | ||||
|     def __init__(self, _model_class, *args, **kwargs): | ||||
|         super(AsyncManager, self).__init__(*args, **kwargs) | ||||
|         self._model_class = _model_class | ||||
|         self.database.allow_sync = False | ||||
|  | ||||
|     def _do_fill(self, method, *args, **kwargs): | ||||
|         _class_method = getattr(super(AsyncManager, self), method) | ||||
|         pf = partial(_class_method, self._model_class) | ||||
|         return pf(*args, **kwargs) | ||||
|  | ||||
|     def new(self, *args, **kwargs): | ||||
|         return self._do_fill('create', *args, **kwargs) | ||||
|  | ||||
|     def get(self, *args, **kwargs): | ||||
|         return self._do_fill('get', *args, **kwargs) | ||||
|  | ||||
|     def execute(self, query): | ||||
|         return execute(query) | ||||
|  | ||||
|  | ||||
| def _get_meta_db_class(db): | ||||
|     """creating a declartive class model for db""" | ||||
|     class _BlockedMeta(BaseModel): | ||||
|         def __new__(cls, name, bases, attrs): | ||||
|             _instance = super(_BlockedMeta, cls).__new__(cls, name, bases, attrs) | ||||
|             _instance.objects = AsyncManager(_instance, db) | ||||
|             return _instance | ||||
|  | ||||
|     class _Base(Model, metaclass=_BlockedMeta): | ||||
|  | ||||
|         def to_dict(self): | ||||
|             return self._data | ||||
|  | ||||
|         class Meta: | ||||
|             database=db | ||||
|     return _Base | ||||
|  | ||||
|  | ||||
| def declarative_base(*args, **kwargs): | ||||
|     """Returns a new Modeled Class after inheriting meta and Model classes""" | ||||
|     db = PostgresqlDatabase(*args, **kwargs) | ||||
|     return _get_meta_db_class(db) | ||||
|  | ||||
|  | ||||
| AsyncBaseModel = declarative_base(database='test', | ||||
|                                   host='127.0.0.1', | ||||
|                                   user='postgres', | ||||
|                                   password='mysecretpassword') | ||||
|  | ||||
| # let's create a simple key value store: | ||||
| class KeyValue(AsyncBaseModel): | ||||
|     key = peewee.CharField(max_length=40, unique=True) | ||||
|     text = peewee.TextField(default='') | ||||
|  | ||||
|  | ||||
| app = Sanic('peewee_example') | ||||
|  | ||||
|  | ||||
| @app.route('/post/<key>/<value>') | ||||
| async def post(request, key, value): | ||||
|     """ | ||||
|     Save get parameters to database | ||||
|     """ | ||||
|     obj = await KeyValue.objects.new(key=key, text=value) | ||||
|     return json({'object_id': obj.id}) | ||||
|  | ||||
|  | ||||
| @app.route('/get') | ||||
| async def get(request): | ||||
|     """ | ||||
|     Load all objects from database | ||||
|     """ | ||||
|     all_objects = await KeyValue.objects.execute(KeyValue.select()) | ||||
|     serialized_obj = [] | ||||
|     for obj in all_objects: | ||||
|         serialized_obj.append({ | ||||
|             'id': obj.id, | ||||
|             'key': obj.key, | ||||
|             'value': obj.text} | ||||
|         ) | ||||
|  | ||||
|     return json({'objects': serialized_obj}) | ||||
|  | ||||
|  | ||||
| if __name__ == "__main__": | ||||
|     app.run(host='0.0.0.0', port=8000) | ||||
| @@ -19,24 +19,27 @@ def test_sync(request): | ||||
|  | ||||
|  | ||||
| @app.route("/dynamic/<name>/<id:int>") | ||||
| def test_params(request, name, id): | ||||
|     return response.text("yeehaww {} {}".format(name, id)) | ||||
| def test_params(request, name, i): | ||||
|     return response.text("yeehaww {} {}".format(name, i)) | ||||
|  | ||||
|  | ||||
| @app.route("/exception") | ||||
| def exception(request): | ||||
|     raise ServerError("It's dead jim") | ||||
|  | ||||
|  | ||||
| @app.route("/await") | ||||
| async def test_await(request): | ||||
|     import asyncio | ||||
|     await asyncio.sleep(5) | ||||
|     return response.text("I'm feeling sleepy") | ||||
|  | ||||
|  | ||||
| @app.route("/file") | ||||
| async def test_file(request): | ||||
|     return await response.file(os.path.abspath("setup.py")) | ||||
|  | ||||
|  | ||||
| @app.route("/file_stream") | ||||
| async def test_file_stream(request): | ||||
|     return await response.file_stream(os.path.abspath("setup.py"), | ||||
| @@ -46,9 +49,11 @@ async def test_file_stream(request): | ||||
| # Exceptions | ||||
| # ----------------------------------------------- # | ||||
|  | ||||
|  | ||||
| @app.exception(ServerError) | ||||
| async def test(request, exception): | ||||
|     return response.json({"exception": "{}".format(exception), "status": exception.status_code}, status=exception.status_code) | ||||
|     return response.json({"exception": "{}".format(exception), "status": exception.status_code}, | ||||
|                          status=exception.status_code) | ||||
|  | ||||
|  | ||||
| # ----------------------------------------------- # | ||||
| @@ -67,7 +72,8 @@ def post_json(request): | ||||
|  | ||||
| @app.route("/query_string") | ||||
| def query_string(request): | ||||
|     return response.json({"parsed": True, "args": request.args, "url": request.url, "query_string": request.query_string}) | ||||
|     return response.json({"parsed": True, "args": request.args, "url": request.url, | ||||
|                           "query_string": request.query_string}) | ||||
|  | ||||
|  | ||||
| # ----------------------------------------------- # | ||||
|   | ||||
| @@ -1,11 +1,11 @@ | ||||
| from sanic import Sanic | ||||
| from sanic import response | ||||
| import socket | ||||
| import sys | ||||
| import os | ||||
|  | ||||
| app = Sanic(__name__) | ||||
|  | ||||
|  | ||||
| @app.route("/test") | ||||
| async def test(request): | ||||
|     return response.text("OK") | ||||
|   | ||||
| @@ -3,6 +3,7 @@ from sanic import response | ||||
|  | ||||
| app = Sanic(__name__) | ||||
|  | ||||
|  | ||||
| @app.route('/') | ||||
| async def index(request): | ||||
|     # generate a URL for the endpoint `post_handler` | ||||
| @@ -10,9 +11,10 @@ async def index(request): | ||||
|     # the URL is `/posts/5`, redirect to it | ||||
|     return response.redirect(url) | ||||
|  | ||||
|  | ||||
| @app.route('/posts/<post_id>') | ||||
| async def post_handler(request, post_id): | ||||
|     return response.text('Post - {}'.format(post_id)) | ||||
|      | ||||
| if __name__ == '__main__': | ||||
|     app.run(host="0.0.0.0", port=8000, debug=True) | ||||
|     app.run(host="0.0.0.0", port=8000, debug=True) | ||||
|   | ||||
| @@ -11,20 +11,24 @@ from sanic.blueprints import Blueprint | ||||
| app = Sanic() | ||||
| bp = Blueprint("bp", host="bp.example.com") | ||||
|  | ||||
|  | ||||
| @app.route('/', host=["example.com", | ||||
|                       "somethingelse.com", | ||||
|                       "therestofyourdomains.com"]) | ||||
| async def hello(request): | ||||
|     return response.text("Some defaults") | ||||
|  | ||||
|  | ||||
| @app.route('/', host="sub.example.com") | ||||
| async def hello(request): | ||||
|     return response.text("42") | ||||
|  | ||||
|  | ||||
| @bp.route("/question") | ||||
| async def hello(request): | ||||
|     return response.text("What is the meaning of life?") | ||||
|  | ||||
|  | ||||
| @bp.route("/answer") | ||||
| async def hello(request): | ||||
|     return response.text("42") | ||||
|   | ||||
| @@ -20,4 +20,5 @@ async def feed(request, ws): | ||||
|  | ||||
|  | ||||
| if __name__ == '__main__': | ||||
|     app.run() | ||||
|     app.run(host="0.0.0.0", port=8000, debug=True) | ||||
|  | ||||
|   | ||||
							
								
								
									
										3
									
								
								requirements-docs.txt
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										3
									
								
								requirements-docs.txt
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,3 @@ | ||||
| sphinx | ||||
| sphinx_rtd_theme | ||||
| recommonmark | ||||
							
								
								
									
										13
									
								
								sanic/app.py
									
									
									
									
									
								
							
							
						
						
									
										13
									
								
								sanic/app.py
									
									
									
									
									
								
							| @@ -33,7 +33,9 @@ class Sanic: | ||||
|             logging.config.dictConfig(log_config) | ||||
|         # Only set up a default log handler if the | ||||
|         # end-user application didn't set anything up. | ||||
|         if not logging.root.handlers and log.level == logging.NOTSET: | ||||
|         if not (logging.root.handlers and | ||||
|                 log.level == logging.NOTSET and | ||||
|                 log_config): | ||||
|             formatter = logging.Formatter( | ||||
|                 "%(asctime)s: %(levelname)s: %(message)s") | ||||
|             handler = logging.StreamHandler() | ||||
| @@ -543,7 +545,7 @@ class Sanic: | ||||
|     def run(self, host=None, port=None, debug=False, ssl=None, | ||||
|             sock=None, workers=1, protocol=None, | ||||
|             backlog=100, stop_event=None, register_sys_signals=True, | ||||
|             log_config=LOGGING): | ||||
|             log_config=None): | ||||
|         """Run the HTTP Server and listen until keyboard interrupt or term | ||||
|         signal. On termination, drain connections before closing. | ||||
|  | ||||
| @@ -565,6 +567,7 @@ class Sanic: | ||||
|             host, port = host or "127.0.0.1", port or 8000 | ||||
|  | ||||
|         if log_config: | ||||
|             self.log_config = log_config | ||||
|             logging.config.dictConfig(log_config) | ||||
|         if protocol is None: | ||||
|             protocol = (WebSocketProtocol if self.websocket_enabled | ||||
| @@ -578,7 +581,7 @@ class Sanic: | ||||
|             host=host, port=port, debug=debug, ssl=ssl, sock=sock, | ||||
|             workers=workers, protocol=protocol, backlog=backlog, | ||||
|             register_sys_signals=register_sys_signals, | ||||
|             has_log=log_config is not None) | ||||
|             has_log=self.log_config is not None) | ||||
|  | ||||
|         try: | ||||
|             self.is_running = True | ||||
| @@ -696,7 +699,9 @@ class Sanic: | ||||
|             'loop': loop, | ||||
|             'register_sys_signals': register_sys_signals, | ||||
|             'backlog': backlog, | ||||
|             'has_log': has_log | ||||
|             'has_log': has_log, | ||||
|             'websocket_max_size': self.config.WEBSOCKET_MAX_SIZE, | ||||
|             'websocket_max_queue': self.config.WEBSOCKET_MAX_QUEUE | ||||
|         } | ||||
|  | ||||
|         # -------------------------------------------- # | ||||
|   | ||||
| @@ -122,9 +122,11 @@ class Config(dict): | ||||
| ▌     ▐                ▀▀▄▄▄▀ | ||||
|  ▀▀▄▄▀ | ||||
| """ | ||||
|         self.REQUEST_MAX_SIZE = 100000000  # 100 megababies | ||||
|         self.REQUEST_MAX_SIZE = 100000000  # 100 megabytes | ||||
|         self.REQUEST_TIMEOUT = 60  # 60 seconds | ||||
|         self.KEEP_ALIVE = keep_alive | ||||
|         self.WEBSOCKET_MAX_SIZE = 2 ** 20  # 1 megabytes | ||||
|         self.WEBSOCKET_MAX_QUEUE = 32 | ||||
|  | ||||
|         if load_env: | ||||
|             self.load_environment_vars() | ||||
| @@ -199,4 +201,10 @@ class Config(dict): | ||||
|         for k, v in os.environ.items(): | ||||
|             if k.startswith(SANIC_PREFIX): | ||||
|                 _, config_key = k.split(SANIC_PREFIX, 1) | ||||
|                 self[config_key] = v | ||||
|                 try: | ||||
|                     self[config_key] = int(v) | ||||
|                 except ValueError: | ||||
|                     try: | ||||
|                         self[config_key] = float(v) | ||||
|                     except ValueError: | ||||
|                         self[config_key] = v | ||||
|   | ||||
| @@ -198,6 +198,34 @@ class InvalidRangeType(ContentRangeError): | ||||
|     pass | ||||
|  | ||||
|  | ||||
| @add_status_code(401) | ||||
| class Unauthorized(SanicException): | ||||
|     """ | ||||
|     Unauthorized exception (401 HTTP status code). | ||||
|  | ||||
|     :param scheme: Name of the authentication scheme to be used. | ||||
|     :param realm: Description of the protected area. (optional) | ||||
|     :param challenge: A dict containing values to add to the WWW-Authenticate | ||||
|     header that is generated. This is especially useful when dealing with the | ||||
|     Digest scheme. (optional) | ||||
|     """ | ||||
|     pass | ||||
|  | ||||
|     def __init__(self, message, scheme, realm="", challenge=None): | ||||
|         super().__init__(message) | ||||
|  | ||||
|         adds = "" | ||||
|  | ||||
|         if challenge is not None: | ||||
|             values = ["{!s}={!r}".format(k, v) for k, v in challenge.items()] | ||||
|             adds = ', '.join(values) | ||||
|             adds = ', {}'.format(adds) | ||||
|  | ||||
|         self.headers = { | ||||
|             "WWW-Authenticate": "{} realm='{}'{}".format(scheme, realm, adds) | ||||
|         } | ||||
|  | ||||
|  | ||||
| def abort(status_code, message=None): | ||||
|     """ | ||||
|     Raise an exception based on SanicException. Returns the HTTP response | ||||
|   | ||||
| @@ -86,11 +86,15 @@ class Request(dict): | ||||
|  | ||||
|         :return: token related to request | ||||
|         """ | ||||
|         prefixes = ('Token ', 'Bearer ') | ||||
|         auth_header = self.headers.get('Authorization') | ||||
|         if auth_header is not None and 'Token ' in auth_header: | ||||
|             return auth_header.partition('Token ')[-1] | ||||
|         else: | ||||
|             return auth_header | ||||
|  | ||||
|         if auth_header is not None: | ||||
|             for prefix in prefixes: | ||||
|                 if prefix in auth_header: | ||||
|                     return auth_header.partition(prefix)[-1] | ||||
|  | ||||
|         return auth_header | ||||
|  | ||||
|     @property | ||||
|     def form(self): | ||||
| @@ -174,6 +178,15 @@ class Request(dict): | ||||
|         # so pull it from the headers | ||||
|         return self.headers.get('Host', '') | ||||
|  | ||||
|     @property | ||||
|     def content_type(self): | ||||
|         return self.headers.get('Content-Type', DEFAULT_HTTP_CONTENT_TYPE) | ||||
|  | ||||
|     @property | ||||
|     def match_info(self): | ||||
|         """return matched info after resolving route""" | ||||
|         return self.app.router.get(self)[2] | ||||
|  | ||||
|     @property | ||||
|     def path(self): | ||||
|         return self._parsed_url.path.decode('utf-8') | ||||
|   | ||||
| @@ -233,7 +233,8 @@ class HTTPResponse(BaseHTTPResponse): | ||||
|         return self._cookies | ||||
|  | ||||
|  | ||||
| def json(body, status=200, headers=None, **kwargs): | ||||
| def json(body, status=200, headers=None, | ||||
|          content_type="application/json", **kwargs): | ||||
|     """ | ||||
|     Returns response object with body in json format. | ||||
|     :param body: Response data to be serialized. | ||||
| @@ -242,7 +243,7 @@ def json(body, status=200, headers=None, **kwargs): | ||||
|     :param kwargs: Remaining arguments that are passed to the json encoder. | ||||
|     """ | ||||
|     return HTTPResponse(json_dumps(body, **kwargs), headers=headers, | ||||
|                         status=status, content_type="application/json") | ||||
|                         status=status, content_type=content_type) | ||||
|  | ||||
|  | ||||
| def text(body, status=200, headers=None, | ||||
|   | ||||
| @@ -351,7 +351,10 @@ class Router: | ||||
|         :param request: Request object | ||||
|         :return: bool | ||||
|         """ | ||||
|         handler = self.get(request)[0] | ||||
|         try: | ||||
|             handler = self.get(request)[0] | ||||
|         except (NotFound, InvalidUsage): | ||||
|             return False | ||||
|         if (hasattr(handler, 'view_class') and | ||||
|                 hasattr(handler.view_class, request.method.lower())): | ||||
|             handler = getattr(handler.view_class, request.method.lower()) | ||||
|   | ||||
| @@ -74,7 +74,8 @@ class HttpProtocol(asyncio.Protocol): | ||||
|     def __init__(self, *, loop, request_handler, error_handler, | ||||
|                  signal=Signal(), connections=set(), request_timeout=60, | ||||
|                  request_max_size=None, request_class=None, has_log=True, | ||||
|                  keep_alive=True, is_request_stream=False, router=None): | ||||
|                  keep_alive=True, is_request_stream=False, router=None, | ||||
|                  state=None, debug=False, **kwargs): | ||||
|         self.loop = loop | ||||
|         self.transport = None | ||||
|         self.request = None | ||||
| @@ -99,12 +100,17 @@ class HttpProtocol(asyncio.Protocol): | ||||
|         self._request_stream_task = None | ||||
|         self._keep_alive = keep_alive | ||||
|         self._header_fragment = b'' | ||||
|         self.state = state if state else {} | ||||
|         if 'requests_count' not in self.state: | ||||
|             self.state['requests_count'] = 0 | ||||
|         self._debug = debug | ||||
|  | ||||
|     @property | ||||
|     def keep_alive(self): | ||||
|         return (self._keep_alive | ||||
|                 and not self.signal.stopped | ||||
|                 and self.parser.should_keep_alive()) | ||||
|         return ( | ||||
|             self._keep_alive and | ||||
|             not self.signal.stopped and | ||||
|             self.parser.should_keep_alive()) | ||||
|  | ||||
|     # -------------------------------------------- # | ||||
|     # Connection | ||||
| @@ -154,11 +160,17 @@ class HttpProtocol(asyncio.Protocol): | ||||
|             self.headers = [] | ||||
|             self.parser = HttpRequestParser(self) | ||||
|  | ||||
|         # requests count | ||||
|         self.state['requests_count'] = self.state['requests_count'] + 1 | ||||
|  | ||||
|         # Parse request chunk or close connection | ||||
|         try: | ||||
|             self.parser.feed_data(data) | ||||
|         except HttpParserError: | ||||
|             exception = InvalidUsage('Bad Request') | ||||
|             message = 'Bad Request' | ||||
|             if self._debug: | ||||
|                 message += '\n' + traceback.format_exc() | ||||
|             exception = InvalidUsage(message) | ||||
|             self.write_error(exception) | ||||
|  | ||||
|     def on_url(self, url): | ||||
| @@ -399,7 +411,8 @@ def serve(host, port, request_handler, error_handler, before_start=None, | ||||
|           reuse_port=False, loop=None, protocol=HttpProtocol, backlog=100, | ||||
|           register_sys_signals=True, run_async=False, connections=None, | ||||
|           signal=Signal(), request_class=None, has_log=True, keep_alive=True, | ||||
|           is_request_stream=False, router=None): | ||||
|           is_request_stream=False, router=None, websocket_max_size=None, | ||||
|           websocket_max_queue=None, state=None): | ||||
|     """Start asynchronous HTTP Server on an individual process. | ||||
|  | ||||
|     :param host: Address to host on | ||||
| @@ -437,8 +450,6 @@ def serve(host, port, request_handler, error_handler, before_start=None, | ||||
|     if debug: | ||||
|         loop.set_debug(debug) | ||||
|  | ||||
|     trigger_events(before_start, loop) | ||||
|  | ||||
|     connections = connections if connections is not None else set() | ||||
|     server = partial( | ||||
|         protocol, | ||||
| @@ -454,6 +465,10 @@ def serve(host, port, request_handler, error_handler, before_start=None, | ||||
|         keep_alive=keep_alive, | ||||
|         is_request_stream=is_request_stream, | ||||
|         router=router, | ||||
|         websocket_max_size=websocket_max_size, | ||||
|         websocket_max_queue=websocket_max_queue, | ||||
|         state=state, | ||||
|         debug=debug, | ||||
|     ) | ||||
|  | ||||
|     server_coroutine = loop.create_server( | ||||
| @@ -465,6 +480,7 @@ def serve(host, port, request_handler, error_handler, before_start=None, | ||||
|         sock=sock, | ||||
|         backlog=backlog | ||||
|     ) | ||||
|  | ||||
|     # Instead of pulling time at the end of every request, | ||||
|     # pull it once per minute | ||||
|     loop.call_soon(partial(update_current_time, loop)) | ||||
| @@ -472,6 +488,8 @@ def serve(host, port, request_handler, error_handler, before_start=None, | ||||
|     if run_async: | ||||
|         return server_coroutine | ||||
|  | ||||
|     trigger_events(before_start, loop) | ||||
|  | ||||
|     try: | ||||
|         http_server = loop.run_until_complete(server_coroutine) | ||||
|     except: | ||||
|   | ||||
| @@ -1,4 +1,5 @@ | ||||
| import traceback | ||||
| from json import JSONDecodeError | ||||
|  | ||||
| from sanic.log import log | ||||
|  | ||||
| @@ -28,6 +29,14 @@ class SanicTestClient: | ||||
|                     response.text = await response.text() | ||||
|                 except UnicodeDecodeError as e: | ||||
|                     response.text = None | ||||
|  | ||||
|                 try: | ||||
|                     response.json = await response.json() | ||||
|                 except (JSONDecodeError, | ||||
|                         UnicodeDecodeError, | ||||
|                         aiohttp.ClientResponseError): | ||||
|                     response.json = None | ||||
|  | ||||
|                 response.body = await response.read() | ||||
|                 return response | ||||
|  | ||||
|   | ||||
| @@ -6,9 +6,12 @@ from websockets import ConnectionClosed  # noqa | ||||
|  | ||||
|  | ||||
| class WebSocketProtocol(HttpProtocol): | ||||
|     def __init__(self, *args, **kwargs): | ||||
|     def __init__(self, *args, websocket_max_size=None, | ||||
|                  websocket_max_queue=None, **kwargs): | ||||
|         super().__init__(*args, **kwargs) | ||||
|         self.websocket = None | ||||
|         self.websocket_max_size = websocket_max_size | ||||
|         self.websocket_max_queue = websocket_max_queue | ||||
|  | ||||
|     def connection_timeout(self): | ||||
|         # timeouts make no sense for websocket routes | ||||
| @@ -62,6 +65,9 @@ class WebSocketProtocol(HttpProtocol): | ||||
|         request.transport.write(rv) | ||||
|  | ||||
|         # hook up the websocket protocol | ||||
|         self.websocket = WebSocketCommonProtocol() | ||||
|         self.websocket = WebSocketCommonProtocol( | ||||
|             max_size=self.websocket_max_size, | ||||
|             max_queue=self.websocket_max_queue | ||||
|         ) | ||||
|         self.websocket.connection_made(request.transport) | ||||
|         return self.websocket | ||||
|   | ||||
| @@ -29,7 +29,7 @@ class GunicornWorker(base.Worker): | ||||
|             self.ssl_context = self._create_ssl_context(cfg) | ||||
|         else: | ||||
|             self.ssl_context = None | ||||
|         self.servers = [] | ||||
|         self.servers = {} | ||||
|         self.connections = set() | ||||
|         self.exit_code = 0 | ||||
|         self.signal = Signal() | ||||
| @@ -96,11 +96,16 @@ class GunicornWorker(base.Worker): | ||||
|  | ||||
|     async def _run(self): | ||||
|         for sock in self.sockets: | ||||
|             self.servers.append(await serve( | ||||
|             state = dict(requests_count=0) | ||||
|             self._server_settings["host"] = None | ||||
|             self._server_settings["port"] = None | ||||
|             server = await serve( | ||||
|                 sock=sock, | ||||
|                 connections=self.connections, | ||||
|                 state=state, | ||||
|                 **self._server_settings | ||||
|             )) | ||||
|             ) | ||||
|             self.servers[server] = state | ||||
|  | ||||
|     async def _check_alive(self): | ||||
|         # If our parent changed then we shut down. | ||||
| @@ -109,7 +114,15 @@ class GunicornWorker(base.Worker): | ||||
|             while self.alive: | ||||
|                 self.notify() | ||||
|  | ||||
|                 if pid == os.getpid() and self.ppid != os.getppid(): | ||||
|                 req_count = sum( | ||||
|                     self.servers[srv]["requests_count"] for srv in self.servers | ||||
|                 ) | ||||
|                 if self.max_requests and req_count > self.max_requests: | ||||
|                     self.alive = False | ||||
|                     self.log.info( | ||||
|                             "Max requests exceeded, shutting down: %s", self | ||||
|                         ) | ||||
|                 elif pid == os.getpid() and self.ppid != os.getppid(): | ||||
|                     self.alive = False | ||||
|                     self.log.info("Parent changed, shutting down: %s", self) | ||||
|                 else: | ||||
| @@ -159,9 +172,11 @@ class GunicornWorker(base.Worker): | ||||
|  | ||||
|     def handle_quit(self, sig, frame): | ||||
|         self.alive = False | ||||
|         self.app.callable.is_running = False | ||||
|         self.cfg.worker_int(self) | ||||
|  | ||||
|     def handle_abort(self, sig, frame): | ||||
|         self.alive = False | ||||
|         self.exit_code = 1 | ||||
|         self.cfg.worker_abort(self) | ||||
|         sys.exit(1) | ||||
|   | ||||
| @@ -41,6 +41,7 @@ def test_bp_strict_slash(): | ||||
|  | ||||
|     request, response = app.test_client.get('/get') | ||||
|     assert response.text == 'OK' | ||||
|     assert response.json == None | ||||
|  | ||||
|     request, response = app.test_client.get('/get/') | ||||
|     assert response.status == 404 | ||||
|   | ||||
| @@ -3,7 +3,8 @@ from bs4 import BeautifulSoup | ||||
|  | ||||
| from sanic import Sanic | ||||
| from sanic.response import text | ||||
| from sanic.exceptions import InvalidUsage, ServerError, NotFound, abort | ||||
| from sanic.exceptions import InvalidUsage, ServerError, NotFound, Unauthorized | ||||
| from sanic.exceptions import abort | ||||
|  | ||||
|  | ||||
| class SanicExceptionTestException(Exception): | ||||
| @@ -26,6 +27,20 @@ def exception_app(): | ||||
|     def handler_404(request): | ||||
|         raise NotFound("OK") | ||||
|  | ||||
|     @app.route('/401/basic') | ||||
|     def handler_401_basic(request): | ||||
|         raise Unauthorized("Unauthorized", "Basic", "Sanic") | ||||
|  | ||||
|     @app.route('/401/digest') | ||||
|     def handler_401_digest(request): | ||||
|         challenge = { | ||||
|             "qop": "auth, auth-int", | ||||
|             "algorithm": "MD5", | ||||
|             "nonce": "abcdef", | ||||
|             "opaque": "zyxwvu", | ||||
|         } | ||||
|         raise Unauthorized("Unauthorized", "Digest", "Sanic", challenge) | ||||
|  | ||||
|     @app.route('/invalid') | ||||
|     def handler_invalid(request): | ||||
|         raise InvalidUsage("OK") | ||||
| @@ -49,8 +64,10 @@ def exception_app(): | ||||
|  | ||||
|     return app | ||||
|  | ||||
|  | ||||
| def test_catch_exception_list(): | ||||
|     app = Sanic('exception_list') | ||||
|  | ||||
|     @app.exception([SanicExceptionTestException, NotFound]) | ||||
|     def exception_list(request, exception): | ||||
|         return text("ok") | ||||
| @@ -91,6 +108,25 @@ def test_not_found_exception(exception_app): | ||||
|     assert response.status == 404 | ||||
|  | ||||
|  | ||||
| def test_unauthorized_exception(exception_app): | ||||
|     """Test the built-in Unauthorized exception""" | ||||
|     request, response = exception_app.test_client.get('/401/basic') | ||||
|     assert response.status == 401 | ||||
|     assert response.headers.get('WWW-Authenticate') is not None | ||||
|     assert response.headers.get('WWW-Authenticate') == "Basic realm='Sanic'" | ||||
|  | ||||
|     request, response = exception_app.test_client.get('/401/digest') | ||||
|     assert response.status == 401 | ||||
|      | ||||
|     auth_header = response.headers.get('WWW-Authenticate') | ||||
|     assert auth_header is not None | ||||
|     assert auth_header.startswith('Digest') | ||||
|     assert "qop='auth, auth-int'" in auth_header | ||||
|     assert "algorithm='MD5'" in auth_header | ||||
|     assert "nonce='abcdef'" in auth_header | ||||
|     assert "opaque='zyxwvu'" in auth_header | ||||
|  | ||||
|  | ||||
| def test_handled_unhandled_exception(exception_app): | ||||
|     """Test that an exception not built into sanic is handled""" | ||||
|     request, response = exception_app.test_client.get('/divide_by_zero') | ||||
|   | ||||
| @@ -163,6 +163,34 @@ def test_request_stream_app(): | ||||
|     assert response.text == data | ||||
|  | ||||
|  | ||||
| def test_request_stream_handle_exception(): | ||||
|     '''for handling exceptions properly''' | ||||
|  | ||||
|     app = Sanic('test_request_stream_exception') | ||||
|  | ||||
|     @app.post('/post/<id>', stream=True) | ||||
|     async def post(request, id): | ||||
|         assert isinstance(request.stream, asyncio.Queue) | ||||
|  | ||||
|         async def streaming(response): | ||||
|             while True: | ||||
|                 body = await request.stream.get() | ||||
|                 if body is None: | ||||
|                     break | ||||
|                 response.write(body.decode('utf-8')) | ||||
|         return stream(streaming) | ||||
|  | ||||
|     # 404 | ||||
|     request, response = app.test_client.post('/in_valid_post', data=data) | ||||
|     assert response.status == 404 | ||||
|     assert response.text == 'Error: Requested URL /in_valid_post not found' | ||||
|  | ||||
|     # 405 | ||||
|     request, response = app.test_client.get('/post/random_id', data=data) | ||||
|     assert response.status == 405 | ||||
|     assert response.text == 'Error: Method GET not allowed for URL /post/random_id' | ||||
|  | ||||
|  | ||||
| def test_request_stream_blueprint(): | ||||
|     '''for self.is_request_stream = True''' | ||||
|  | ||||
|   | ||||
| @@ -8,7 +8,7 @@ import pytest | ||||
| from sanic import Sanic | ||||
| from sanic.exceptions import ServerError | ||||
| from sanic.response import json, text | ||||
|  | ||||
| from sanic.request import DEFAULT_HTTP_CONTENT_TYPE | ||||
| from sanic.testing import HOST, PORT | ||||
|  | ||||
|  | ||||
| @@ -180,6 +180,16 @@ def test_token(): | ||||
|  | ||||
|     request, response = app.test_client.get('/', headers=headers) | ||||
|  | ||||
|     assert request.token == token | ||||
|      | ||||
|     token = 'a1d895e0-553a-421a-8e22-5ff8ecb48cbf' | ||||
|     headers = { | ||||
|         'content-type': 'application/json', | ||||
|         'Authorization': 'Bearer {}'.format(token) | ||||
|     } | ||||
|  | ||||
|     request, response = app.test_client.get('/', headers=headers) | ||||
|  | ||||
|     assert request.token == token | ||||
|  | ||||
|     # no Authorization headers | ||||
| @@ -192,6 +202,38 @@ def test_token(): | ||||
|     assert request.token is None | ||||
|  | ||||
|  | ||||
| def test_content_type(): | ||||
|     app = Sanic('test_content_type') | ||||
|  | ||||
|     @app.route('/') | ||||
|     async def handler(request): | ||||
|         return text(request.content_type) | ||||
|  | ||||
|     request, response = app.test_client.get('/') | ||||
|     assert request.content_type == DEFAULT_HTTP_CONTENT_TYPE | ||||
|     assert response.text == DEFAULT_HTTP_CONTENT_TYPE | ||||
|  | ||||
|     headers = { | ||||
|         'content-type': 'application/json', | ||||
|     } | ||||
|     request, response = app.test_client.get('/', headers=headers) | ||||
|     assert request.content_type == 'application/json' | ||||
|     assert response.text == 'application/json' | ||||
|  | ||||
|  | ||||
| def test_match_info(): | ||||
|     app = Sanic('test_match_info') | ||||
|  | ||||
|     @app.route('/api/v1/user/<user_id>/') | ||||
|     async def handler(request, user_id): | ||||
|         return json(request.match_info) | ||||
|  | ||||
|     request, response = app.test_client.get('/api/v1/user/sanic_user/') | ||||
|  | ||||
|     assert request.match_info == {"user_id": "sanic_user"} | ||||
|     assert json_loads(response.text) == {"user_id": "sanic_user"} | ||||
|  | ||||
|  | ||||
| # ------------------------------------------------------------ # | ||||
| #  POST | ||||
| # ------------------------------------------------------------ # | ||||
|   | ||||
| @@ -9,10 +9,12 @@ import pytest | ||||
| from random import choice | ||||
|  | ||||
| from sanic import Sanic | ||||
| from sanic.response import HTTPResponse, stream, StreamingHTTPResponse, file, file_stream | ||||
| from sanic.response import HTTPResponse, stream, StreamingHTTPResponse, file, file_stream, json | ||||
| from sanic.testing import HOST, PORT | ||||
| from unittest.mock import MagicMock | ||||
|  | ||||
| JSON_DATA = {'ok': True} | ||||
|  | ||||
|  | ||||
|  | ||||
| def test_response_body_not_a_string(): | ||||
| @@ -34,6 +36,24 @@ async def sample_streaming_fn(response): | ||||
|     response.write('bar') | ||||
|  | ||||
|  | ||||
| @pytest.fixture | ||||
| def json_app(): | ||||
|     app = Sanic('json') | ||||
|  | ||||
|     @app.route("/") | ||||
|     async def test(request): | ||||
|         return json(JSON_DATA) | ||||
|  | ||||
|     return app | ||||
|  | ||||
|  | ||||
| def test_json_response(json_app): | ||||
|     from sanic.response import json_dumps | ||||
|     request, response = json_app.test_client.get('/') | ||||
|     assert response.status == 200 | ||||
|     assert response.text == json_dumps(JSON_DATA) | ||||
|     assert response.json == JSON_DATA | ||||
|  | ||||
| @pytest.fixture | ||||
| def streaming_app(): | ||||
|     app = Sanic('streaming') | ||||
|   | ||||
| @@ -3,7 +3,11 @@ import json | ||||
| import shlex | ||||
| import subprocess | ||||
| import urllib.request | ||||
|  | ||||
| from unittest import mock | ||||
| from sanic.worker import GunicornWorker | ||||
| from sanic.app import Sanic | ||||
| import asyncio | ||||
| import logging | ||||
| import pytest | ||||
|  | ||||
|  | ||||
| @@ -11,7 +15,7 @@ import pytest | ||||
| def gunicorn_worker(): | ||||
|     command = 'gunicorn --bind 127.0.0.1:1337 --worker-class sanic.worker.GunicornWorker examples.simple_server:app' | ||||
|     worker = subprocess.Popen(shlex.split(command)) | ||||
|     time.sleep(1) | ||||
|     time.sleep(3) | ||||
|     yield | ||||
|     worker.kill() | ||||
|  | ||||
| @@ -20,3 +24,79 @@ def test_gunicorn_worker(gunicorn_worker): | ||||
|     with urllib.request.urlopen('http://localhost:1337/') as f: | ||||
|         res = json.loads(f.read(100).decode()) | ||||
|     assert res['test'] | ||||
|  | ||||
|  | ||||
| class GunicornTestWorker(GunicornWorker): | ||||
|  | ||||
|     def __init__(self): | ||||
|         self.app = mock.Mock() | ||||
|         self.app.callable = Sanic("test_gunicorn_worker") | ||||
|         self.servers = {} | ||||
|         self.exit_code = 0 | ||||
|         self.cfg = mock.Mock() | ||||
|         self.notify = mock.Mock() | ||||
|  | ||||
|  | ||||
| @pytest.fixture | ||||
| def worker(): | ||||
|     return GunicornTestWorker() | ||||
|  | ||||
|  | ||||
| def test_worker_init_process(worker): | ||||
|     with mock.patch('sanic.worker.asyncio') as mock_asyncio: | ||||
|         try: | ||||
|             worker.init_process() | ||||
|         except TypeError: | ||||
|             pass | ||||
|  | ||||
|         assert mock_asyncio.get_event_loop.return_value.close.called | ||||
|         assert mock_asyncio.new_event_loop.called | ||||
|         assert mock_asyncio.set_event_loop.called | ||||
|  | ||||
|  | ||||
| def test_worker_init_signals(worker): | ||||
|     worker.loop = mock.Mock() | ||||
|     worker.init_signals() | ||||
|     assert worker.loop.add_signal_handler.called | ||||
|  | ||||
|  | ||||
| def test_handle_abort(worker): | ||||
|     with mock.patch('sanic.worker.sys') as mock_sys: | ||||
|         worker.handle_abort(object(), object()) | ||||
|         assert not worker.alive | ||||
|         assert worker.exit_code == 1 | ||||
|         mock_sys.exit.assert_called_with(1) | ||||
|  | ||||
|  | ||||
| def test_handle_quit(worker): | ||||
|     worker.handle_quit(object(), object()) | ||||
|     assert not worker.alive | ||||
|     assert worker.exit_code == 0 | ||||
|  | ||||
|  | ||||
| def test_run_max_requests_exceeded(worker): | ||||
|     loop = asyncio.new_event_loop() | ||||
|     worker.ppid = 1 | ||||
|     worker.alive = True | ||||
|     sock = mock.Mock() | ||||
|     sock.cfg_addr = ('localhost', 8080) | ||||
|     worker.sockets = [sock] | ||||
|     worker.wsgi = mock.Mock() | ||||
|     worker.connections = set() | ||||
|     worker.log = mock.Mock() | ||||
|     worker.loop = loop | ||||
|     worker.servers = { | ||||
|         "server1": {"requests_count": 14}, | ||||
|         "server2": {"requests_count": 15}, | ||||
|     } | ||||
|     worker.max_requests = 10 | ||||
|     worker._run = mock.Mock(wraps=asyncio.coroutine(lambda *a, **kw: None)) | ||||
|  | ||||
|     # exceeding request count | ||||
|     _runner = asyncio.ensure_future(worker._check_alive(), loop=loop) | ||||
|     loop.run_until_complete(_runner) | ||||
|  | ||||
|     assert worker.alive == False | ||||
|     worker.notify.assert_called_with() | ||||
|     worker.log.info.assert_called_with("Max requests exceeded, shutting down: %s", | ||||
|                                        worker) | ||||
|   | ||||
							
								
								
									
										6
									
								
								tox.ini
									
									
									
									
									
								
							
							
						
						
									
										6
									
								
								tox.ini
									
									
									
									
									
								
							| @@ -9,16 +9,14 @@ setenv = | ||||
| deps = | ||||
|     coverage | ||||
|     pytest | ||||
|     pytest-cov | ||||
|     pytest-sugar | ||||
|     aiohttp==1.3.5 | ||||
|     chardet<=2.3.0 | ||||
|     beautifulsoup4 | ||||
|     gunicorn | ||||
| commands = | ||||
|     pytest tests {posargs} | ||||
|     coverage erase | ||||
|     coverage run -m sanic.app | ||||
|     coverage report | ||||
|     pytest tests --cov sanic --cov-report term-missing {posargs} | ||||
|  | ||||
| [testenv:flake8] | ||||
| deps = | ||||
|   | ||||
		Reference in New Issue
	
	Block a user
	 Daniel Schwarz
					Daniel Schwarz