如何在python中过滤json数组

Maj*_*ndi 14 python json

那是我当前的json数组.我想得到所有类型= 1的json对象

过滤之前:

[ 
        {
            "type": 1
            "name" : "name 1",
        }, 
        {
            "type": 2
            "name" : "name 2",
        }, 
        {
            "type": 1
            "name" : "name 3"
        }, 
]
Run Code Online (Sandbox Code Playgroud)

过滤后:

[ 
        {
            "type": 1
            "name" : "name 1",
        }, 
        {
            "type": 1
            "name" : "name 3"
        }, 
]
Run Code Online (Sandbox Code Playgroud)

请帮忙.

小智 29

下面的代码片段完全符合您的要求,但请注意您的输入(如问题中所述)不是有效的json字符串,您可以在此处查看:http://jsonlint.com.

import json

input_json = """
[
    {
        "type": "1",
        "name": "name 1"
    },
    {
        "type": "2",
        "name": "name 2"
    },
    {
        "type": "1",
        "name": "name 3"
    }
]"""

# Transform json input to python objects
input_dict = json.loads(input_json)

# Filter python objects with list comprehensions
output_dict = [x for x in input_dict if x['type'] == '1']

# Transform python object back into json
output_json = json.dumps(output_dict)

# Show json
print output_json
Run Code Online (Sandbox Code Playgroud)

  • 您不能为 object_hook 提供一个函数并在该方法中过滤它,而不是加载所有内容然后过滤它吗? (2认同)

N N*_*eja 11

filter() 方法借助一个函数来过滤给定的序列,该函数测试序列中的每个元素是否为真。过滤器文档

>>> obj=[
...     {
...         "type": 1,
...         "name": "name 1"
...     },
...     {
...         "type": 2,
...         "name": "name 2"
...     },
...     {
...         "type": 1,
...         "name": "name 3"
...     }
... ]
>>> filter(lambda x: x['type'] == 1, obj)
<filter object at 0x7fd98805ca00>
>>> list(filter(lambda x: x['type'] == 1, obj))
[{'type': 1, 'name': 'name 1'}, {'type': 1, 'name': 'name 3'}]
>>> list(filter(lambda x: x['type'] == 2, obj))
[{'type': 2, 'name': 'name 2'}]
Run Code Online (Sandbox Code Playgroud)


And*_*cca 5

只是

print [obj for obj in dict if(obj['type'] == 1)] 
Run Code Online (Sandbox Code Playgroud)

示例链接