问题是您试图将字典键作为属性访问(即:config["given_name"] vs config.given_name。您还多次更改了问题,但您正在尝试做什么(我认为) 很简单。对于您给出的简单示例,您有一个 json 文件,其中只有一个 json 对象,这可能更接近您想要做的:
*注意:你的json语法错误,应该是{ "info": { ... } }
#!/usr/bin/env python3
'''profile.json:
{
"name": "steve",
"lastname": "jobs",
"age": "70",
"city": "heaven"
}
'''
import json
import io
# Open the JSON File and create a StringIO buffer to hold data
with open('profile.json', 'r') as datafile, io.StringIO() as data:
# Load data into json file
config = json.load(datafile)
# Build json strong
data.write(f'''{{
\r\t"info": {{
\r\t\t"given_name": "{config['name']}",
\r\t\t"given_Lastname": "{config['lastname']}",
\r\t\t"given_age": "{config['age']}",
\r\t\t"given_city": "{config['city']}"
\r\t}}\n}}''')
print(data.getvalue())
# open a new file to save the data (overwrite if it exists)
with open('newfile.json', 'w') as outfile:
# load the json string and dump to outfile
deserialized = json.loads(data.getvalue())
json.dump(deserialized, outfile)
# newfile.json:
#{
# "info": {
# "given_name": "steve",
# "given_Lastname": "jobs",
# "given_age": "70",
# "given_city": "heaven"
# }
#}
这只是您提供给我的数据的一个简单示例,因此我制作了另一个使用 json 列表而不是 json dict 的示例:
[{
"name": "steve",
"lastname": "jobs",
"age": "70",
"city": "heaven"
},
{
"name": "steve1",
"lastname": "jobs1",
"age": "71",
"city": "heaven1"
},
{
"name": "steve2",
"lastname": "jobs2",
"age": "72",
"city": "heaven2"
},
{
"name": "steve3",
"lastname": "jobs3",
"age": "73",
"city": "heaven3"
},
{
"name": "steve4",
"lastname": "jobs4",
"age": "74",
"city": "heaven4"
}]
还有一个类似的脚本:
#!/usr/bin/env python3
'''profile.json:
'''
import json
import io
# Open the JSON File and create a StringIO buffer to hold data
# Note: StringIO provides a file-like interface over a string
with open('profile.json', 'r') as datafile, io.StringIO() as data:
# Load data into json file
config = json.load(datafile)
# Build json strong
data.write('{\n\t"info": [\n')
#data.write('\t{')
for jsonobj in config:
data.write(f'''\t {{
\r\t\t"given_name": "{jsonobj['name']}",
\r\t\t"given_Lastname": "{jsonobj['lastname']}",
\r\t\t"given_age": "{jsonobj['age']}",
\r\t\t"given_city": "{jsonobj['city']}"
\r\t }}''')
# Note: There is a bug here.
# This will not be able to handle duplicate objects in
# the json list. For a trivial example like this, it works.
if jsonobj == config[-1]:
data.write('\n\t]\n}')
else:
data.write(',\n')
# open a new file to save the data (overwrite if it exists)
with open('newfile.json', 'w') as outfile:
# We need to serialize the json data if we want to write to file
deserialized = json.loads(data.getvalue())
outfile.write(json.dumps(serialized))
# or we can just print it
print(serialized)