python csv 匹配cell 写入json
时间: 2023-10-21 20:00:48 浏览: 84
假设你有一个 CSV 文件,其中包含以下两列数据:`name` 和 `age`。你想要将它们转换为 JSON 格式,并将它们写入一个文件中。
以下是一个示例代码,用于读取 CSV 文件、将其转换为 JSON、并将 JSON 写入文件:
```python
import csv
import json
# 读取 CSV 文件
with open('data.csv') as csvfile:
reader = csv.DictReader(csvfile)
rows = list(reader)
# 匹配 cell
for row in rows:
if row['name'] == 'John':
row['age'] = 30
# 转换为 JSON 格式
json_data = json.dumps(rows, indent=4)
# 写入文件
with open('data.json', 'w') as outfile:
outfile.write(json_data)
```
在上面的代码中,我们首先使用 `csv.DictReader` 函数读取 CSV 文件,并将其转换为一个字典列表。接着,我们根据需要匹配 cell。在这个例子中,我们将 `age` 列中名为 `John` 的行的值设置为 30。最后,我们将字典列表转换为 JSON 格式,并将其写入文件。
相关问题
python 以json格式写入json文件
在 Python 中,可以使用 `json.dump()` 函数将 JSON 数据写入 JSON 文件。该函数的语法如下:
```python
import json
with open('filename.json', 'w') as f:
json.dump(data, f)
```
其中,`filename.json` 是要写入的 JSON 文件名,`data` 是要写入的 JSON 数据,`f` 是文件对象。使用 `with` 语句可以确保在写入完成后自动关闭文件。
例如,将一个字典对象写入 JSON 文件:
```python
import json
data = {'name': 'John', 'age': 30, 'city': 'New York'}
with open('data.json', 'w') as f:
json.dump(data, f)
```
这将在当前目录下创建一个名为 `data.json` 的文件,并将 `data` 字典对象以 JSON 格式写入该文件。
如果要将一个列表对象写入 JSON 文件,可以使用 `json.dump()` 函数的第三个参数 `indent` 来设置缩进:
```python
import json
data = ['apple', 'banana', 'orange']
with open('data.json', 'w') as f:
json.dump(data, f, indent=4)
```
这将在当前目录下创建一个名为 `data.json` 的文件,并将 `data` 列表对象以缩进为 4 的 JSON 格式写入该文件。
python中json模块写入json文件常用方法
在Python中,可以使用json模块来读取和写入JSON文件。下面是一些常用的写入JSON文件的方法:
1. 使用json.dump()函数:该函数将Python对象转换为JSON格式,并将其写入文件中。示例代码如下:
```python
import json
data = {
"name": "John",
"age": 30,
"city": "New York"
}
with open("data.json", "w") as file:
json.dump(data, file)
```
2. 使用json.dumps()函数:该函数将Python对象转换为JSON格式的字符串,然后可以将字符串写入文件。示例代码如下:
```python
import json
data = {
"name": "John",
"age": 30,
"city": "New York"
}
json_data = json.dumps(data)
with open("data.json", "w") as file:
file.write(json_data)
```
这两种方法都可以将Python对象写入JSON文件中。需要注意的是,使用这些方法写入的JSON文件是以UTF-8编码保存的。
阅读全文