Để tuần tự hóa các mô hình, hãy thêm bộ mã hóa json tùy chỉnh như trong python sau:
import datetime
from google.appengine.api import users
from google.appengine.ext import db
from django.utils import simplejson
class jsonEncoder(simplejson.JSONEncoder):
def default(self, obj):
if isinstance(obj, datetime.datetime):
return obj.isoformat()
elif isinstance(obj, db.Model):
return dict((p, getattr(obj, p))
for p in obj.properties())
elif isinstance(obj, users.User):
return obj.email()
else:
return simplejson.JSONEncoder.default(self, obj)
simplejson.dumps(model, cls=jsonEncoder)
Điều này sẽ mã hóa:
- một ngày dưới dạng chuỗi isoformat ( theo gợi ý này ),
- một mô hình như một chính tả các thuộc tính của nó,
- một người dùng làm email của anh ấy.
Để giải mã ngày, bạn có thể sử dụng javascript này:
function decodeJsonDate(s){
return new Date( s.slice(0,19).replace('T',' ') + ' GMT' );
} // Note that this function truncates milliseconds.
Lưu ý: Cảm ơn người dùng pydave đã chỉnh sửa mã này để làm cho nó dễ đọc hơn. Ban đầu, tôi đã sử dụng các biểu thức if / else của python để diễn đạt jsonEncoder
trong ít dòng hơn như sau: (Tôi đã thêm một số nhận xét và sử dụng google.appengine.ext.db.to_dict
, để làm cho nó rõ ràng hơn so với ban đầu.)
class jsonEncoder(simplejson.JSONEncoder):
def default(self, obj):
isa=lambda x: isinstance(obj, x)
return obj.isoformat() if isa(datetime.datetime) else \
db.to_dict(obj) if isa(db.Model) else \
obj.email() if isa(users.User) else \
simplejson.JSONEncoder.default(self, obj)