如何使用 python 添加新的 lines/update 数据到 yaml 文件?

How to add new lines/update data to the yaml file with python?

我想更新我的 .yaml 文件,并在每次迭代中将新数据添加到我的 .yaml 文件中,同时仍保存以前的数据,这是我的一段代码:

import yaml

num=0
for i in range(4):
    num +=1    
    data_yaml =[{"name" : num,  "point" : [x, y , z]}]

    with open('points.yaml', 'w') as yaml_file:
        yaml.dump(data_yaml, yaml_file)  

这是我想要在 points.yaml 文件中实现的目标输出结果:

- name: 1
  point: [0.7, -0.2, 0.22]
- name: 2
  point: [0.6, -0.11, 0.8]
- name: 3
  point: [0.4, -0.2, 0.6]
- name: 4
  point: [0.3, -0.7, 0.8]
- name: 5
  point: [0.1, -0.4, 0.2]

如何在 .yaml 文件中的先前数据旁边自动追加或添加新行?

在预期的输出中,您的根级数据结构是一个序列。在你的 Python 程序,因此您应该从一个空列表开始。 (如果你没有 要知道,最简单的事情就是 .load 您创建的 YAML 文档 手工制作,看看它如何最终成为数据结构 Python。)

您似乎使用的 Python 版本不仅已停产,而且还很旧 ruamel.yaml 的(兼容性)例程。如果你不能改变前者,在 至少开始使用新的 ruamel.yaml API:

from __future__ import print_function

import sys
import ruamel.yaml

points = [
  [0.7, -0.2, 0.22],
  [0.6, -0.11, 0.8],
  [0.4, -0.2, 0.6],
  [0.3, -0.7, 0.8],
  [0.1, -0.4, 0.2],
]

data = []

yaml = ruamel.yaml.YAML(typ='safe')

num=0
for i in range(5):
    num +=1
    x, y, z = points[i]
    data.append({"name" : num,
    "point" : [x, y , z ]
    })

    with open('points.yaml', 'w') as yaml_file:
         yaml.dump(data, yaml_file)

with open('points.yaml') as yaml_file:
    print(yaml_file.read())

给出:

- name: 1
  point: [0.7, -0.2, 0.22]
- name: 2
  point: [0.6, -0.11, 0.8]
- name: 3
  point: [0.4, -0.2, 0.6]
- name: 4
  point: [0.3, -0.7, 0.8]
- name: 5
  point: [0.1, -0.4, 0.2]

请注意,我将 range() 的参数更改为 5。