Python3 文件操作应用练习

import json
'''将列表中的多个字典信息转为json数据,保存到文件。文件操作应用练习'''
list = [{'k1': '值1', 'k2': '值2', 'k3': '值3'}, {'k11': '值11', 'k22': '值22', 'k33': '值33'}]

def memory():
    '''存储'''
    with open('student.json', 'w') as f:
        for i in list:
            json_i = json.dumps(i)
            f.write(json_i+'\n')
    f.close()

def repick():
    '''提取数据'''
    risk_result = []
    with open('student.json', 'r') as f:
        risk_new_list = f.read().split('\n')[:-1]
        for x in risk_new_list:
            json_x = json.loads(x)
            risk_result.append(json_x)
        f.close()
    print(risk_result)


if __name__ == '__main__':
    while True:
        num = input('输入命令已测试功能,1.保存 2.取出:')
        if num == '1':
            memory()
        elif num == '2':
            repick()
        else:
            print('....')

总结:序列化模块

Json模块提供了四个功能:dumps、dump、loads、load

import json
#(1)dumps
dic = {'k1':'值1','k2':'值2','k3':'值3'}
str_dic = json.dumps(dic)   #将字典转换成一个字符串
print(type(str_dic),str_dic)
'''结果:
<class 'str'> {"k3": "\u503c3", "k1": "\u503c1", "k2": "\u503c2"}
'''

#(2)loads
dic2 = json.loads(str_dic)  #将一个序列化转换成字典
print(type(dic2),dic2)
'''结果:
<class 'dict'> {'k3': '值3', 'k1': '值1', 'k2': '值2'}
'''

#(3)dump
f1 = open('json_file','w')  #默认编码方式是GBK
dic = {'k1':'值1','k2':'值2','k3':'值3'}
json.dump(dic,f1)   #dump方法将dic字典信息,转换成json字符串写入文件
f1.close()

#(4)load
f = open('json_file')   #默认编码方式是GBK
dic2 = json.load(f) #load方法将文件中的内容转换成数据类型返回
f.close()
print(type(dic2),dic2)
'''结果:
<class 'dict'> {'k3': '值3', 'k1': '值1', 'k2': '值2'}
'''

#(5)ensure_ascii
import json
f = open('file','w')    #以写的方式打开一个文件    #默认编码方式是GBK
json.dump({'国籍':'中国'},f)    #将{'国籍':'中国'}转换成json字符串写入文件中
ret = json.dumps({'国籍':'中国'})   #将{'国籍':'中国'}转换成json字符串赋给变量ret
f.write(ret+'\n')   #将ret的json字符串内容写入文件
json.dump({'国籍':'美国'},f,ensure_ascii=False) #dump对于中文默认以ASCII码存储,如果不使用需指定ensure_ascii=False
ret = json.dumps({'国籍':'美国'},ensure_ascii=False)    #dumps对于中文默认以ASCII码存储,如果不使用需指定ensure_ascii=False
f.write(ret+'\n')
f.close()

#(6)其它参数说明
r'''
Serialize obj to a JSON formatted str.(字符串表示的json对象) 
Skipkeys:默认值是False,如果dict的keys内的数据不是python的基本类型(str,unicode,int,long,float,bool,None),
设置为False时,就会报TypeError的错误。此时设置成True,则会跳过这类key 
ensure_ascii:,当它为True的时候,所有非ASCII码字符显示为\uXXXX序列,只需在dump时将ensure_ascii设置为False即可,此时存入json的中文即可正常显示。) 
If check_circular is false, then the circular reference check for container types will be skipped and a circular reference will result in 
an OverflowError (or worse). If allow_nan is false, then it will be a ValueError to serialize out of range float values (nan, inf, -inf) in strict compliance of the
JSON specification, instead of using the JavaScript equivalents (NaN, Infinity, -Infinity). indent:应该是一个非负的整型,如果是0就是顶格分行显示,如果为空就是一行最紧凑显示,否则会换行且按照indent的数值显示前面的空白分行显示,这样打印出来的json数据也叫
pretty-printed json separators:分隔符,实际上是(item_separator, dict_separator)的一个元组,默认的就是(‘,’,’:’);这表示dictionary内keys之间用“,”隔开,而KEY和value之间用“:
”隔开。 default(obj) is a function that should return a serializable version of obj or raise TypeError. The default simply raises TypeError. sort_keys:将数据根据keys的值进行排序。 To use a custom JSONEncoder subclass (e.g. one that overrides the .default() method to serialize additional types), specify it with the
cls kwarg; otherwise JSONEncoder is used.
''' #(7)格式化输出 import json data = {'username':['李华','二愣子'],'sex':'male','age':16} json_dic2 = json.dumps(data,sort_keys=True,indent=2,separators=(',',':'),ensure_ascii=False) print(json_dic2) '''结果: { "age":16, "sex":"male", "username":[ "李华", "二愣子" ] }'''



猜你喜欢

转载自blog.csdn.net/csdngaoqingrui/article/details/80529184