Python读写json文件
时间: 2023-08-08 11:10:26 浏览: 137
在Python中,你可以使用内置的json模块来读写JSON文件。下面是一个简单的例子:
```python
import json
# 读取JSON文件
def read_json_file(file_path):
with open(file_path, 'r') as file:
data = json.load(file)
return data
# 写入JSON文件
def write_json_file(data, file_path):
with open(file_path, 'w') as file:
json.dump(data, file, indent=4)
# 示例:读取JSON文件
json_data = read_json_file('data.json')
print(json_data)
# 示例:写入JSON文件
data = {'name': 'John', 'age': 30, 'city': 'New York'}
write_json_file(data, 'output.json')
```
上述代码中,`read_json_file`函数用于从JSON文件中读取数据,`write_json_file`函数用于将数据写入JSON文件。你可以根据需要修改文件路径和文件名。
相关问题
python 读取json文件 python 读取json文件并转化为列表文件
在Python中,你可以使用内置的`json`模块来读取JSON文件,并将其内容转换成列表或其他数据结构。以下是基本步骤:
1. 首先,你需要导入`json`模块:
```python
import json
```
2. 使用`with open()`打开JSON文件,这样可以自动关闭文件:
```python
with open('your_file.json', 'r') as file:
```
`your_file.json`是你需要读取的JSON文件路径。
3. 使用`json.load()`函数将文件内容解析为Python对象,通常是字典或列表,取决于原始JSON的内容结构:
```python
data = json.load(file)
```
如果JSON是一个数组,`data`将会是一个列表。
4. 如果你想把整个JSON转换成列表,只要`data`本身就是列表即可。如果不是,你可以遍历字典或者其他数据结构,提取所需的数据元素并添加到一个新的列表中。
例如,如果你有一个键名为"items"的列表,你可以这样操作:
```python
list_data = [item for item in data["items"]]
```
现在,`list_data`就是一个列表了。
python 读写json文件
你可以使用Python的内置模块`json`来读写JSON文件。下面是一个示例:
```python
import json
# 读取JSON文件
with open('data.json', 'r') as file:
data = json.load(file)
# 修改数据
data['name'] = 'Alice'
data['age'] = 25
# 写入JSON文件
with open('data.json', 'w') as file:
json.dump(data, file)
```
在这个示例中,我们首先使用`json.load()`函数从文件中加载JSON数据并存储在变量`data`中。然后,我们对`data`进行修改,例如修改"name"和"age"字段的值。最后,我们使用`json.dump()`函数将更新后的数据写回到文件中。
记得将`data.json`替换为你自己的JSON文件路径。
阅读全文