Add notes on 'method' argument to '@action' decorator

This commit is contained in:
Tom Christie 2013-06-02 20:40:56 +01:00
commit 27d8b848bc
5 changed files with 26 additions and 13 deletions

View File

@ -126,6 +126,11 @@ The `@action` and `@link` decorators can additionally take extra arguments that
def set_password(self, request, pk=None): def set_password(self, request, pk=None):
... ...
The `@action` decorator will route `POST` requests by default, but may also accept other HTTP methods, by using the `method` argument. For example:
@action(methods=['POST', 'DELETE'])
def unset_password(self, request, pk=None):
...
--- ---
# API Reference # API Reference

View File

@ -44,6 +44,7 @@ You can determine your currently installed version using `pip freeze`:
* Added `get_url` hook to `HyperlinkedIdentityField`. * Added `get_url` hook to `HyperlinkedIdentityField`.
* Serializer field `default` argument may be a callable. * Serializer field `default` argument may be a callable.
* `@action` decorator now accepts a `methods` argument.
* Bugfix: The `lookup_field` option on `HyperlinkedIdentityField` should apply by default to the url field on the serializer. * Bugfix: The `lookup_field` option on `HyperlinkedIdentityField` should apply by default to the url field on the serializer.
* Bugfix: `HyperlinkedIdentityField` should continue to support `pk_url_kwarg`, `slug_url_kwarg`, `slug_field`, in a pending deprecation state. * Bugfix: `HyperlinkedIdentityField` should continue to support `pk_url_kwarg`, `slug_url_kwarg`, `slug_field`, in a pending deprecation state.
* Bugfix: Ensure we always return 404 instead of 500 if a lookup field cannot be converted to the correct lookup type. (Eg non-numeric `AutoInteger` pk lookup) * Bugfix: Ensure we always return 404 instead of 500 if a lookup field cannot be converted to the correct lookup type. (Eg non-numeric `AutoInteger` pk lookup)

View File

@ -112,18 +112,18 @@ def link(**kwargs):
Used to mark a method on a ViewSet that should be routed for GET requests. Used to mark a method on a ViewSet that should be routed for GET requests.
""" """
def decorator(func): def decorator(func):
func.bind_to_method = 'get' func.bind_to_methods = ['get']
func.kwargs = kwargs func.kwargs = kwargs
return func return func
return decorator return decorator
def action(**kwargs): def action(methods=['post'], **kwargs):
""" """
Used to mark a method on a ViewSet that should be routed for POST requests. Used to mark a method on a ViewSet that should be routed for POST requests.
""" """
def decorator(func): def decorator(func):
func.bind_to_method = 'post' func.bind_to_methods = methods
func.kwargs = kwargs func.kwargs = kwargs
return func return func
return decorator return decorator

View File

@ -131,20 +131,20 @@ class SimpleRouter(BaseRouter):
dynamic_routes = [] dynamic_routes = []
for methodname in dir(viewset): for methodname in dir(viewset):
attr = getattr(viewset, methodname) attr = getattr(viewset, methodname)
httpmethod = getattr(attr, 'bind_to_method', None) httpmethods = getattr(attr, 'bind_to_methods', None)
if httpmethod: if httpmethods:
dynamic_routes.append((httpmethod, methodname)) dynamic_routes.append((httpmethods, methodname))
ret = [] ret = []
for route in self.routes: for route in self.routes:
if route.mapping == {'{httpmethod}': '{methodname}'}: if route.mapping == {'{httpmethod}': '{methodname}'}:
# Dynamic routes (@link or @action decorator) # Dynamic routes (@link or @action decorator)
for httpmethod, methodname in dynamic_routes: for httpmethods, methodname in dynamic_routes:
initkwargs = route.initkwargs.copy() initkwargs = route.initkwargs.copy()
initkwargs.update(getattr(viewset, methodname).kwargs) initkwargs.update(getattr(viewset, methodname).kwargs)
ret.append(Route( ret.append(Route(
url=replace_methodname(route.url, methodname), url=replace_methodname(route.url, methodname),
mapping={httpmethod: methodname}, mapping=dict((httpmethod, methodname) for httpmethod in httpmethods),
name=replace_methodname(route.name, methodname), name=replace_methodname(route.name, methodname),
initkwargs=initkwargs, initkwargs=initkwargs,
)) ))

View File

@ -25,6 +25,10 @@ class BasicViewSet(viewsets.ViewSet):
def action2(self, request, *args, **kwargs): def action2(self, request, *args, **kwargs):
return Response({'method': 'action2'}) return Response({'method': 'action2'})
@action(methods=['post', 'delete'])
def action3(self, request, *args, **kwargs):
return Response({'method': 'action2'})
@link() @link()
def link1(self, request, *args, **kwargs): def link1(self, request, *args, **kwargs):
return Response({'method': 'link1'}) return Response({'method': 'link1'})
@ -42,17 +46,20 @@ class TestSimpleRouter(TestCase):
routes = self.router.get_routes(BasicViewSet) routes = self.router.get_routes(BasicViewSet)
decorator_routes = routes[2:] decorator_routes = routes[2:]
# Make sure all these endpoints exist and none have been clobbered # Make sure all these endpoints exist and none have been clobbered
for i, endpoint in enumerate(['action1', 'action2', 'link1', 'link2']): for i, endpoint in enumerate(['action1', 'action2', 'action3', 'link1', 'link2']):
route = decorator_routes[i] route = decorator_routes[i]
# check url listing # check url listing
self.assertEqual(route.url, self.assertEqual(route.url,
'^{{prefix}}/{{lookup}}/{0}/$'.format(endpoint)) '^{{prefix}}/{{lookup}}/{0}/$'.format(endpoint))
# check method to function mapping # check method to function mapping
if endpoint.startswith('action'): if endpoint == 'action3':
method_map = 'post' methods_map = ['post', 'delete']
elif endpoint.startswith('action'):
methods_map = ['post']
else: else:
method_map = 'get' methods_map = ['get']
self.assertEqual(route.mapping[method_map], endpoint) for method in methods_map:
self.assertEqual(route.mapping[method], endpoint)
class RouterTestModel(models.Model): class RouterTestModel(models.Model):