在猎鹰中添加自定义 HTTP 方法?

Add custom HTTP method in falcon?

尽可能多的 HTTP 框架支持在代码中使用自定义方法和自定义 HTTP 状态代码,我想知道是否可以用 Falcon 做同样的事情?

我试过:

class MyResource:
    def on_obtain(self, req, resp):
        # do some thing

我也将它添加到 API 路由中,但是当我调用它时 API 我得到 HTTP/1.1 400 Bad Request 这个主体:

{"title":"Bad request","description":"Invalid HTTP method"}

我的问题是可以在此资源上定义 obtain 吗?

我认为你需要使用 Custom Routers。举个例子:

class Resource:

    def on_get(self, req, resp):
        resp.body = req.method
        resp.status = falcon.HTTP_200

    def on_example(self, req, resp):
        resp.body = req.method
        resp.status = falcon.HTTP_200

class MyRouter(routing.DefaultRouter):
    # this is just demonstration that my solution works
    # I added request method into method_map
    def add_route(self, uri_template, method_map, resource):
        super().add_route(uri_template, method_map, resource)
        method_map['EXAMPLE'] = resource.on_example

    def find(self, uri, req=None):
        return super().find(uri, req)

api = falcon.API(router=MyRouter())  # just set your router
test = Resource()
api.add_route('/test', test)

让我们检查一下:

curl -X EXAMPLE http://127.0.0.1:8000/test
EXAMPLE⏎
curl http://127.0.0.1:8000/test
GET⏎

因此,您只需创建 Router 并实施 add_route() / find() 方法即可。希望你明白我的意思。