json模块dumps、loads、dump、load函数介绍
1、json.dumps()
json.dumps()用于将dict类型的数据转成str,因为如果直接将dict类型的数据写入json文件中会发生报错,因此在将数据写入时需要用到该函数。
1
2
3
4
5
6
7
8
9
10
|
import json
name_emb = { 'a' : '1111' , 'b' : '2222' , 'c' : '3333' , 'd' : '4444' }
jsobj = json.dumps(name_emb)
print (name_emb)
print (jsobj)
print ( type (name_emb))
print ( type (jsobj))
|
运行结果如下:
{'a': '1111', 'c': '3333', 'b': '2222', 'd': '4444'}
{"a": "1111", "c": "3333", "b": "2222", "d": "4444"}
<type 'dict'>
<type 'str'>
若在数据写入json文件时,未先进行转换,报错如下
1
2
3
4
5
6
7
8
9
10
|
import json
name_emb = { 'a' : '1111' , 'b' : '2222' , 'c' : '3333' , 'd' : '4444' }
emb_filename = ( '/home/cqh/facedata/emb_json.json' )
# jsobj = json.dumps(name_emb)
with open (emb_filename, "w" ) as f:
f.write(name_emb)
f.close()
|
转换后再写入,则不报错
2、json.loads()
json.loads()用于将str类型的数据转成dict。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
|
import json
name_emb = { 'a' : '1111' , 'b' : '2222' , 'c' : '3333' , 'd' : '4444' }
jsdumps = json.dumps(name_emb)
jsloads = json.loads(jsdumps)
print (name_emb)
print (jsdumps)
print (jsloads)
print ( type (name_emb))
print ( type (jsdumps))
print ( type (jsloads))
|
运行结果如下:
'a'变成了u'a'是因为发生了类型转换,str会转换成unicode
{'a': '1111', 'c': '3333', 'b': '2222', 'd': '4444'}
{"a": "1111", "c": "3333", "b": "2222", "d": "4444"}
{u'a': u'1111', u'c': u'3333', u'b': u'2222', u'd': u'4444'}
<type 'dict'>
<type 'str'>
<type 'dict'>
3、json.dump()
json.dump()用于将dict类型的数据转成str,并写入到json文件中。下面两种方法都可以将数据写入json文件
1
2
3
4
5
6
7
8
9
10
11
12
13
14
|
import json
name_emb = { 'a' : '1111' , 'b' : '2222' , 'c' : '3333' , 'd' : '4444' }
emb_filename = ( '/home/cqh/facedata/emb_json.json' )
# solution 1
jsobj = json.dumps(name_emb)
with open (emb_filename, "w" ) as f:
f.write(jsobj)
f.close()
# solution 2
json.dump(name_emb, open (emb_filename, "w" ))
|
运行结果如下:
4、json.load()
json.load()用于从json文件中读取数据。
1
2
3
4
5
6
7
8
9
10
11
|
import json
emb_filename = ( '/home/cqh/facedata/emb_json.json' )
jsobj = json.load( open (emb_filename))
print (jsobj)
print ( type (jsobj))
for key in jsobj.keys():
print ( 'key: %s value: %s' % (key,jsobj.get(key)))
|
运行结果如下:
{u'a': u'1111', u'c': u'3333', u'b': u'2222', u'd': u'4444'}
<type 'dict'>
key: a value: 1111
key: c value: 3333
key: b value: 2222
key: d value: 4444
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持服务器之家。
原文链接:https://blog.csdn.net/mr_evanchen/article/details/77879967