从JSON序列化中排除空/null值

r1wp621o  于 2023-04-22  发布在  其他
关注(0)|答案(9)|浏览(175)

我正在使用Python和simplejson将多个嵌套字典序列化为JSON。
是否有任何方法可以自动排除空/null值?
例如,序列化以下内容:

{
     "dict1" : {
     "key1" : "value1",
     "key2" : None
     }
 }

{
     "dict1" : {
     "key1" : "value1"
     }
 }

在Java中使用Jackson时,你可以使用Inclusion.NON_NULL来实现这一点。有simplejson的等价物吗?

c7rzv4ha

c7rzv4ha1#

def del_none(d):
    """
    Delete keys with the value ``None`` in a dictionary, recursively.

    This alters the input so you may wish to ``copy`` the dict first.
    """
    # For Python 3, write `list(d.items())`; `d.items()` won’t work
    # For Python 2, write `d.items()`; `d.iteritems()` won’t work
    for key, value in list(d.items()):
        if value is None:
            del d[key]
        elif isinstance(value, dict):
            del_none(value)
    return d  # For convenience

样品使用:

>>> mydict = {'dict1': {'key1': 'value1', 'key2': None}}
>>> print(del_none(mydict.copy()))
{'dict1': {'key1': 'value1'}}

然后你可以把它馈送到json

ix0qys7i

ix0qys7i2#

我的Python 3版本的好处是不改变输入,以及递归到嵌套在列表中的字典:

def clean_nones(value):
    """
    Recursively remove all None values from dictionaries and lists, and returns
    the result as a new dictionary or list.
    """
    if isinstance(value, list):
        return [clean_nones(x) for x in value if x is not None]
    elif isinstance(value, dict):
        return {
            key: clean_nones(val)
            for key, val in value.items()
            if val is not None
        }
    else:
        return value

例如:

a = {
    "a": None,
    "b": "notNone",
    "c": ["hello", None, "goodbye"],
    "d": [
        {
            "a": "notNone",
            "b": None,
            "c": ["hello", None, "goodbye"],
        },
        {
            "a": "notNone",
            "b": None,
            "c": ["hello", None, "goodbye"],
        }
    ]
}

print(clean_nones(a))

结果是:

{
    'b': 'notNone',
    'c': ['hello', 'goodbye'],
    'd': [
        {
            'a': 'notNone',
            'c': ['hello', 'goodbye']
        },
        {
            'a': 'notNone',
            'c': ['hello', 'goodbye']
        }
    ]
}
ckx4rj1h

ckx4rj1h3#

>>> def cleandict(d):
...     if not isinstance(d, dict):
...         return d
...     return dict((k,cleandict(v)) for k,v in d.iteritems() if v is not None)
... 
>>> mydict = dict(dict1=dict(key1='value1', key2=None))
>>> print cleandict(mydict)
{'dict1': {'key1': 'value1'}}
>>>

我一般不喜欢使用del,更改现有的字典可能会产生微妙的影响,具体取决于它们是如何创建的。创建新的字典并删除None可以防止所有副作用。

gywdnpxw

gywdnpxw4#

你可以尝试这种方法。在我的情况下(我使用python 3),它工作得很好。

def to_json(self):
    return json.dumps(self,
                      default=lambda o: dict((key, value) for key, value in o.__dict__.items() if value),
                      indent=4,
                      allow_nan=False)
ijxebb2r

ijxebb2r5#

