我不能代表 Django,但在 CherryPy 中,每个 HTTP 动词都可以使用一个函数,只需一个配置条目:
request.dispatch = cherrypy.dispatch.MethodDispatcher()
但是,我已经看到了一些不可取的情况。
一个例子是不管动词如何的硬重定向。
另一种情况是您的大多数处理程序只处理 GET。在这种情况下,有一千个页面处理程序都命名为“GET”,这尤其令人讨厌。在装饰器中表达这一点比在函数名中更漂亮:
def allow(*methods):
methods = list(methods)
if not methods:
methods = ['GET', 'HEAD']
elif 'GET' in methods and 'HEAD' not in methods:
methods.append('HEAD')
def wrap(f):
def inner(*args, **kwargs):
cherrypy.response.headers['Allow'] = ', '.join(methods)
if cherrypy.request.method not in methods:
raise cherrypy.HTTPError(405)
return f(*args, **kwargs):
inner.exposed = True
return inner
return wrap
class Root:
@allow()
def index(self):
return "Hello"
cowboy_greeting = "Howdy"
@allow()
def cowboy(self):
return self.cowboy_greeting
@allow('PUT')
def cowboyup(self, new_greeting=None):
self.cowboy_greeting = new_greeting
我看到的另一个常见问题是在数据库中查找与资源相对应的数据,这与动词无关:
def default(self, id, **kwargs):
# 404 if no such beast
thing = Things.get(id=id)
if thing is None:
raise cherrypy.NotFound()
# ...and now switch on method
if cherrypy.request.method == 'GET': ...
CherryPy 试图不为您做出决定,但如果您想要的话,它会变得容易(单行)。