是否有 python 解码器产生 VALID json 并处理 NaN

Is there a python decoder that produces VALID json and handles NaNs

我想将 mongoDb 的输出序列化为 python 中的实际 VALID json。我找到了几个库,但其中 none 似乎都 产生有效的 json 并且 处理与 null[=31= 不兼容的值](未定义也可以)。

示例输入:

{
    "_id" : ObjectId("57f3e32c71285f85b46d6fb5"),
    "rate" : Infinity
    "value" : NaN
}

预期输出:

(尝试了 json.dumps 及其 allow_nan 选项,但它会抛出错误并且根本无济于事)

{
    "_id" : { $oid: "57f3e32c71285f85b46d6fb5" },
    "rate" : null,
    "value" : null
}

有人知道实现这个的方法/库吗?

例如,Javascript 的 JSON 可以做到这一点:

Object {_id: "57f3e32c71285f85b46d6fb5", rate: Infinity, value: NaN}
JSON.stringify(tg)
"{"_id":"57f3e32c71285f85b46d6fb5","rate":null,"value":null}"

你总是可以制作自己的编码器(我从 https://gist.github.com/pauloalem/6244976 那里偷了这个)

import json


class FloatEncoder(json.JSONEncoder):
    def __init__(self, nan_str="null", **kwargs):
        super(FloatEncoder, self).__init__(**kwargs)
        self.nan_str = nan_str

    def iterencode(self, o, _one_shot=False):
        """Encode the given object and yield each string
        representation as available.

        For example::

            for chunk in JSONEncoder().iterencode(bigobject):
                mysocket.write(chunk)
        """
        if self.check_circular:
            markers = {}
        else:
            markers = None
        if self.ensure_ascii:
            _encoder = json.encoder.encode_basestring_ascii
        else:
            _encoder = json.encoder.encode_basestring
        # if self.encoding != 'utf-8':
        #     def _encoder(o, _orig_encoder=_encoder, _encoding=self.encoding):
        #         if isinstance(o, str):
        #             o = o.decode(_encoding)
        #         return _orig_encoder(o)

        def floatstr(o, allow_nan=self.allow_nan, _repr=json.encoder.encode_basestring,
                _inf=json.encoder.INFINITY, _neginf=-json.encoder.INFINITY,
                nan_str=self.nan_str):
            # Check for specials.  Note that this type of test is processor
            # and/or platform-specific, so do tests which don't depend on the
            # internals.

            if o != o:
                text = nan_str
            elif o == _inf:
                text = 'Infinity'
            elif o == _neginf:
                text = '-Infinity'
            else:
                return _repr(o)

            if not allow_nan:
                raise ValueError(
                    "Out of range float values are not JSON compliant: " +
                    repr(o))

            return text

        _iterencode = json.encoder._make_iterencode(
                markers, self.default, _encoder, self.indent, floatstr,
                self.key_separator, self.item_separator, self.sort_keys,
                self.skipkeys, _one_shot)
        return _iterencode(o, 0)


d = {"i_will_byte_you_in_the_ass": float("NaN")}
print( json.dumps(d, cls=FloatEncoder) )