3

对python和json有点新。我有这个 json 文件:

{ "hosts":  {
             "example1.lab.com" : ["mysql", "apache"],
             "example2.lab.com" : ["sqlite", "nmap"],
             "example3.lab.com" : ["vim", "bind9"]
             }
}

我想要做的是使用主机名变量并提取每个主机名的值。它有点难以解释,但我使用 saltstack,它已经迭代主机,我希望它能够使用主机名变量从 json 文件中提取每个主机的值。

希望我理解。

谢谢哦。

4

3 回答 3

4

您可以按照以下方式做一些事情:

import json

j='''{ "hosts":  {
             "example1.lab.com" : ["mysql", "apache"],
             "example2.lab.com" : ["sqlite", "nmap"],
             "example3.lab.com" : ["vim", "bind9"]
             }
}'''

specific_key='example2'

found=False
for key,di in json.loads(j).iteritems():    # items on Py 3k
    for k,v in di.items():
        if k.startswith(specific_key):
            found=True
            print k,v
            break
    if found:
        break 

或者,您可以这样做:

def pairs(args):
    for arg in args:
        if arg[0].startswith(specific_key):
            k,v=arg
            print k,v

json.loads(j,object_pairs_hook=pairs)  

无论哪种情况,打印:

example2.lab.com [u'sqlite', u'nmap']
于 2013-08-04T18:27:09.460 回答
1

如果您在字符串中有 JSON,那么只需使用 Python 的json.loads()函数来加载 JSON 解析 JSON 并通过将其绑定到某个本地名称来将其内容加载到您的命名空间中

例子:

#!/bin/env python
import json
some_json = '''{ "hosts":  {
         "example1.lab.com" : ["mysql", "apache"],
         "example2.lab.com" : ["sqlite", "nmap"],
         "example3.lab.com" : ["vim", "bind9"]
         }
}'''
some_stuff = json.loads(some_json)
print some_stuff['hosts'].keys()

---> [u'example1.lab.com', u'example3.lab.com', u'example2.lab.com']

如图所示,您可以像访问任何其他 Python 字典一样访问其内容some_stuff……在 JSON 中序列化(编码)的所有顶级变量声明/赋值都将是该字典中的键。

如果 JSON 内容在文件中,您可以像使用 Python 中的任何其他文件一样打开它,并将文件对象的名称传递给json.load()函数:

#!/bin/python
import json

with open("some_file.json") as f:
    some_stuff = json.load(f)

print ' '.join(some_stuff.keys())
于 2013-12-08T08:46:42.067 回答
0

如果上述 json 文件存储为“samplefile.json”,则可以在 python 中编写以下内容:

import json
f = open('samplefile.json')
data = json.load(f)

value1 = data['hosts']['example1.lab.com']
value2 = data['hosts']['example2.lab.com']
value3 = data['hosts']['example3.lab.com']
于 2021-01-15T19:18:25.543 回答