9

我正在解析存储各种代码片段的 JSON,我首先构建这些片段使用的语言字典:

snippets = {'python': {}, 'text': {}, 'php': {}, 'js': {}}

然后,当循环遍历 JSON 时,我希望将有关片段的信息添加到它自己的字典中到上面列出的字典中。例如,如果我有一个 JS 片段 - 最终结果将是:

snippets = {'js': 
                 {"title":"Script 1","code":"code here", "id":"123456"}
                 {"title":"Script 2","code":"code here", "id":"123457"}
}

不要混淆水域 - 但在 PHP 中处理多维数组时,我只需执行以下操作(我正在寻找类似的东西):

snippets['js'][] = array here

我知道我看到一两个人在谈论如何创建多维字典 - 但似乎无法追踪在 python 中将字典添加到字典中。谢谢您的帮助。

4

2 回答 2

18

这称为自动生存

你可以这样做defaultdict

def tree():
    return collections.defaultdict(tree)

d = tree()
d['js']['title'] = 'Script1'

如果这个想法是有列表,你可以这样做:

d = collections.defaultdict(list)
d['js'].append({'foo': 'bar'})
d['js'].append({'other': 'thing'})

defaultdict 的想法是在访问键时自动创建元素。顺便说一句,对于这种简单的情况,您可以简单地执行以下操作:

d = {}
d['js'] = [{'foo': 'bar'}, {'other': 'thing'}]
于 2013-02-14T03:59:25.743 回答
7

snippets = {'js': 
                 {"title":"Script 1","code":"code here", "id":"123456"}
                 {"title":"Script 2","code":"code here", "id":"123457"}
}

在我看来,您想要一个字典列表。这是一些 python 代码,希望能产生你想要的结果

snippets = {'python': [], 'text': [], 'php': [], 'js': []}
snippets['js'].append({"title":"Script 1","code":"code here", "id":"123456"})
snippets['js'].append({"title":"Script 1","code":"code here", "id":"123457"})
print(snippets['js']) #[{'code': 'code here', 'id': '123456', 'title': 'Script 1'}, {'code': 'code here', 'id': '123457', 'title': 'Script 1'}]

这说明清楚了吗?

于 2013-02-14T03:59:11.360 回答