6
@route('/locations', method='GET')
def get_location():
    entity = db['locations'].find({'coordinate2d': {'$near': [37.871593, -122.272747]}}).limit(3)
    if not entity:
        abort(404, 'No nearby locations')
    return entity

上述代码部分的响应是:

Error 500: Internal Server Error

Sorry, the requested URL 'http://localhost:8080/locations' caused an error:

Unsupported response type: <type 'dict'>

我如何从 mongo 中获取该信息,因为 Bottle 可以以 JSON 形式返回?

4

3 回答 3

3

当我试图返回一个 python 列表时,我得到了这个错误。我以为它会翻译成 JSON,但事实并非如此。它到达了bottle.py中处理迭代的行,并在列表中找到了第一个dict并抛出了上面的错误。

为了解决这个问题,我只是将我的列表嵌入到一个字典中。

return {'response': []}
于 2015-05-15T03:43:18.553 回答
2

完整的解决方案是将db光标转换为列表,手动设置响应类型+自定义编码返回值

@route('/locations/:lat/:lng', method='GET')
def get_location(lat,lng):
    response.content_type = 'application/json'
    objdb = db.locations.find({'coordinate2d': {'$near': [lat,lng]}}, {'coordinate2d':bool(1)}).skip(0).limit(3)
    entries = [entry for entry in objdb]
    return MongoEncoder().encode(entries)

在我的情况下,产生这个:

[
    {
        "_id": "4f4201bb7e720d1dca000005",
        "coordinate2d": [
            33.02032100000006,
            -117.19483074631853
        ]
    },
    {
        "_id": "4f4201587e720d1dca000002",
        "coordinate2d": [
            33.158092999999994,
            -117.350594
        ]
    },
    {
        "_id": "4f42018b7e720d1dca000003",
        "coordinate2d": [
            33.195870000000006,
            -117.379483
        ]
    }
]
于 2012-02-23T23:09:35.173 回答
1

根据瓶子http://bottlepy.org/docs/dev/@route上提到的文档,您必须从装饰器返回字符串。您必须返回带有数据或字符串的模板。

如果要生成 json,则必须更改Content-Type.

字典

如上所述,Python 字典(或其子类)会自动转换为 JSON 字符串并返回到浏览器,其中 Content-Type 标头设置为 application/json。这使得实现基于 json 的 API 变得容易。也支持 json 以外的数据格式。请参阅教程输出过滤器以了解更多信息。

http://bottlepy.org/docs/dev/tutorial.html?highlight=json#generating-content

于 2012-02-20T09:11:55.263 回答