3

我正在使用此处找到的代码将 GAE 模型转换为 JSON:

def to_dict(self):
    return dict([(p, unicode(getattr(self, p))) for p in self.properties()])

它工作得很好,但是如果一个属性没有值,它会放置一个默认字符串“None”,这在我的客户端设备(Objective-C)中被解释为一个真实值,即使它应该被解释为一个零值。

如何修改上面的代码,同时保持其简洁性以跳过而不将属性写入具有 None 值的字典?

4

1 回答 1

7
def to_dict(self):
    return dict((p, unicode(getattr(self, p))) for p in self.properties()
                if getattr(self, p) is not None)

您不需要先创建列表(周围[]),您可以使用生成器表达式即时构建值。

它不是很简短,但是如果您的模型结构变得更复杂,您可能需要查看这个递归变体:

# Define 'simple' types
SIMPLE_TYPES = (int, long, float, bool, dict, basestring, list)

def to_dict(model):
    output = {}

    for key, prop in model.properties().iteritems():
        value = getattr(model, key)

        if isinstance(value, SIMPLE_TYPES) and value is not None:
            output[key] = value
        elif isinstance(value, datetime.date):
            # Convert date/datetime to ms-since-epoch ("new Date()").
            ms = time.mktime(value.utctimetuple())
            ms += getattr(value, 'microseconds', 0) / 1000
            output[key] = int(ms)
        elif isinstance(value, db.GeoPt):
            output[key] = {'lat': value.lat, 'lon': value.lon}
        elif isinstance(value, db.Model):
            # Recurse
            output[key] = to_dict(value)
        else:
            raise ValueError('cannot encode ' + repr(prop))

    return output

elif这可以通过添加到分支轻松地用其他非简单类型进行扩展。

于 2012-05-20T18:11:26.763 回答