how do I json encode this view?

蓝咒 提交于 2019-12-11 04:24:35

问题


New to python and Pyramid.

I have a view that does pagination. How do I json encode it? I get an error "object at 0x2d16d90> is not JSON serializable" when I try this:

@view_config(route_name="paginate")  
def paginate(request):
    query = DBSession.query(MyTable)
    page_url = paginate.PageURL_WebOb(request)
    customers = paginate.Page(query, 
                     page=int(request.params.get("page", 1)), 
                     items_per_page=25, 
                     url=page_url)

    if "partial" in request.params:
        # Render the partial list page
        return render_to_response("templates/my_json.jinja2",
                                  {"customers": json.dumps(customers)},
                                  request=request)
    else:
        # Render the full list page
        return render_to_response("templates/my.jinja2",
                                  {"customers": customers},
                                  request=request)

回答1:


JSON is a strict textual format. You cannot just throw SQLAlchemy at the encoder and expect this to Just Work, you need to decide what the encoding for your objects will look like.

One way is for your SQLAlchemy objects to implement an extra method that returns a simple python dictionary; one that can be serialized. That means it can only use strings for keys, and can only contain lists, tuples, numbers and / or strings.

An example method could be:

def json_dump(self):
    return dict(name=self.name, phone=[p.number for p in self.phonenumbers])

This returns a dictionary with name and phone keys, where the phone key contains a list of phone numbers from a (purely made up for example purposes) phonenumbers relationship.

You can then use that information to create a new list of dictionaries that json.dumps can handle:

if "partial" in request.params:
    customer_json_data = [c.json_dump() for c in customers]
    # Render the partial list page
    return render_to_response("templates/my_json.jinja2",
                              {"customers": json.dumps(customer_json_data)},
                              request=request)

The upcoming Pyramid 1.4 adds specific support for serializing custom objects in the json renderer via the __json__ method hook, as well as support for adapters to do the conversion for you.




回答2:


Are you sure you want to render a template to send your JSON response? I've done something more like this in the past:

return HttpResponse(
        json.dumps(customers),
        status=200,
        mimetype="application/json")

FYI: that's Django code above... I'm not sure what the Pylons equivalent is, but I'm looking it up...



来源:https://stackoverflow.com/questions/12541322/how-do-i-json-encode-this-view

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!