12

我在 python 中生成特定的 JSON 对象时遇到了一些困难。

我需要它采用这种格式:

[
   {"id":0 , "attributeName_1":"value" , "attributeName_2":"value" , .... },
   {"id":1 , "attributeName_2":"value" , "attributeName_3":"value" , .... },
   .
   .
   .
]

在 python 中,我从 2 个对象中获取 id、attributeNames 和值。我试图像这样生成json:

    data=[]
    for feature in features_selected:
        data.append({"id":feature.pk})
        for attribute in attributes_selected:
            if attribute.feature == feature:
                data.append({attribute.attribute.name : attribute.value})
        jsonData=json.dumps(data)

但我得到的结果并不完全是我需要的:

[
   {"id":0} , {"attributeName_1":"value"} , {"attributeName_2":"value"} ,
   {"id":1} , {"attributeName_2":"value"} , {"attributeName_3":"value"} , .... },
   .
   .
   .
]
4

1 回答 1

27

问题是您data在循环中多次追加: first {"id":feature.pk},然后{attribute.attribute.name : attribute.value}在内部循环中。

相反,您需要在循环内定义一个字典,用id项目和属性填充它,然后才追加:

data=[]
for feature in features_selected:
    item = {"id": feature.pk}
    for attribute in attributes_selected:
        if attribute.feature == feature:
            item[attribute.attribute.name] = attribute.value
    data.append(item)

jsonData=json.dumps(data)
于 2013-09-07T13:48:09.353 回答