python 读写json文件
时间: 2023-10-04 14:12:02 浏览: 104
你可以使用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文件路径。
相关问题
Python读写json文件
Python中读写JSON文件非常简单。你可以使用内置的`json`模块来实现。下面是一个示例:
首先,我们需要导入`json`模块:
```python
import json
```
要从JSON文件中读取数据,可以使用`json.load()`函数。它接受一个文件对象作为参数,并返回解析后的JSON数据。例如,假设我们有一个名为`data.json`的JSON文件:
```python
with open('data.json', 'r') as f:
data = json.load(f)
```
现在,`data`变量将包含JSON文件中的数据。
要将数据写入JSON文件,可以使用`json.dump()`函数。它接受两个参数:要写入的数据和目标文件对象。例如,假设我们有一个名为`data`的Python字典,我们要将其写入名为`output.json`的JSON文件:
```python
data = {'name': 'John', 'age': 30, 'city': 'New York'}
with open('output.json', 'w') as f:
json.dump(data, f)
```
现在,`data`字典中的数据已经写入到`output.json`文件中。
这就是使用Python读写JSON文件的基本方法。希望对你有帮助!如果你有任何其他问题,请随时提问。
python 读写json
Python中读写JSON格式的数据可以使用内置的json模块,这里给出一些基本的示例代码。
1. 读取JSON文件
假设我们有一个名为data.json的JSON文件,其内容如下:
```json
{
"name": "John",
"age": 30,
"isMarried": true,
"hobbies": ["reading", "traveling", "sports"],
"address": {
"street": "123 Main St",
"city": "New York",
"state": "NY",
"zip": "10001"
}
}
```
我们可以使用以下代码读取该文件并将其解析为Python对象:
```python
import json
with open('data.json', 'r') as f:
data = json.load(f)
print(data)
```
输出结果为:
```python
{
"name": "John",
"age": 30,
"isMarried": true,
"hobbies": ["reading", "traveling", "sports"],
"address": {
"street": "123 Main St",
"city": "New York",
"state": "NY",
"zip": "10001"
}
}
```
2. 将Python对象写入JSON文件
假设我们有一个名为data的Python对象,其内容如下:
```python
data = {
"name": "John",
"age": 30,
"isMarried": True,
"hobbies": ["reading", "traveling", "sports"],
"address": {
"street": "123 Main St",
"city": "New York",
"state": "NY",
"zip": "10001"
}
}
```
我们可以使用以下代码将该Python对象写入名为output.json的JSON文件:
```python
import json
with open('output.json', 'w') as f:
json.dump(data, f)
```
这将在当前工作目录下创建一个名为output.json的文件,并将Python对象data的JSON表示写入其中。
以上就是基本的JSON读写操作,希望能对你有所帮助。
阅读全文