python提取json文件指定关键字对应的内容
时间: 2024-01-22 07:03:08 浏览: 78
假设你有一个名为 `data.json` 的 JSON 文件,其中包含以下内容:
```json
{
"name": "John Doe",
"age": 30,
"address": {
"street": "123 Main St",
"city": "Anytown",
"state": "CA",
"zipcode": "12345"
},
"phone_numbers": ["123-456-7890", "555-555-5555"],
"email": "johndoe@example.com"
}
```
你想要提取 `name` 和 `phone_numbers` 的值。可以使用 Python 中的 `json` 模块来实现:
```python
import json
# 读取 JSON 文件
with open('data.json', 'r') as f:
data = json.load(f)
# 提取指定关键字的内容
name = data['name']
phone_numbers = data['phone_numbers']
# 打印结果
print('Name:', name)
print('Phone numbers:', phone_numbers)
```
输出:
```
Name: John Doe
Phone numbers: ['123-456-7890', '555-555-5555']
```
注意,`json.load()` 方法将 JSON 文件中的内容加载到 Python 字典中,然后可以通过字典的键来访问值。如果 JSON 文件中的键不存在,将会引发 `KeyError` 异常。
阅读全文