44

我一直在玩 Tornado,我写了一些看起来不太好的代码。

我正在编写一个应用程序来存储食谱作为示例。这些是我的处理程序:

handlers = [
    (r"/recipes/", RecipeHandler),
    (r"/recipes", RecipeSearchHandler), #so query params can be used to search
]

这导致我写这个:

class RecipeHandler(RequestHandler):      
    def get(self):
        self.render('recipes/index.html')

class RecipeSearchHandler(RequestHandler):    
    def get(self):
        try:
            name = self.get_argument('name', True)
            self.write(name)
        # will do some searching
        except AssertionError:
            self.write("no params")
            # will probably redirect to /recipes/

有没有更好的方法来处理这些 URL 而无需尝试/例外?我希望 /recipes 和 /recipes/ 显示相同的内容,而 /recipes?name=something 会进行搜索,最好是不同的处理程序。

4

4 回答 4

53

GET 请求有更好的方法。github上的tornado源码中有一个demo

# url handler
handlers = [(r"/entry/([^/]+)", EntryHandler),]

class EntryHandler(BaseHandler):
    def get(self, slug):
        entry = self.db.get("SELECT * FROM entries WHERE slug = %s", slug)
        if not entry: raise tornado.web.HTTPError(404)
        self.render("entry.html", entry=entry)

任何与正则表达式匹配的“文本”都将作为 slug 参数传递给 EntryHandler 的 get 方法。如果 url 不匹配任何处理程序,用户将收到 404 错误。

如果你想提供另一个后备,你可以使参数可选

(r"/entry/([^/]*)", EntryHandler),

class EntryHandler(BaseHandler):
    def get(self, slug=None):
        pass

更新:

+1 链接。但是,如果我想像这样进行搜索,此 URL 模式是否会扩展到包含更多参数... /recipes?ingredient=chicken&style=indian – colinjameswebb

是的,它确实。

handlers = [
     (r'/(\d{4})/(\d{2})/(\d{2})/([a-zA-Z\-0-9\.:,_]+)/?', DetailHandler)
]

class DetailHandler(BaseHandler):
    def get(self, year, month, day, slug):
        pass
于 2012-05-23T19:39:10.547 回答
43

get_argument允许您提供默认值:

details=self.get_argument("details", None, True)

如果提供了,那么如果没有提供参数,则不会发生异常

于 2012-12-18T04:01:00.413 回答
13

龙卷风也有一个get_arguments功能。它返回具有给定名称的参数列表。如果不存在,则返回一个空列表 ( [] )。我发现这种方式更干净,可以清理您的 Web 服务输入而不是try..catch块。

示例:
假设我有以下 URL 处理程序:

(r"/recipe",GetRecipe)

和请求处理程序:

class GetRecipe(RequestHandler):
    def get(self):
        recipe_id = self.get_arguments("rid")
        if recipe_id == []:
            # Handle me
            self.set_status(400)
            return self.finish("Invalid recipe id")
        self.write({"recipe_id":self.get_argument("rid")})


recipe_idlist 也将保存该值,但我发现self.get_argument这种方式使用起来很方便。

现在查看结果:

curl "http://localhost:8890/recipe" -v

*   Trying 127.0.0.1...
* Connected to localhost (127.0.0.1) port 8890 (#0)
> GET /recipe HTTP/1.1
> User-Agent: curl/7.35.0
> Host: localhost:8890
> Accept: */*
> 
< HTTP/1.1 400 Bad Request
< Content-Length: 17
< Content-Type: text/html; charset=UTF-8
* Server TornadoServer/1.1.1 is not blacklisted
< Server: TornadoServer/1.1.1
< 
* Connection #0 to host localhost left intact
Invalid recipe id

curl "http://localhost:8890/recipe?rid=230" -v
*   Trying 127.0.0.1...
* Connected to localhost (127.0.0.1) port 8890 (#0)
> GET /recipe?rid=230 HTTP/1.1
> User-Agent: curl/7.35.0
> Host: localhost:8890
> Accept: */*
> 
< HTTP/1.1 200 OK
< Content-Length: 20
< Etag: "d69ecb9086a20160178ade6b13eb0b3959aa13c6"
< Content-Type: text/javascript; charset=UTF-8
* Server TornadoServer/1.1.1 is not blacklisted
< Server: TornadoServer/1.1.1
< 
* Connection #0 to host localhost left intact
{"recipe_id": "230"}

于 2015-12-22T05:52:36.300 回答
6

如果您想使用更动态的过滤方法(而不是硬编码的 URL),您可以self.request.arguments在请求处理程序中使用所有传递的 URL 参数/参数。

class ApiHandler(RequestHandler):
    def get(self, path):
        filters = self.request.arguments
        for k,v in filters.items():
            # Do filtering etc...

请参阅http://www.tornadoweb.org/en/stable/httputil.html#tornado.httputil.HTTPServerRequest.arguments

于 2017-02-04T22:14:30.320 回答