我有一个文件*.yaml
,内容如下:
bugs_tree:
bug_1:
html_arch: filepath
moved_by: user1
moved_date: '2018-01-30'
sfx_id: '1'
我想在节点[bugs_tree]
下为此文件添加一个新的子元素
我试着这样做如下:
if __name__ == "__main__":
new_yaml_data_dict = {
'bug_2': {
'sfx_id': '2',
'moved_by': 'user2',
'moved_date': '2018-01-30',
'html_arch': 'filepath'
}
}
with open('bugs.yaml','r') as yamlfile:
cur_yaml = yaml.load(yamlfile)
cur_yaml.extend(new_yaml_data_dict)
print(cur_yaml)
然后文件应该看起来:
bugs_tree:
bug_1:
html_arch: filepath
moved_by: username
moved_date: '2018-01-30'
sfx_id: '1234'
bug_2:
html_arch: filepath
moved_by: user2
moved_date: '2018-01-30'
sfx_id: '2'
当我尝试执行.append()
或.extend()
或.insert()
然后收到错误
cur_yaml.extend(new_yaml_data_dict)
AttributeError: 'dict' object has no attribute 'extend'
答案 0 :(得分:2)
您需要使用update
cur_yaml.update(new_yaml_data_dict)
结果代码
with open('bugs.yaml','r') as yamlfile:
cur_yaml = yaml.load(yamlfile)
cur_yaml.update(new_yaml_data_dict)
print(cur_yaml)
with open('bugs.yaml','w') as yamlfile:
yaml.safe_dump(cur_yaml, yamlfile) # Also note the safe_dump
答案 1 :(得分:2)
如果要更新文件,则读取是不够的。 您还需要再次写入该文件。 像这样的东西会起作用:
with open('bugs.yaml','r') as yamlfile:
cur_yaml = yaml.safe_load(yamlfile) # Note the safe_load
cur_yaml['bugs_tree'].update(new_yaml_data_dict)
if cur_yaml:
with open('bugs.yaml','w') as yamlfile:
yaml.safe_dump(cur_yaml, yamlfile) # Also note the safe_dump
我没有对此进行测试,但他的想法是您使用读取来读取该文件,并写入到写到文件。使用safe_load
和safe_dump
,例如Anthon说:
“绝对不需要使用load(),这被记录为不安全。请使用safe_load()代替”
答案 2 :(得分:0)
不确定这是否适合每个人的用例,但是我发现您可以...追加到文件如果它仅包含顶级列表。
执行此操作的一个动机是,这样做很有意义。另一个是我对每次都要重新加载和解析整个yaml文件表示怀疑。我想做的是使用Django中间件记录进入的请求,以调试我在开发中具有多个页面加载的bug,这是非常关键的。
如果我必须做OP想要做的事情,我会考虑将bug留在自己的文件中,并从其中组成bugs_tree
的内容。
import os
import yaml
def write(new_yaml_data_dict):
if not os.path.isfile("bugs.yaml"):
with open("bugs.yaml", "a") as fo:
fo.write("---\n")
#the leading spaces and indent=4 are key here!
sdump = " " + yaml.dump(
new_yaml_data_dict
,indent=4
)
with open("bugs.yaml", "a") as fo:
fo.write(sdump)
new_yaml_data_dict = {
'bug_1': {
'sfx_id': '1',
'moved_by': 'user2',
'moved_date': '2018-01-20',
'html_arch': 'filepath'
}
}
write(new_yaml_data_dict)
new_yaml_data_dict = {
'bug_2': {
'sfx_id': '2',
'moved_by': 'user2',
'moved_date': '2018-01-30',
'html_arch': 'filepath'
}
}
write(new_yaml_data_dict)
这将导致
---
bug_1:
html_arch: filepath
moved_by: user2
moved_date: '2018-01-20'
sfx_id: '1'
bug_2:
html_arch: filepath
moved_by: user2
moved_date: '2018-01-30'
sfx_id: '2'