commit
a09471ac6c
0
examples/asyncorm/__init__.py
Normal file
0
examples/asyncorm/__init__.py
Normal file
140
examples/asyncorm/__main__.py
Normal file
140
examples/asyncorm/__main__.py
Normal file
|
@ -0,0 +1,140 @@
|
||||||
|
from sanic import Sanic
|
||||||
|
from sanic.exceptions import NotFound
|
||||||
|
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):
|
||||||
|
def arg_parser(self, request):
|
||||||
|
parsed_args = {}
|
||||||
|
for k, v in request.args.items():
|
||||||
|
parsed_args[k] = v[0]
|
||||||
|
return parsed_args
|
||||||
|
|
||||||
|
async def get(self, request):
|
||||||
|
filtered_by = self.arg_parser(request)
|
||||||
|
|
||||||
|
if filtered_by:
|
||||||
|
q_books = await Book.objects.filter(**filtered_by)
|
||||||
|
else:
|
||||||
|
q_books = await Book.objects.all()
|
||||||
|
|
||||||
|
books = [BookSerializer.serialize(book) for book in q_books]
|
||||||
|
|
||||||
|
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()
|
0
examples/asyncorm/library/__init__.py
Normal file
0
examples/asyncorm/library/__init__.py
Normal file
21
examples/asyncorm/library/models.py
Normal file
21
examples/asyncorm/library/models.py
Normal file
|
@ -0,0 +1,21 @@
|
||||||
|
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']
|
15
examples/asyncorm/library/serializer.py
Normal file
15
examples/asyncorm/library/serializer.py
Normal file
|
@ -0,0 +1,15 @@
|
||||||
|
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'
|
||||||
|
]
|
2
examples/asyncorm/requirements.txt
Normal file
2
examples/asyncorm/requirements.txt
Normal file
|
@ -0,0 +1,2 @@
|
||||||
|
asyncorm==0.0.7
|
||||||
|
sanic==0.4.1
|
Loading…
Reference in New Issue
Block a user