这个解决方案是对@eric中的one above的修正,它不能正确处理list类型。
规范JSON字典中的可以是以下3种类型之一:

  • dictionary
  • list
  • 值类型(stringintegerfloating point

注意:假设我们在这里处理的是canonicalJSON dictionary,它实际上只能包含上面提到的类型。如果dictionary包含其他类型,而不是上面提到的类型(例如元组,自定义类,...),那么这个解决方案将无法按预期工作。
这个解决方案(下面)和@eric的原始解决方案之间的本质区别在于,list可以包含dictionary类型的元素,我们希望从其中删除值为None的元素。

def cleandict(d):
    if isinstance(d, dict):
        return {k: cleandict(v) for k, v in d.items() if v is not None}
    elif isinstance(d, list):
        return [cleandict(v) for v in d]
    else:
        return d

注意:请记住,我们必须从列表中删除None元素,因为这会影响列表数据的结构完整性。如果某些(或所有)列表元素具有None值,则它们应保持在列表结构中,以保持列表的原始结构意义/完整性。

wlzqhblo

wlzqhblo6#

def excludeNone(d):
    for k in list(d):
        if k in d:
            if type(d[k]) == dict:
                excludeNone(d[k])
            if not d[k]:
                del d[k]
tquggr8v

tquggr8v7#

它对我有效:
当字典有dict/list/tuple值时....
例如,它是我的对象:

dict_obj = {
    'inline_keyboard': [
        [
            {'text': '0-0', 'url': None, 'login_url': None, 'callback_data': '0-0', 'switch_inline_query': None},
            {'text': '0-1', 'url': None, 'login_url': None, 'callback_data': '0-1', 'switch_inline_query': None}
        ],
        [
            {'text': '1-0', 'url': None, 'login_url': None, 'callback_data': '1-0', 'switch_inline_query': None},
            {'text': '1-1', 'url': None, 'login_url': None, 'callback_data': '1-1', 'switch_inline_query': None}
        ],
        [
            {'text': '2-0', 'url': None, 'login_url': None, 'callback_data': '2-0', 'switch_inline_query': None}
        ]
    ]
}

我写了这个函数:

def delete_none_values(obj):
    if isinstance(obj, dict):
        for k, v in list(obj.items()):
            if v is None:
                del obj[k]
            elif isinstance(v, dict):
                delete_none_values(v)
            elif isinstance(v, (list, tuple)):
                for _ in v:
                    delete_none_values(_)
    elif isinstance(obj, (list, tuple)):
        for _ in obj:
            delete_none_values(_)
    return obj

然后在使用此功能时:

from json import dumps

print(
    dumps(
        delete_none_values(dict_obj.copy()),
        indent=2
    )
)

输出为:

{
  "inline_keyboard": [
    [
      {"text": "0-0", "callback_data": "0-0"},
      {"text": "0-1", "callback_data": "0-1"}
    ],
    [
      {"text": "1-0", "callback_data": "1-0"},
      {"text": "1-1", "callback_data": "1-1"}
    ],
    [
      {"text": "2-0", "callback_data": "2-0"}
    ]
  ]
}
1sbrub3j

1sbrub3j8#

如果url在一个地方有值,你可以保留它,如果它在另一个地方没有值,你可以删除它吗?

'inline_keyboard': [
        [
            {'text': '0-0', 'url': 'someValue', 'login_url': None, 'callback_data': '0-0', 'switch_inline_query': None},
            {'text': '0-1', 'url': None, 'login_url': None, 'callback_data': '0-1', 'switch_inline_query': None}
        ],
        [
            {'text': '1-0', 'url': None, 'login_url': None, 'callback_data': '1-0', 'switch_inline_query': None},
            {'text': '1-1', 'url': None, 'login_url': None, 'callback_data': '1-1', 'switch_inline_query': None}
        ],
        [
            {'text': '2-0', 'url': None, 'login_url': None, 'callback_data': '2-0', 'switch_inline_query': None}
        ]
]
t5fffqht

t5fffqht9#

我使用了MatanRubin函数,并对其进行了扩展,使其还可以过滤Nan(浮点数)和Null(字符串),以便能够与Php API进行对话。

from math import isnan

def clean_nones(value):
    """
    Recursively remove all None values from dictionaries and lists, and returns
    the result as a new dictionary or list.
    """
    def checkNan(value):
        if isinstance(value, float) and isnan(value):
            return True if (isinstance(value, float) and isnan(value)) else False
        
    if isinstance(value, list):
        return [clean_nones(x) for x in value if (x is not None and  x != 'NULL' and not checkNan(x))]
    elif isinstance(value, dict):
        return {
            key: clean_nones(val)
            for key, val in value.items()
            if (val is not None and val != 'NULL' and not checkNan(val))
        }
    else:
        return value

cleanedJson = clean_nones(toCleanJson)

相关问题