一、从Python读取JSON文件
Python可以很方便地读取JSON文件。通过json.load()函数,将JSON文件读取为Python数据结构,可以对其进行处理。
import json # 从文件中读取json with open('data.json') as f: data = json.load(f) print(data)
上面的代码会打开名为data.json的文件,读取其中的内容并存储到Python数据结构中。其中 with 语句会自动关闭文件。最后,我们打印出了Python数据结构 data 的内容。
当然,如果不是从文件读取JSON,而是从其他地方例如API获取到该JSON数据,并将其转存到 Python 中,也可以直接使用json.loads()函数。
import json # 从字符串中读取json json_str = '{"name": "jimmy", "age": 28, "isVIP": true}' data = json.loads(json_str) print(data)
通过json.loads()函数,我们将一个JSON字符串转换为了一个Python数据结构,并打印了出来。
二、Python修改JSON文件内容
如果要修改JSON文件内容,很简单,只需要读取JSON文件,在Python中修改相应部分,最后将修改后的内容再覆盖到原JSON文件中即可。以下是一个修改JSON文件数据的简单示例。
import json # 从文件中读取json with open('data.json') as f: data = json.load(f) # 修改数据 data['age'] = 30 # 更新原json文件 with open('data.json', 'w') as f: json.dump(data, f)
通过json.dump()函数,我们将Python数据转化为JSON格式,并写入到名为data.json的文件中。
三、Python3读取JSON文件
Python3在处理JSON方面比Python2更加优秀。写法很简单,直接使用内置的json库即可。
import json # 从文件中读取json with open('data.json') as f: data = json.load(f) print(data)
四、Python文件读写方法有哪些
Python有许多文件读写的方法,下面介绍最常用的一些。
- open() : 打开文件
- read() : 读取文件内容
- readline() : 读取文件中的一行
- readlines() : 读取文件中的所有行
- write() : 将数据写入文件
- writelines() : 将多行数据写入文件
- close() : 关闭文件
五、Python解析JSON文件
Python 的json模块包含了处理JSON数据的方法,使得解析JSON数据变得非常简单。以下是对从一个JSON文件中解析出数据的简单示例。
import json # 从文件中读取json with open('data.json') as f: data = json.load(f) # 获取数据 name = data['name'] age = data['age'] print(f"{name} 的年龄是 {age} 岁。")
我们得到了从JSON文件中获取的相应数据,将其打印出来。
六、Python创建JSON文件并写入
如果我们想要创建一个JSON文件并向其中添加数据,可以使用Python提供的方法。下面的示例代码会创建一个JSON文件,并写入一些数据。
import json # 创建数据 data = { "name": "jimmy", "age": 28, "isVIP": True } # 写入JSON文件 with open('data.json', 'w') as f: json.dump(data, f)
通过json.dump()函数,我们将Python数据转换为JSON格式,然后将其写入到名为data.json 的文件。