Skip to main content

Fast, correct Python JSON library supporting dataclasses, datetimes, and numpy

Project description

orjson

orjson is a fast, correct JSON library for Python. It benchmarks as the fastest Python library for JSON and is more correct than the standard json library or other third-party libraries. It serializes dataclass, datetime, numpy, and UUID instances natively.

Its features and drawbacks compared to other Python JSON libraries:

  • serializes dataclass instances 40-50x as fast as other libraries
  • serializes datetime, date, and time instances to RFC 3339 format, e.g., "1970-01-01T00:00:00+00:00"
  • serializes numpy.ndarray instances 4-12x as fast with 0.3x the memory usage of other libraries
  • pretty prints 10x to 20x as fast as the standard library
  • serializes to bytes rather than str, i.e., is not a drop-in replacement
  • serializes str without escaping unicode to ASCII, e.g., "好" rather than "\\u597d"
  • serializes float 10x as fast and deserializes twice as fast as other libraries
  • serializes subclasses of str, int, list, and dict natively, requiring default to specify how to serialize others
  • serializes arbitrary types using a default hook
  • has strict UTF-8 conformance, more correct than the standard library
  • has strict JSON conformance in not supporting Nan/Infinity/-Infinity
  • has an option for strict JSON conformance on 53-bit integers with default support for 64-bit
  • does not provide load() or dump() functions for reading from/writing to file-like objects

orjson supports CPython 3.8, 3.9, 3.10, 3.11, and 3.12. It distributes amd64/x86_64, aarch64/armv8, arm7, POWER/ppc64le, and s390x wheels for Linux, amd64 and aarch64 wheels for macOS, and amd64 and i686/x86 wheels for Windows. orjson does not and will not support PyPy. orjson does not and will not support PEP 554 subinterpreters. Releases follow semantic versioning and serializing a new object type without an opt-in flag is considered a breaking change.

orjson is licensed under both the Apache 2.0 and MIT licenses. The repository and issue tracker is github.com/ijl/orjson, and patches may be submitted there. There is a CHANGELOG available in the repository.

  1. Usage
    1. Install
    2. Quickstart
    3. Migrating
    4. Serialize
      1. default
      2. option
      3. Fragment
    5. Deserialize
  2. Types
    1. dataclass
    2. datetime
    3. enum
    4. float
    5. int
    6. numpy
    7. str
    8. uuid
  3. Testing
  4. Performance
    1. Latency
    2. Memory
    3. Reproducing
  5. Questions
  6. Packaging
  7. License

Usage

Install

To install a wheel from PyPI:

pip install --upgrade "pip>=20.3" # manylinux_x_y, universal2 wheel support
pip install --upgrade orjson

To build a wheel, see packaging.

Quickstart

This is an example of serializing, with options specified, and deserializing:

>>> import orjson, datetime, numpy
>>> data = {
    "type": "job",
    "created_at": datetime.datetime(1970, 1, 1),
    "status": "🆗",
    "payload": numpy.array([[1, 2], [3, 4]]),
}
>>> orjson.dumps(data, option=orjson.OPT_NAIVE_UTC | orjson.OPT_SERIALIZE_NUMPY)
b'{"type":"job","created_at":"1970-01-01T00:00:00+00:00","status":"\xf0\x9f\x86\x97","payload":[[1,2],[3,4]]}'
>>> orjson.loads(_)
{'type': 'job', 'created_at': '1970-01-01T00:00:00+00:00', 'status': '🆗', 'payload': [[1, 2], [3, 4]]}

Migrating

orjson version 3 serializes more types than version 2. Subclasses of str, int, dict, and list are now serialized. This is faster and more similar to the standard library. It can be disabled with orjson.OPT_PASSTHROUGH_SUBCLASS.dataclasses.dataclass instances are now serialized by default and cannot be customized in a default function unless option=orjson.OPT_PASSTHROUGH_DATACLASS is specified. uuid.UUID instances are serialized by default. For any type that is now serialized, implementations in a default function and options enabling them can be removed but do not need to be. There was no change in deserialization.

To migrate from the standard library, the largest difference is that orjson.dumps returns bytes and json.dumps returns a str. Users with dict objects using non-str keys should specify option=orjson.OPT_NON_STR_KEYS. sort_keys is replaced by option=orjson.OPT_SORT_KEYS. indent is replaced by option=orjson.OPT_INDENT_2 and other levels of indentation are not supported.

Serialize

def dumps(
    __obj: Any,
    default: Optional[Callable[[Any], Any]] = ...,
    option: Optional[int] = ...,
) -> bytes: ...

dumps() serializes Python objects to JSON.

It natively serializes str, dict, list, tuple, int, float, bool, None, dataclasses.dataclass, typing.TypedDict, datetime.datetime, datetime.date, datetime.time, uuid.UUID, numpy.ndarray, and orjson.Fragment instances. It supports arbitrary types through default. It serializes subclasses of str, int, dict, list, dataclasses.dataclass, and enum.Enum. It does not serialize subclasses of tuple to avoid serializing namedtuple objects as arrays. To avoid serializing subclasses, specify the option orjson.OPT_PASSTHROUGH_SUBCLASS.

The output is a bytes object containing UTF-8.

The global interpreter lock (GIL) is held for the duration of the call.

It raises JSONEncodeError on an unsupported type. This exception message describes the invalid object with the error message Type is not JSON serializable: .... To fix this, specify default.

It raises JSONEncodeError on a str that contains invalid UTF-8.

It raises JSONEncodeError on an integer that exceeds 64 bits by default or, with OPT_STRICT_INTEGER, 53 bits.

It raises JSONEncodeError if a dict has a key of a type other than str, unless OPT_NON_STR_KEYS is specified.

It raises JSONEncodeError if the output of default recurses to handling by default more than 254 levels deep.

It raises JSONEncodeError on circular references.

It raises JSONEncodeError if a tzinfo on a datetime object is unsupported.

JSONEncodeError is a subclass of TypeError. This is for compatibility with the standard library.

If the failure was caused by an exception in default then JSONEncodeError chains the original exception as __cause__.

default

To serialize a subclass or arbitrary types, specify default as a callable that returns a supported type. default may be a function, lambda, or callable class instance. To specify that a type was not handled by default, raise an exception such as TypeError.

>>> import orjson, decimal
>>>
def default(obj):
    if isinstance(obj, decimal.Decimal):
        return str(obj)
    raise TypeError

>>> orjson.dumps(decimal.Decimal("0.0842389659712649442845"))
JSONEncodeError: Type is not JSON serializable: decimal.Decimal
>>> orjson.dumps(decimal.Decimal("0.0842389659712649442845"), default=default)
b'"0.0842389659712649442845"'
>>> orjson.dumps({1, 2}, default=default)
orjson.JSONEncodeError: Type is not JSON serializable: set

The default callable may return an object that itself must be handled by default up to 254 times before an exception is raised.

It is important that default raise an exception if a type cannot be handled. Python otherwise implicitly returns None, which appears to the caller like a legitimate value and is serialized:

>>> import orjson, json, rapidjson
>>>
def default(obj):
    if isinstance(obj, decimal.Decimal):
        return str(obj)

>>> orjson.dumps({"set":{1, 2}}, default=default)
b'{"set":null}'
>>> json.dumps({"set":{1, 2}}, default=default)
'{"set":null}'
>>> rapidjson.dumps({"set":{1, 2}}, default=default)
'{"set":null}'

option

To modify how data is serialized, specify option. Each option is an integer constant in orjson. To specify multiple options, mask them together, e.g., option=orjson.OPT_STRICT_INTEGER | orjson.OPT_NAIVE_UTC.

OPT_APPEND_NEWLINE

Append \n to the output. This is a convenience and optimization for the pattern of dumps(...) + "\n". bytes objects are immutable and this pattern copies the original contents.

>>> import orjson
>>> orjson.dumps([])
b"[]"
>>> orjson.dumps([], option=orjson.OPT_APPEND_NEWLINE)
b"[]\n"
OPT_INDENT_2

Pretty-print output with an indent of two spaces. This is equivalent to indent=2 in the standard library. Pretty printing is slower and the output larger. orjson is the fastest compared library at pretty printing and has much less of a slowdown to pretty print than the standard library does. This option is compatible with all other options.

>>> import orjson
>>> orjson.dumps({"a": "b", "c": {"d": True}, "e": [1, 2]})
b'{"a":"b","c":{"d":true},"e":[1,2]}'
>>> orjson.dumps(
    {"a": "b", "c": {"d": True}, "e": [1, 2]},
    option=orjson.OPT_INDENT_2
)
b'{\n  "a": "b",\n  "c": {\n    "d": true\n  },\n  "e": [\n    1,\n    2\n  ]\n}'

If displayed, the indentation and linebreaks appear like this:

{
  "a": "b",
  "c": {
    "d": true
  },
  "e": [
    1,
    2
  ]
}

This measures serializing the github.json fixture as compact (52KiB) or pretty (64KiB):

Library compact (ms) pretty (ms) vs. orjson
orjson 0.03 0.04 1
ujson 0.18 0.19 4.6
rapidjson 0.1 0.12 2.9
simplejson 0.25 0.89 21.4
json 0.18 0.71 17

This measures serializing the citm_catalog.json fixture, more of a worst case due to the amount of nesting and newlines, as compact (489KiB) or pretty (1.1MiB):

Library compact (ms) pretty (ms) vs. orjson
orjson 0.59 0.71 1
ujson 2.9 3.59 5
rapidjson 1.81 2.8 3.9
simplejson 10.43 42.13 59.1
json 4.16 33.42 46.9

This can be reproduced using the pyindent script.

OPT_NAIVE_UTC

Serialize datetime.datetime objects without a tzinfo as UTC. This has no effect on datetime.datetime objects that have tzinfo set.

>>> import orjson, datetime
>>> orjson.dumps(
        datetime.datetime(1970, 1, 1, 0, 0, 0),
    )
b'"1970-01-01T00:00:00"'
>>> orjson.dumps(
        datetime.datetime(1970, 1, 1, 0, 0, 0),
        option=orjson.OPT_NAIVE_UTC,
    )
b'"1970-01-01T00:00:00+00:00"'
OPT_NON_STR_KEYS

Serialize dict keys of type other than str. This allows dict keys to be one of str, int, float, bool, None, datetime.datetime, datetime.date, datetime.time, enum.Enum, and uuid.UUID. For comparison, the standard library serializes str, int, float, bool or None by default. orjson benchmarks as being faster at serializing non-str keys than other libraries. This option is slower for str keys than the default.

>>> import orjson, datetime, uuid
>>> orjson.dumps(
        {uuid.UUID("7202d115-7ff3-4c81-a7c1-2a1f067b1ece"): [1, 2, 3]},
        option=orjson.OPT_NON_STR_KEYS,
    )
b'{"7202d115-7ff3-4c81-a7c1-2a1f067b1ece":[1,2,3]}'
>>> orjson.dumps(
        {datetime.datetime(1970, 1, 1, 0, 0, 0): [1, 2, 3]},
        option=orjson.OPT_NON_STR_KEYS | orjson.OPT_NAIVE_UTC,
    )
b'{"1970-01-01T00:00:00+00:00":[1,2,3]}'

These types are generally serialized how they would be as values, e.g., datetime.datetime is still an RFC 3339 string and respects options affecting it. The exception is that int serialization does not respect OPT_STRICT_INTEGER.

This option has the risk of creating duplicate keys. This is because non-str objects may serialize to the same str as an existing key, e.g., {"1": true, 1: false}. The last key to be inserted to the dict will be serialized last and a JSON deserializer will presumably take the last occurrence of a key (in the above, false). The first value will be lost.

This option is compatible with orjson.OPT_SORT_KEYS. If sorting is used, note the sort is unstable and will be unpredictable for duplicate keys.

>>> import orjson, datetime
>>> orjson.dumps(
    {"other": 1, datetime.date(1970, 1, 5): 2, datetime.date(1970, 1, 3): 3},
    option=orjson.OPT_NON_STR_KEYS | orjson.OPT_SORT_KEYS
)
b'{"1970-01-03":3,"1970-01-05":2,"other":1}'

This measures serializing 589KiB of JSON comprising a list of 100 dict in which each dict has both 365 randomly-sorted int keys representing epoch timestamps as well as one str key and the value for each key is a single integer. In "str keys", the keys were converted to str before serialization, and orjson still specifes option=orjson.OPT_NON_STR_KEYS (which is always somewhat slower).

Library str keys (ms) int keys (ms) int keys sorted (ms)
orjson 1.53 2.16 4.29
ujson 3.07 5.65
rapidjson 4.29
simplejson 11.24 14.50 21.86
json 7.17 8.49

ujson is blank for sorting because it segfaults. json is blank because it raises TypeError on attempting to sort before converting all keys to str. rapidjson is blank because it does not support non-str keys. This can be reproduced using the pynonstr script.

OPT_OMIT_MICROSECONDS

Do not serialize the microsecond field on datetime.datetime and datetime.time instances.

>>> import orjson, datetime
>>> orjson.dumps(
        datetime.datetime(1970, 1, 1, 0, 0, 0, 1),
    )
b'"1970-01-01T00:00:00.000001"'
>>> orjson.dumps(
        datetime.datetime(1970, 1, 1, 0, 0, 0, 1),
        option=orjson.OPT_OMIT_MICROSECONDS,
    )
b'"1970-01-01T00:00:00"'
OPT_PASSTHROUGH_DATACLASS

Passthrough dataclasses.dataclass instances to default. This allows customizing their output but is much slower.

>>> import orjson, dataclasses
>>>
@dataclasses.dataclass
class User:
    id: str
    name: str
    password: str

def default(obj):
    if isinstance(obj, User):
        return {"id": obj.id, "name": obj.name}
    raise TypeError

>>> orjson.dumps(User("3b1", "asd", "zxc"))
b'{"id":"3b1","name":"asd","password":"zxc"}'
>>> orjson.dumps(User("3b1", "asd", "zxc"), option=orjson.OPT_PASSTHROUGH_DATACLASS)
TypeError: Type is not JSON serializable: User
>>> orjson.dumps(
        User("3b1", "asd", "zxc"),
        option=orjson.OPT_PASSTHROUGH_DATACLASS,
        default=default,
    )
b'{"id":"3b1","name":"asd"}'
OPT_PASSTHROUGH_DATETIME

Passthrough datetime.datetime, datetime.date, and datetime.time instances to default. This allows serializing datetimes to a custom format, e.g., HTTP dates:

>>> import orjson, datetime
>>>
def default(obj):
    if isinstance(obj, datetime.datetime):
        return obj.strftime("%a, %d %b %Y %H:%M:%S GMT")
    raise TypeError

>>> orjson.dumps({"created_at": datetime.datetime(1970, 1, 1)})
b'{"created_at":"1970-01-01T00:00:00"}'
>>> orjson.dumps({"created_at": datetime.datetime(1970, 1, 1)}, option=orjson.OPT_PASSTHROUGH_DATETIME)
TypeError: Type is not JSON serializable: datetime.datetime
>>> orjson.dumps(
        {"created_at": datetime.datetime(1970, 1, 1)},
        option=orjson.OPT_PASSTHROUGH_DATETIME,
        default=default,
    )
b'{"created_at":"Thu, 01 Jan 1970 00:00:00 GMT"}'

This does not affect datetimes in dict keys if using OPT_NON_STR_KEYS.

OPT_PASSTHROUGH_SUBCLASS

Passthrough subclasses of builtin types to default.

>>> import orjson
>>>
class Secret(str):
    pass

def default(obj):
    if isinstance(obj, Secret):
        return "******"
    raise TypeError

>>> orjson.dumps(Secret("zxc"))
b'"zxc"'
>>> orjson.dumps(Secret("zxc"), option=orjson.OPT_PASSTHROUGH_SUBCLASS)
TypeError: Type is not JSON serializable: Secret
>>> orjson.dumps(Secret("zxc"), option=orjson.OPT_PASSTHROUGH_SUBCLASS, default=default)
b'"******"'

This does not affect serializing subclasses as dict keys if using OPT_NON_STR_KEYS.

OPT_SERIALIZE_DATACLASS

This is deprecated and has no effect in version 3. In version 2 this was required to serialize dataclasses.dataclass instances. For more, see dataclass.

OPT_SERIALIZE_NUMPY

Serialize numpy.ndarray instances. For more, see numpy.

OPT_SERIALIZE_UUID

This is deprecated and has no effect in version 3. In version 2 this was required to serialize uuid.UUID instances. For more, see UUID.

OPT_SORT_KEYS

Serialize dict keys in sorted order. The default is to serialize in an unspecified order. This is equivalent to sort_keys=True in the standard library.

This can be used to ensure the order is deterministic for hashing or tests. It has a substantial performance penalty and is not recommended in general.

>>> import orjson
>>> orjson.dumps({"b": 1, "c": 2, "a": 3})
b'{"b":1,"c":2,"a":3}'
>>> orjson.dumps({"b": 1, "c": 2, "a": 3}, option=orjson.OPT_SORT_KEYS)
b'{"a":3,"b":1,"c":2}'

This measures serializing the twitter.json fixture unsorted and sorted:

Library unsorted (ms) sorted (ms) vs. orjson
orjson 0.32 0.54 1
ujson 1.6 2.07 3.8
rapidjson 1.12 1.65 3.1
simplejson 2.25 3.13 5.8
json 1.78 2.32 4.3

The benchmark can be reproduced using the pysort script.

The sorting is not collation/locale-aware:

>>> import orjson
>>> orjson.dumps({"a": 1, "ä": 2, "A": 3}, option=orjson.OPT_SORT_KEYS)
b'{"A":3,"a":1,"\xc3\xa4":2}'

This is the same sorting behavior as the standard library, rapidjson, simplejson, and ujson.

dataclass also serialize as maps but this has no effect on them.

OPT_STRICT_INTEGER

Enforce 53-bit limit on integers. The limit is otherwise 64 bits, the same as the Python standard library. For more, see int.

OPT_UTC_Z

Serialize a UTC timezone on datetime.datetime instances as Z instead of +00:00.

>>> import orjson, datetime, zoneinfo
>>> orjson.dumps(
        datetime.datetime(1970, 1, 1, 0, 0, 0, tzinfo=zoneinfo.ZoneInfo("UTC")),
    )
b'"1970-01-01T00:00:00+00:00"'
>>> orjson.dumps(
        datetime.datetime(1970, 1, 1, 0, 0, 0, tzinfo=zoneinfo.ZoneInfo("UTC")),
        option=orjson.OPT_UTC_Z
    )
b'"1970-01-01T00:00:00Z"'

Fragment

orjson.Fragment includes already-serialized JSON in a document. This is an efficient way to include JSON blobs from a cache, JSONB field, or separately serialized object without first deserializing to Python objects via loads().

>>> import orjson
>>> orjson.dumps({"key": "zxc", "data": orjson.Fragment(b'{"a": "b", "c": 1}')})
b'{"key":"zxc","data":{"a": "b", "c": 1}}'

It does no reformatting: orjson.OPT_INDENT_2 will not affect a compact blob nor will a pretty-printed JSON blob be rewritten as compact.

The input must be bytes or str and given as a positional argument.

This raises orjson.JSONEncodeError if a str is given and the input is not valid UTF-8. It otherwise does no validation and it is possible to write invalid JSON. This does not escape characters. The implementation is tested to not crash if given invalid strings or invalid JSON.

This is similar to RawJSON in rapidjson.

Deserialize

def loads(__obj: Union[bytes, bytearray, memoryview, str]) -> Any: ...

loads() deserializes JSON to Python objects. It deserializes to dict, list, int, float, str, bool, and None objects.

bytes, bytearray, memoryview, and str input are accepted. If the input exists as a memoryview, bytearray, or bytes object, it is recommended to pass these directly rather than creating an unnecessary str object. That is, orjson.loads(b"{}") instead of orjson.loads(b"{}".decode("utf-8")). This has lower memory usage and lower latency.

The input must be valid UTF-8.

orjson maintains a cache of map keys for the duration of the process. This causes a net reduction in memory usage by avoiding duplicate strings. The keys must be at most 64 bytes to be cached and 1024 entries are stored.

The global interpreter lock (GIL) is held for the duration of the call.

It raises JSONDecodeError if given an invalid type or invalid JSON. This includes if the input contains NaN, Infinity, or -Infinity, which the standard library allows, but is not valid JSON.

It raises JSONDecodeError if a combination of array or object recurses 1024 levels deep.

JSONDecodeError is a subclass of json.JSONDecodeError and ValueError. This is for compatibility with the standard library.

Types

dataclass

orjson serializes instances of dataclasses.dataclass natively. It serializes instances 40-50x as fast as other libraries and avoids a severe slowdown seen in other libraries compared to serializing dict.

It is supported to pass all variants of dataclasses, including dataclasses using __slots__, frozen dataclasses, those with optional or default attributes, and subclasses. There is a performance benefit to not using __slots__.

Library dict (ms) dataclass (ms) vs. orjson
orjson 1.40 1.60 1
ujson
rapidjson 3.64 68.48 42
simplejson 14.21 92.18 57
json 13.28 94.90 59

This measures serializing 555KiB of JSON, orjson natively and other libraries using default to serialize the output of dataclasses.asdict(). This can be reproduced using the pydataclass script.

Dataclasses are serialized as maps, with every attribute serialized and in the order given on class definition:

>>> import dataclasses, orjson, typing

@dataclasses.dataclass
class Member:
    id: int
    active: bool = dataclasses.field(default=False)

@dataclasses.dataclass
class Object:
    id: int
    name: str
    members: typing.List[Member]

>>> orjson.dumps(Object(1, "a", [Member(1, True), Member(2)]))
b'{"id":1,"name":"a","members":[{"id":1,"active":true},{"id":2,"active":false}]}'

datetime

orjson serializes datetime.datetime objects to RFC 3339 format, e.g., "1970-01-01T00:00:00+00:00". This is a subset of ISO 8601 and is compatible with isoformat() in the standard library.

>>> import orjson, datetime, zoneinfo
>>> orjson.dumps(
    datetime.datetime(2018, 12, 1, 2, 3, 4, 9, tzinfo=zoneinfo.ZoneInfo("Australia/Adelaide"))
)
b'"2018-12-01T02:03:04.000009+10:30"'
>>> orjson.dumps(
    datetime.datetime(2100, 9, 1, 21, 55, 2).replace(tzinfo=zoneinfo.ZoneInfo("UTC"))
)
b'"2100-09-01T21:55:02+00:00"'
>>> orjson.dumps(
    datetime.datetime(2100, 9, 1, 21, 55, 2)
)
b'"2100-09-01T21:55:02"'

datetime.datetime supports instances with a tzinfo that is None, datetime.timezone.utc, a timezone instance from the python3.9+ zoneinfo module, or a timezone instance from the third-party pendulum, pytz, or dateutil/arrow libraries.

It is fastest to use the standard library's zoneinfo.ZoneInfo for timezones.

datetime.time objects must not have a tzinfo.

>>> import orjson, datetime
>>> orjson.dumps(datetime.time(12, 0, 15, 290))
b'"12:00:15.000290"'

datetime.date objects will always serialize.

>>> import orjson, datetime
>>> orjson.dumps(datetime.date(1900, 1, 2))
b'"1900-01-02"'

Errors with tzinfo result in JSONEncodeError being raised.

To disable serialization of datetime objects specify the option orjson.OPT_PASSTHROUGH_DATETIME.

To use "Z" suffix instead of "+00:00" to indicate UTC ("Zulu") time, use the option orjson.OPT_UTC_Z.

To assume datetimes without timezone are UTC, use the option orjson.OPT_NAIVE_UTC.

enum

orjson serializes enums natively. Options apply to their values.

>>> import enum, datetime, orjson
>>>
class DatetimeEnum(enum.Enum):
    EPOCH = datetime.datetime(1970, 1, 1, 0, 0, 0)
>>> orjson.dumps(DatetimeEnum.EPOCH)
b'"1970-01-01T00:00:00"'
>>> orjson.dumps(DatetimeEnum.EPOCH, option=orjson.OPT_NAIVE_UTC)
b'"1970-01-01T00:00:00+00:00"'

Enums with members that are not supported types can be serialized using default:

>>> import enum, orjson
>>>
class Custom:
    def __init__(self, val):
        self.val = val

def default(obj):
    if isinstance(obj, Custom):
        return obj.val
    raise TypeError

class CustomEnum(enum.Enum):
    ONE = Custom(1)

>>> orjson.dumps(CustomEnum.ONE, default=default)
b'1'

float

orjson serializes and deserializes double precision floats with no loss of precision and consistent rounding.

orjson.dumps() serializes Nan, Infinity, and -Infinity, which are not compliant JSON, as null:

>>> import orjson, ujson, rapidjson, json
>>> orjson.dumps([float("NaN"), float("Infinity"), float("-Infinity")])
b'[null,null,null]'
>>> ujson.dumps([float("NaN"), float("Infinity"), float("-Infinity")])
OverflowError: Invalid Inf value when encoding double
>>> rapidjson.dumps([float("NaN"), float("Infinity"), float("-Infinity")])
'[NaN,Infinity,-Infinity]'
>>> json.dumps([float("NaN"), float("Infinity"), float("-Infinity")])
'[NaN, Infinity, -Infinity]'

int

orjson serializes and deserializes 64-bit integers by default. The range supported is a signed 64-bit integer's minimum (-9223372036854775807) to an unsigned 64-bit integer's maximum (18446744073709551615). This is widely compatible, but there are implementations that only support 53-bits for integers, e.g., web browsers. For those implementations, dumps() can be configured to raise a JSONEncodeError on values exceeding the 53-bit range.

>>> import orjson
>>> orjson.dumps(9007199254740992)
b'9007199254740992'
>>> orjson.dumps(9007199254740992, option=orjson.OPT_STRICT_INTEGER)
JSONEncodeError: Integer exceeds 53-bit range
>>> orjson.dumps(-9007199254740992, option=orjson.OPT_STRICT_INTEGER)
JSONEncodeError: Integer exceeds 53-bit range

numpy

orjson natively serializes numpy.ndarray and individual numpy.float64, numpy.float32, numpy.float16 (numpy.half), numpy.int64, numpy.int32, numpy.int16, numpy.int8, numpy.uint64, numpy.uint32, numpy.uint16, numpy.uint8, numpy.uintp, numpy.intp, numpy.datetime64, and numpy.bool instances.

orjson is faster than all compared libraries at serializing numpy instances. Serializing numpy data requires specifying option=orjson.OPT_SERIALIZE_NUMPY.

>>> import orjson, numpy
>>> orjson.dumps(
        numpy.array([[1, 2, 3], [4, 5, 6]]),
        option=orjson.OPT_SERIALIZE_NUMPY,
)
b'[[1,2,3],[4,5,6]]'

The array must be a contiguous C array (C_CONTIGUOUS) and one of the supported datatypes.

Note a difference between serializing numpy.float32 using ndarray.tolist() or orjson.dumps(..., option=orjson.OPT_SERIALIZE_NUMPY): tolist() converts to a double before serializing and orjson's native path does not. This can result in different rounding.

numpy.datetime64 instances are serialized as RFC 3339 strings and datetime options affect them.

>>> import orjson, numpy
>>> orjson.dumps(
        numpy.datetime64("2021-01-01T00:00:00.172"),
        option=orjson.OPT_SERIALIZE_NUMPY,
)
b'"2021-01-01T00:00:00.172000"'
>>> orjson.dumps(
        numpy.datetime64("2021-01-01T00:00:00.172"),
        option=(
            orjson.OPT_SERIALIZE_NUMPY |
            orjson.OPT_NAIVE_UTC |
            orjson.OPT_OMIT_MICROSECONDS
        ),
)
b'"2021-01-01T00:00:00+00:00"'

If an array is not a contiguous C array, contains an unsupported datatype, or contains a numpy.datetime64 using an unsupported representation (e.g., picoseconds), orjson falls through to default. In default, obj.tolist() can be specified. If an array is malformed, which is not expected, orjson.JSONEncodeError is raised.

This measures serializing 92MiB of JSON from an numpy.ndarray with dimensions of (50000, 100) and numpy.float64 values:

Library Latency (ms) RSS diff (MiB) vs. orjson
orjson 194 99 1.0
ujson
rapidjson 3,048 309 15.7
simplejson 3,023 297 15.6
json 3,133 297 16.1

This measures serializing 100MiB of JSON from an numpy.ndarray with dimensions of (100000, 100) and numpy.int32 values:

Library Latency (ms) RSS diff (MiB) vs. orjson
orjson 178 115 1.0
ujson
rapidjson 1,512 551 8.5
simplejson 1,606 504 9.0
json 1,506 503 8.4

This measures serializing 105MiB of JSON from an numpy.ndarray with dimensions of (100000, 200) and numpy.bool values:

Library Latency (ms) RSS diff (MiB) vs. orjson
orjson 157 120 1.0
ujson
rapidjson 710 327 4.5
simplejson 931 398 5.9
json 996 400 6.3

In these benchmarks, orjson serializes natively, ujson is blank because it does not support a default parameter, and the other libraries serialize ndarray.tolist() via default. The RSS column measures peak memory usage during serialization. This can be reproduced using the pynumpy script.

orjson does not have an installation or compilation dependency on numpy. The implementation is independent, reading numpy.ndarray using PyArrayInterface.

str

orjson is strict about UTF-8 conformance. This is stricter than the standard library's json module, which will serialize and deserialize UTF-16 surrogates, e.g., "\ud800", that are invalid UTF-8.

If orjson.dumps() is given a str that does not contain valid UTF-8, orjson.JSONEncodeError is raised. If loads() receives invalid UTF-8, orjson.JSONDecodeError is raised.

orjson and rapidjson are the only compared JSON libraries to consistently error on bad input.

>>> import orjson, ujson, rapidjson, json
>>> orjson.dumps('\ud800')
JSONEncodeError: str is not valid UTF-8: surrogates not allowed
>>> ujson.dumps('\ud800')
UnicodeEncodeError: 'utf-8' codec ...
>>> rapidjson.dumps('\ud800')
UnicodeEncodeError: 'utf-8' codec ...
>>> json.dumps('\ud800')
'"\\ud800"'
>>> orjson.loads('"\\ud800"')
JSONDecodeError: unexpected end of hex escape at line 1 column 8: line 1 column 1 (char 0)
>>> ujson.loads('"\\ud800"')
''
>>> rapidjson.loads('"\\ud800"')
ValueError: Parse error at offset 1: The surrogate pair in string is invalid.
>>> json.loads('"\\ud800"')
'\ud800'

To make a best effort at deserializing bad input, first decode bytes using the replace or lossy argument for errors:

>>> import orjson
>>> orjson.loads(b'"\xed\xa0\x80"')
JSONDecodeError: str is not valid UTF-8: surrogates not allowed
>>> orjson.loads(b'"\xed\xa0\x80"'.decode("utf-8", "replace"))
'���'

uuid

orjson serializes uuid.UUID instances to RFC 4122 format, e.g., "f81d4fae-7dec-11d0-a765-00a0c91e6bf6".

>>> import orjson, uuid
>>> orjson.dumps(uuid.UUID('f81d4fae-7dec-11d0-a765-00a0c91e6bf6'))
b'"f81d4fae-7dec-11d0-a765-00a0c91e6bf6"'
>>> orjson.dumps(uuid.uuid5(uuid.NAMESPACE_DNS, "python.org"))
b'"886313e1-3b8a-5372-9b90-0c9aee199e5d"'

Testing

The library has comprehensive tests. There are tests against fixtures in the JSONTestSuite and nativejson-benchmark repositories. It is tested to not crash against the Big List of Naughty Strings. It is tested to not leak memory. It is tested to not crash against and not accept invalid UTF-8. There are integration tests exercising the library's use in web servers (gunicorn using multiprocess/forked workers) and when multithreaded. It also uses some tests from the ultrajson library.

orjson is the most correct of the compared libraries. This graph shows how each library handles a combined 342 JSON fixtures from the JSONTestSuite and nativejson-benchmark tests:

Library Invalid JSON documents not rejected Valid JSON documents not deserialized
orjson 0 0
ujson 31 0
rapidjson 6 0
simplejson 10 0
json 17 0

This shows that all libraries deserialize valid JSON but only orjson correctly rejects the given invalid JSON fixtures. Errors are largely due to accepting invalid strings and numbers.

The graph above can be reproduced using the pycorrectness script.

Performance

Serialization and deserialization performance of orjson is better than ultrajson, rapidjson, simplejson, or json. The benchmarks are done on fixtures of real data:

  • twitter.json, 631.5KiB, results of a search on Twitter for "一", containing CJK strings, dictionaries of strings and arrays of dictionaries, indented.

  • github.json, 55.8KiB, a GitHub activity feed, containing dictionaries of strings and arrays of dictionaries, not indented.

  • citm_catalog.json, 1.7MiB, concert data, containing nested dictionaries of strings and arrays of integers, indented.

  • canada.json, 2.2MiB, coordinates of the Canadian border in GeoJSON format, containing floats and arrays, indented.

Latency

Serialization

Deserialization

twitter.json serialization

Library Median latency (milliseconds) Operations per second Relative (latency)
orjson 0.3 3085 1
ujson 2.2 454 6.7
rapidjson 1.7 605 5.1
simplejson 2.9 350 8.8
json 2.3 439 7

twitter.json deserialization

Library Median latency (milliseconds) Operations per second Relative (latency)
orjson 1.2 839 1
ujson 2.5 396 2.1
rapidjson 4.1 243 3.5
simplejson 2.7 367 2.3
json 3.2 310 2.7

github.json serialization

Library Median latency (milliseconds) Operations per second Relative (latency)
orjson 0 33474 1
ujson 0.2 5179 6.5
rapidjson 0.2 5910 5.7
simplejson 0.3 3051 11
json 0.2 4222 7.9

github.json deserialization

Library Median latency (milliseconds) Operations per second Relative (latency)
orjson 0.1 10211 1
ujson 0.2 4222 2.2
rapidjson 0.3 3947 2.6
simplejson 0.2 5437 1.9
json 0.2 5240 1.9

citm_catalog.json serialization

Library Median latency (milliseconds) Operations per second Relative (latency)
orjson 0.6 1549 1
ujson 2.7 366 4.2
rapidjson 2.2 446 3.5
simplejson 11.3 88 17.6
json 5.1 195 7.9

citm_catalog.json deserialization

Library Median latency (milliseconds) Operations per second Relative (latency)
orjson 2.7 367 1
ujson 4.7 213 1.7
rapidjson 7.2 139 2.6
simplejson 6 167 2.2
json 6.3 158 2.3

canada.json serialization

Library Median latency (milliseconds) Operations per second Relative (latency)
orjson 4.8 208 1
ujson 15.6 63 3.3
rapidjson 42.4 23 8.9
simplejson 72 13 15
json 46.2 21 9.6

canada.json deserialization

Library Median latency (milliseconds) Operations per second Relative (latency)
orjson 5.7 176 1
ujson 14 71 2.5
rapidjson 27.5 36 4.9
simplejson 28.4 35 5
json 28.3 35 5

Memory

orjson as of 3.7.0 has higher baseline memory usage than other libraries due to a persistent buffer used for parsing. Incremental memory usage when deserializing is similar to the standard library and other third-party libraries.

This measures, in the first column, RSS after importing a library and reading the fixture, and in the second column, increases in RSS after repeatedly calling loads() on the fixture.

twitter.json

Library import, read() RSS (MiB) loads() increase in RSS (MiB)
orjson 15.7 3.4
ujson 16.4 3.4
rapidjson 16.6 4.4
simplejson 14.5 1.8
json 13.9 1.8

github.json

Library import, read() RSS (MiB) loads() increase in RSS (MiB)
orjson 15.2 0.4
ujson 15.4 0.4
rapidjson 15.7 0.5
simplejson 13.7 0.2
json 13.3 0.1

citm_catalog.json

Library import, read() RSS (MiB) loads() increase in RSS (MiB)
orjson 16.8 10.1
ujson 17.3 10.2
rapidjson 17.6 28.7
simplejson 15.8 30.1
json 14.8 20.5

canada.json

Library import, read() RSS (MiB) loads() increase in RSS (MiB)
orjson 17.2 22.1
ujson 17.4 18.3
rapidjson 18 23.5
simplejson 15.7 21.4
json 15.4 20.4

Reproducing

The above was measured using Python 3.11.8 on Linux (amd64) with orjson 3.10.0, ujson 5.9.0, python-rapidson 1.16, and simplejson 3.19.2.

The latency results can be reproduced using the pybench and graph scripts. The memory results can be reproduced using the pymem script.

Questions

Why can't I install it from PyPI?

Probably pip needs to be upgraded to version 20.3 or later to support the latest manylinux_x_y or universal2 wheel formats.

"Cargo, the Rust package manager, is not installed or is not on PATH."

This happens when there are no binary wheels (like manylinux) for your platform on PyPI. You can install Rust through rustup or a package manager and then it will compile.

Will it deserialize to dataclasses, UUIDs, decimals, etc or support object_hook?

No. This requires a schema specifying what types are expected and how to handle errors etc. This is addressed by data validation libraries a level above this.

Will it serialize to str?

No. bytes is the correct type for a serialized blob.

Packaging

To package orjson requires at least Rust 1.72 and the maturin build tool. The recommended build command is:

maturin build --release --strip

It benefits from also having a C build environment to compile a faster deserialization backend. See this project's manylinux_2_28 builds for an example using clang and LTO.

The project's own CI tests against nightly-2024-03-27 and stable 1.65. It is prudent to pin the nightly version because that channel can introduce breaking changes.

orjson is tested for amd64, aarch64, arm7, ppc64le, and s390x on Linux. It is tested for amd64 on macOS and cross-compiles for aarch64. For Windows it is tested on amd64 and i686.

There are no runtime dependencies other than libc.

The source distribution on PyPI contains all dependencies' source and can be built without network access. The file can be downloaded from https://files.pythonhosted.org/packages/source/o/orjson/orjson-${version}.tar.gz.

orjson's tests are included in the source distribution on PyPI. The requirements to run the tests are specified in test/requirements.txt. The tests should be run as part of the build. It can be run with pytest -q test.

License

orjson was written by ijl <ijl@mailbox.org>, copyright 2018 - 2024, available to you under either the Apache 2 license or MIT license at your choice.

Project details


Release history Release notifications | RSS feed

Download files

Download the file for your platform. If you're not sure which to choose, learn more about installing packages.

Source Distribution

orjson-3.10.0.tar.gz (4.9 MB view details)

Uploaded Source

Built Distributions

If you're not sure about the file name format, learn more about wheel file names.

orjson-3.10.0-cp312-none-win_amd64.whl (139.4 kB view details)

Uploaded CPython 3.12Windows x86-64

orjson-3.10.0-cp312-none-win32.whl (140.1 kB view details)

Uploaded CPython 3.12Windows x86

orjson-3.10.0-cp312-cp312-musllinux_1_2_x86_64.whl (312.2 kB view details)

Uploaded CPython 3.12musllinux: musl 1.2+ x86-64

orjson-3.10.0-cp312-cp312-musllinux_1_2_aarch64.whl (329.8 kB view details)

Uploaded CPython 3.12musllinux: musl 1.2+ ARM64

orjson-3.10.0-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl (145.0 kB view details)

Uploaded CPython 3.12manylinux: glibc 2.17+ x86-64

orjson-3.10.0-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl (156.6 kB view details)

Uploaded CPython 3.12manylinux: glibc 2.17+ s390x

orjson-3.10.0-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl (150.4 kB view details)

Uploaded CPython 3.12manylinux: glibc 2.17+ ppc64le

orjson-3.10.0-cp312-cp312-manylinux_2_17_armv7l.manylinux2014_armv7l.whl (146.4 kB view details)

Uploaded CPython 3.12manylinux: glibc 2.17+ ARMv7l

orjson-3.10.0-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl (147.2 kB view details)

Uploaded CPython 3.12manylinux: glibc 2.17+ ARM64

orjson-3.10.0-cp312-cp312-macosx_10_15_x86_64.macosx_11_0_arm64.macosx_10_15_universal2.whl (252.3 kB view details)

Uploaded CPython 3.12macOS 10.15+ universal2 (ARM64, x86-64)macOS 10.15+ x86-64macOS 11.0+ ARM64

orjson-3.10.0-cp311-none-win_amd64.whl (139.2 kB view details)

Uploaded CPython 3.11Windows x86-64

orjson-3.10.0-cp311-none-win32.whl (140.1 kB view details)

Uploaded CPython 3.11Windows x86

orjson-3.10.0-cp311-cp311-musllinux_1_2_x86_64.whl (311.9 kB view details)

Uploaded CPython 3.11musllinux: musl 1.2+ x86-64

orjson-3.10.0-cp311-cp311-musllinux_1_2_aarch64.whl (329.8 kB view details)

Uploaded CPython 3.11musllinux: musl 1.2+ ARM64

orjson-3.10.0-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl (144.8 kB view details)

Uploaded CPython 3.11manylinux: glibc 2.17+ x86-64

orjson-3.10.0-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl (156.5 kB view details)

Uploaded CPython 3.11manylinux: glibc 2.17+ s390x

orjson-3.10.0-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl (150.2 kB view details)

Uploaded CPython 3.11manylinux: glibc 2.17+ ppc64le

orjson-3.10.0-cp311-cp311-manylinux_2_17_armv7l.manylinux2014_armv7l.whl (146.2 kB view details)

Uploaded CPython 3.11manylinux: glibc 2.17+ ARMv7l

orjson-3.10.0-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl (147.3 kB view details)

Uploaded CPython 3.11manylinux: glibc 2.17+ ARM64

orjson-3.10.0-cp311-cp311-macosx_10_15_x86_64.macosx_11_0_arm64.macosx_10_15_universal2.whl (252.1 kB view details)

Uploaded CPython 3.11macOS 10.15+ universal2 (ARM64, x86-64)macOS 10.15+ x86-64macOS 11.0+ ARM64

orjson-3.10.0-cp310-none-win_amd64.whl (139.2 kB view details)

Uploaded CPython 3.10Windows x86-64

orjson-3.10.0-cp310-none-win32.whl (140.1 kB view details)

Uploaded CPython 3.10Windows x86

orjson-3.10.0-cp310-cp310-musllinux_1_2_x86_64.whl (311.9 kB view details)

Uploaded CPython 3.10musllinux: musl 1.2+ x86-64

orjson-3.10.0-cp310-cp310-musllinux_1_2_aarch64.whl (329.8 kB view details)

Uploaded CPython 3.10musllinux: musl 1.2+ ARM64

orjson-3.10.0-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl (144.8 kB view details)

Uploaded CPython 3.10manylinux: glibc 2.17+ x86-64

orjson-3.10.0-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl (156.5 kB view details)

Uploaded CPython 3.10manylinux: glibc 2.17+ s390x

orjson-3.10.0-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl (150.2 kB view details)

Uploaded CPython 3.10manylinux: glibc 2.17+ ppc64le

orjson-3.10.0-cp310-cp310-manylinux_2_17_armv7l.manylinux2014_armv7l.whl (146.2 kB view details)

Uploaded CPython 3.10manylinux: glibc 2.17+ ARMv7l

orjson-3.10.0-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl (147.3 kB view details)

Uploaded CPython 3.10manylinux: glibc 2.17+ ARM64

orjson-3.10.0-cp310-cp310-macosx_10_15_x86_64.macosx_11_0_arm64.macosx_10_15_universal2.whl (252.1 kB view details)

Uploaded CPython 3.10macOS 10.15+ universal2 (ARM64, x86-64)macOS 10.15+ x86-64macOS 11.0+ ARM64

orjson-3.10.0-cp39-none-win_amd64.whl (139.1 kB view details)

Uploaded CPython 3.9Windows x86-64

orjson-3.10.0-cp39-none-win32.whl (139.9 kB view details)

Uploaded CPython 3.9Windows x86

orjson-3.10.0-cp39-cp39-musllinux_1_2_x86_64.whl (311.7 kB view details)

Uploaded CPython 3.9musllinux: musl 1.2+ x86-64

orjson-3.10.0-cp39-cp39-musllinux_1_2_aarch64.whl (329.5 kB view details)

Uploaded CPython 3.9musllinux: musl 1.2+ ARM64

orjson-3.10.0-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl (144.6 kB view details)

Uploaded CPython 3.9manylinux: glibc 2.17+ x86-64

orjson-3.10.0-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl (156.3 kB view details)

Uploaded CPython 3.9manylinux: glibc 2.17+ s390x

orjson-3.10.0-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl (149.9 kB view details)

Uploaded CPython 3.9manylinux: glibc 2.17+ ppc64le

orjson-3.10.0-cp39-cp39-manylinux_2_17_armv7l.manylinux2014_armv7l.whl (146.0 kB view details)

Uploaded CPython 3.9manylinux: glibc 2.17+ ARMv7l

orjson-3.10.0-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl (147.0 kB view details)

Uploaded CPython 3.9manylinux: glibc 2.17+ ARM64

orjson-3.10.0-cp39-cp39-macosx_10_15_x86_64.macosx_11_0_arm64.macosx_10_15_universal2.whl (251.7 kB view details)

Uploaded CPython 3.9macOS 10.15+ universal2 (ARM64, x86-64)macOS 10.15+ x86-64macOS 11.0+ ARM64

orjson-3.10.0-cp38-none-win_amd64.whl (139.0 kB view details)

Uploaded CPython 3.8Windows x86-64

orjson-3.10.0-cp38-none-win32.whl (139.8 kB view details)

Uploaded CPython 3.8Windows x86

orjson-3.10.0-cp38-cp38-musllinux_1_2_x86_64.whl (311.6 kB view details)

Uploaded CPython 3.8musllinux: musl 1.2+ x86-64

orjson-3.10.0-cp38-cp38-musllinux_1_2_aarch64.whl (329.4 kB view details)

Uploaded CPython 3.8musllinux: musl 1.2+ ARM64

orjson-3.10.0-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl (144.5 kB view details)

Uploaded CPython 3.8manylinux: glibc 2.17+ x86-64

orjson-3.10.0-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl (156.2 kB view details)

Uploaded CPython 3.8manylinux: glibc 2.17+ s390x

orjson-3.10.0-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl (149.8 kB view details)

Uploaded CPython 3.8manylinux: glibc 2.17+ ppc64le

orjson-3.10.0-cp38-cp38-manylinux_2_17_armv7l.manylinux2014_armv7l.whl (145.9 kB view details)

Uploaded CPython 3.8manylinux: glibc 2.17+ ARMv7l

orjson-3.10.0-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl (146.9 kB view details)

Uploaded CPython 3.8manylinux: glibc 2.17+ ARM64

orjson-3.10.0-cp38-cp38-macosx_10_15_x86_64.macosx_11_0_arm64.macosx_10_15_universal2.whl (251.6 kB view details)

Uploaded CPython 3.8macOS 10.15+ universal2 (ARM64, x86-64)macOS 10.15+ x86-64macOS 11.0+ ARM64

File details

Details for the file orjson-3.10.0.tar.gz.

File metadata

  • Download URL: orjson-3.10.0.tar.gz
  • Upload date:
  • Size: 4.9 MB
  • Tags: Source
  • Uploaded using Trusted Publishing? No
  • Uploaded via: maturin/1.5.1

File hashes

Hashes for orjson-3.10.0.tar.gz
Algorithm Hash digest
SHA256 ba4d8cac5f2e2cff36bea6b6481cdb92b38c202bcec603d6f5ff91960595a1ed
MD5 6af9b934fa535fb4f34f05e29b07513c
BLAKE2b-256 2cb110d5314003aeac7cb27824f502eedcf4f2705efc1b38f70db247e9ff99b5

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp312-none-win_amd64.whl.

File metadata

  • Download URL: orjson-3.10.0-cp312-none-win_amd64.whl
  • Upload date:
  • Size: 139.4 kB
  • Tags: CPython 3.12, Windows x86-64
  • Uploaded using Trusted Publishing? No
  • Uploaded via: maturin/1.5.1

File hashes

Hashes for orjson-3.10.0-cp312-none-win_amd64.whl
Algorithm Hash digest
SHA256 983db1f87c371dc6ffc52931eb75f9fe17dc621273e43ce67bee407d3e5476e9
MD5 2a69de9df772b2907b954b7587a2902f
BLAKE2b-256 b93874cd869bab2dff3d94828eefaaf54c55a2a12675b77600bc83225d8441bf

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp312-none-win32.whl.

File metadata

  • Download URL: orjson-3.10.0-cp312-none-win32.whl
  • Upload date:
  • Size: 140.1 kB
  • Tags: CPython 3.12, Windows x86
  • Uploaded using Trusted Publishing? No
  • Uploaded via: maturin/1.5.1

File hashes

Hashes for orjson-3.10.0-cp312-none-win32.whl
Algorithm Hash digest
SHA256 6a3f53dc650bc860eb26ec293dfb489b2f6ae1cbfc409a127b01229980e372f7
MD5 2177e2267ca17a2774b30313d06cb367
BLAKE2b-256 d63287eb4e17f047e712f462f680c2de9cfd2d9bfdd6b014e6148a6eb5eec984

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp312-cp312-musllinux_1_2_x86_64.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp312-cp312-musllinux_1_2_x86_64.whl
Algorithm Hash digest
SHA256 30d795a24be16c03dca0c35ca8f9c8eaaa51e3342f2c162d327bd0225118794a
MD5 56d3feb7002c29045d86fd5951575be4
BLAKE2b-256 0d7153b35214f7dd56145ce8400ce6076c21c43620c6e0c1054c10838c596739

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp312-cp312-musllinux_1_2_aarch64.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp312-cp312-musllinux_1_2_aarch64.whl
Algorithm Hash digest
SHA256 98c1bfc6a9bec52bc8f0ab9b86cc0874b0299fccef3562b793c1576cf3abb570
MD5 d1544b0ff7e45631ab009989ed150c58
BLAKE2b-256 47c4592c4344520e64c1b27021dbe6ea2ecbe5d9111fb24ad384938b6b6b5408

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl
Algorithm Hash digest
SHA256 237ba922aef472761acd697eef77fef4831ab769a42e83c04ac91e9f9e08fa0e
MD5 b2097c38bad4141f65a5c9e07d13e320
BLAKE2b-256 b8bc817fa04a899144d815723538f7dbcd004999576e18fd83f12dd5da553db7

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl
Algorithm Hash digest
SHA256 f93e33f67729d460a177ba285002035d3f11425ed3cebac5f6ded4ef36b28344
MD5 209f93091618ce4164d8fba4dc5f9534
BLAKE2b-256 b941853bbdde934a86bf3bc63912954787576a7f042f61526f3f83f6c56127d2

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl
Algorithm Hash digest
SHA256 1de3fd5c7b208d836f8ecb4526995f0d5877153a4f6f12f3e9bf11e49357de98
MD5 771b71f530098b7b9167d22881b4a4e3
BLAKE2b-256 2d59d2dbde3dc8e02454316f7ea15c33501f152ad93aa40d2a307f5672c813c0

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp312-cp312-manylinux_2_17_armv7l.manylinux2014_armv7l.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp312-cp312-manylinux_2_17_armv7l.manylinux2014_armv7l.whl
Algorithm Hash digest
SHA256 c4f60db24161534764277f798ef53b9d3063092f6d23f8f962b4a97edfa997a0
MD5 7e5561c4a65b3d2b0b0b491074d5f2a7
BLAKE2b-256 860c609d36429fd68b5d705a1e055b1ae8afb91cbd3fdfe9b89820bbfcbd834b

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl
Algorithm Hash digest
SHA256 ef0f19fdfb6553342b1882f438afd53c7cb7aea57894c4490c43e4431739c700
MD5 d1eef5f9367b2d7384de274eacbeebb3
BLAKE2b-256 d4e7552668b791e8908b57a0994e6c53aa76b9d4b4211ead0b8a6de2f20d85ac

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp312-cp312-macosx_10_15_x86_64.macosx_11_0_arm64.macosx_10_15_universal2.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp312-cp312-macosx_10_15_x86_64.macosx_11_0_arm64.macosx_10_15_universal2.whl
Algorithm Hash digest
SHA256 4329c1d24fd130ee377e32a72dc54a3c251e6706fccd9a2ecb91b3606fddd998
MD5 271e74d12c510df1449e0131abdf643a
BLAKE2b-256 6d6c9ebe2c59a07614099f65315be8a4856fe0245e264b0d4b7c90a34d3fb3fe

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp311-none-win_amd64.whl.

File metadata

  • Download URL: orjson-3.10.0-cp311-none-win_amd64.whl
  • Upload date:
  • Size: 139.2 kB
  • Tags: CPython 3.11, Windows x86-64
  • Uploaded using Trusted Publishing? No
  • Uploaded via: maturin/1.5.1

File hashes

Hashes for orjson-3.10.0-cp311-none-win_amd64.whl
Algorithm Hash digest
SHA256 658ca5cee3379dd3d37dbacd43d42c1b4feee99a29d847ef27a1cb18abdfb23f
MD5 64a40fb1f072aa6aae16e614b1ece22d
BLAKE2b-256 0d7b566fa00c023652b4a1d409a26cc4dd71bcdbea86814ba4a05ff6ac6a2c0a

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp311-none-win32.whl.

File metadata

  • Download URL: orjson-3.10.0-cp311-none-win32.whl
  • Upload date:
  • Size: 140.1 kB
  • Tags: CPython 3.11, Windows x86
  • Uploaded using Trusted Publishing? No
  • Uploaded via: maturin/1.5.1

File hashes

Hashes for orjson-3.10.0-cp311-none-win32.whl
Algorithm Hash digest
SHA256 b98345529bafe3c06c09996b303fc0a21961820d634409b8639bc16bd4f21b63
MD5 36f4e17574d2ce44117d419e4b65cd1b
BLAKE2b-256 8fd9e40f98f6ecb3b0fdc637d9dd25d0ffaa3f6f97913487ef6b7baff67f7dfb

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp311-cp311-musllinux_1_2_x86_64.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp311-cp311-musllinux_1_2_x86_64.whl
Algorithm Hash digest
SHA256 5127478260db640323cea131ee88541cb1a9fbce051f0b22fa2f0892f44da302
MD5 318a684d0af1087e013e3e9fd93c35f9
BLAKE2b-256 1c47b70ec6b8eb7a3e711f4c722b026d50d639948a352ccd40863fcd1391c405

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp311-cp311-musllinux_1_2_aarch64.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp311-cp311-musllinux_1_2_aarch64.whl
Algorithm Hash digest
SHA256 feaed5bb09877dc27ed0d37f037ddef6cb76d19aa34b108db270d27d3d2ef747
MD5 4e95dac8964fcc18b3187a25ef46b498
BLAKE2b-256 dc5b477650506378258cbceb0c3b7f48dd48c2f173adb0a09090a9270853b229

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl
Algorithm Hash digest
SHA256 414e5293b82373606acf0d66313aecb52d9c8c2404b1900683eb32c3d042dbd7
MD5 79c7d41b662f21a744b50502ab27930e
BLAKE2b-256 d157d18e9d6e627a3bf9a6f3d98f300da10a0a414dcc2dbfe4c41f90fc6c3e44

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl
Algorithm Hash digest
SHA256 73bbbdc43d520204d9ef0817ac03fa49c103c7f9ea94f410d2950755be2c349c
MD5 05596c68043da03e5abb349dd59fcd33
BLAKE2b-256 53ef24aece17ec36d0e81fb50afb407501723c4aeda057499866960c9af78d2d

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl
Algorithm Hash digest
SHA256 4251964db47ef090c462a2d909f16c7c7d5fe68e341dabce6702879ec26d1134
MD5 0c9e592864cd6b301f7a81501c70c891
BLAKE2b-256 4ad32715231bb5bd61c6dc8f9e80f0683935981d1ef172975a6058121f5ea413

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp311-cp311-manylinux_2_17_armv7l.manylinux2014_armv7l.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp311-cp311-manylinux_2_17_armv7l.manylinux2014_armv7l.whl
Algorithm Hash digest
SHA256 d16c6963ddf3b28c0d461641517cd312ad6b3cf303d8b87d5ef3fa59d6844337
MD5 002e989532302e2579eea472c5e869c6
BLAKE2b-256 d0ac9dc8a4d93af4bb80e1d1c62deb550ad7bd8fdaa21f98208c45a670de8891

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl
Algorithm Hash digest
SHA256 1bef1050b1bdc9ea6c0d08468e3e61c9386723633b397e50b82fda37b3563d72
MD5 88b6184bfff0baac1f9c64564639ef13
BLAKE2b-256 dd145556d32549d82c82664a28234318eb5cb3827b6527585f36ffe733c77b79

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp311-cp311-macosx_10_15_x86_64.macosx_11_0_arm64.macosx_10_15_universal2.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp311-cp311-macosx_10_15_x86_64.macosx_11_0_arm64.macosx_10_15_universal2.whl
Algorithm Hash digest
SHA256 9587053e0cefc284e4d1cd113c34468b7d3f17666d22b185ea654f0775316a26
MD5 1b919704fc579f3691336c56bb17a8b7
BLAKE2b-256 3eaea18a545261c308c3038fdec98b58186d48cf27e009a135c0cd70852fee1d

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp310-none-win_amd64.whl.

File metadata

  • Download URL: orjson-3.10.0-cp310-none-win_amd64.whl
  • Upload date:
  • Size: 139.2 kB
  • Tags: CPython 3.10, Windows x86-64
  • Uploaded using Trusted Publishing? No
  • Uploaded via: maturin/1.5.1

File hashes

Hashes for orjson-3.10.0-cp310-none-win_amd64.whl
Algorithm Hash digest
SHA256 6735dd4a5a7b6df00a87d1d7a02b84b54d215fb7adac50dd24da5997ffb4798d
MD5 0d2b5fce7f1b1ddceec904cbbf904663
BLAKE2b-256 ed719b653e2ac43769385e89a30153c5374e07788c6d8fc44bb616de427a8aa2

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp310-none-win32.whl.

File metadata

  • Download URL: orjson-3.10.0-cp310-none-win32.whl
  • Upload date:
  • Size: 140.1 kB
  • Tags: CPython 3.10, Windows x86
  • Uploaded using Trusted Publishing? No
  • Uploaded via: maturin/1.5.1

File hashes

Hashes for orjson-3.10.0-cp310-none-win32.whl
Algorithm Hash digest
SHA256 115498c4ad34188dcb73464e8dc80e490a3e5e88a925907b6fedcf20e545001a
MD5 e25d286bb21aaf1f1f5442fa795060bc
BLAKE2b-256 e1e423ccd2f859f1f9f1dbc7fa41a56e2a9653577d2c988e0b65d539ae851a06

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp310-cp310-musllinux_1_2_x86_64.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp310-cp310-musllinux_1_2_x86_64.whl
Algorithm Hash digest
SHA256 30707e646080dd3c791f22ce7e4a2fc2438765408547c10510f1f690bd336217
MD5 7303ecf3edd6421e1eefd2cdf32f11a2
BLAKE2b-256 22f4dbcea09636759a46789f2ed84d616fef9766a0167c40ae1c6cd417ebeddd

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp310-cp310-musllinux_1_2_aarch64.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp310-cp310-musllinux_1_2_aarch64.whl
Algorithm Hash digest
SHA256 8acd4b82a5f3a3ec8b1dc83452941d22b4711964c34727eb1e65449eead353ca
MD5 3179dbc1683d5480dc1a7a8e5443d34b
BLAKE2b-256 38a6a93a4cea6978da5b693363f4cd1500445f843a7d3278f5a9ca36d43d5f7e

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl
Algorithm Hash digest
SHA256 e286a51def6626f1e0cc134ba2067dcf14f7f4b9550f6dd4535fd9d79000040b
MD5 30bd1ed2a5673a844ca37e1fb890cc3e
BLAKE2b-256 fbc9d43cc61ebd197d6b50bcc2f6dad8d4102eaf1750e1d7e52d0b7fa8296f0f

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl
Algorithm Hash digest
SHA256 aa7d507c7493252c0a0264b5cc7e20fa2f8622b8a83b04d819b5ce32c97cf57b
MD5 6652083259ede5c7482545d38664b917
BLAKE2b-256 e53f65193bba7b06fcee2ecc1ac88c52b09040aa68e73ae1241ec6b4d4750071

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl
Algorithm Hash digest
SHA256 5dcb32e949eae80fb335e63b90e5808b4b0f64e31476b3777707416b41682db5
MD5 aa0c69b045484b2a440ae5cf5f73ce4a
BLAKE2b-256 b3f868aa7d369d7b5974008a3981e73c5cc73f85795178e731f3aeca1d1226b0

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp310-cp310-manylinux_2_17_armv7l.manylinux2014_armv7l.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp310-cp310-manylinux_2_17_armv7l.manylinux2014_armv7l.whl
Algorithm Hash digest
SHA256 400c5b7c4222cb27b5059adf1fb12302eebcabf1978f33d0824aa5277ca899bd
MD5 865df2d3c692d5cbab6bf9e8abede05d
BLAKE2b-256 f99f1886012ed163a0fb1a5856e4834cea9965cdb2967fcc89f6885860b95f9b

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl
Algorithm Hash digest
SHA256 c90681333619d78360d13840c7235fdaf01b2b129cb3a4f1647783b1971542b6
MD5 0982d7e2cf56858bab4e68f7ad2d7b99
BLAKE2b-256 52223cb99c0226715f1e9c354f7a6e327362789c51595a382658ef1107693195

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp310-cp310-macosx_10_15_x86_64.macosx_11_0_arm64.macosx_10_15_universal2.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp310-cp310-macosx_10_15_x86_64.macosx_11_0_arm64.macosx_10_15_universal2.whl
Algorithm Hash digest
SHA256 47af5d4b850a2d1328660661f0881b67fdbe712aea905dadd413bdea6f792c33
MD5 f5d74399cce0785b6e93ce4828758bf3
BLAKE2b-256 a0e87081fe58bcdecb5152ef7b4aa10c494ce904388f0755fcab0e6c10c18a8e

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp39-none-win_amd64.whl.

File metadata

  • Download URL: orjson-3.10.0-cp39-none-win_amd64.whl
  • Upload date:
  • Size: 139.1 kB
  • Tags: CPython 3.9, Windows x86-64
  • Uploaded using Trusted Publishing? No
  • Uploaded via: maturin/1.5.1

File hashes

Hashes for orjson-3.10.0-cp39-none-win_amd64.whl
Algorithm Hash digest
SHA256 175a41500ebb2fdf320bf78e8b9a75a1279525b62ba400b2b2444e274c2c8bee
MD5 55fb7a7c7d1d5908911c7346ac69556c
BLAKE2b-256 e7bbe37b960ebae6de4109523ff5f7e3f09984bde891c3560edfd394a6ea6419

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp39-none-win32.whl.

File metadata

  • Download URL: orjson-3.10.0-cp39-none-win32.whl
  • Upload date:
  • Size: 139.9 kB
  • Tags: CPython 3.9, Windows x86
  • Uploaded using Trusted Publishing? No
  • Uploaded via: maturin/1.5.1

File hashes

Hashes for orjson-3.10.0-cp39-none-win32.whl
Algorithm Hash digest
SHA256 60c0b1bdbccd959ebd1575bd0147bd5e10fc76f26216188be4a36b691c937077
MD5 94d23fc414685884eb15af0663bc9d38
BLAKE2b-256 5cc46d56e5e5ef96858b477384b7c98028b3c92d09278ccf09046d1d44421589

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp39-cp39-musllinux_1_2_x86_64.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp39-cp39-musllinux_1_2_x86_64.whl
Algorithm Hash digest
SHA256 e62ba42bfe64c60c1bc84799944f80704e996592c6b9e14789c8e2a303279912
MD5 89db4f89260fc780ab35899b3c292484
BLAKE2b-256 8dac02a335f7f26320bb721a1e99b345539a251a64f5fc0e000f47c9e7e8836c

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp39-cp39-musllinux_1_2_aarch64.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp39-cp39-musllinux_1_2_aarch64.whl
Algorithm Hash digest
SHA256 22c2f7e377ac757bd3476ecb7480c8ed79d98ef89648f0176deb1da5cd014eb7
MD5 7edd4073d73aa73f847c4c4682ded017
BLAKE2b-256 1dff8e023d0e275b7d63b2f1894f72109643a81064963084556850456b3810b8

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl
Algorithm Hash digest
SHA256 57d017863ec8aa4589be30a328dacd13c2dc49de1c170bc8d8c8a98ece0f2925
MD5 2ff154908e7c9b4d9e09b45bf0ef39b1
BLAKE2b-256 4aafa13d4f3224966df1c8893497fffad12968b4a56db643555c363a8f06756b

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl
Algorithm Hash digest
SHA256 d2817877d0b69f78f146ab305c5975d0618df41acf8811249ee64231f5953fee
MD5 3d6a55c2424f03779ddb50de6216f808
BLAKE2b-256 66a343624c1807fc7dd6552981cbb2c8a7524984170f6834d503d580dab3aa36

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl
Algorithm Hash digest
SHA256 b6ebc17cfbbf741f5c1a888d1854354536f63d84bee537c9a7c0335791bb9009
MD5 c7a1fefe9a5f683276d030a10cde6699
BLAKE2b-256 9d18072e236c3c5391a1e478d695d63cffb9f56f172d1f360351adf980260ba5

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp39-cp39-manylinux_2_17_armv7l.manylinux2014_armv7l.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp39-cp39-manylinux_2_17_armv7l.manylinux2014_armv7l.whl
Algorithm Hash digest
SHA256 9bf565a69e0082ea348c5657401acec3cbbb31564d89afebaee884614fba36b4
MD5 6f1cdb7980794abf1c29f84e753b3c62
BLAKE2b-256 210b55f4e60853182a4fb341cb76c7b31e0a5a82d15fc30febd42ddca33401b5

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl
Algorithm Hash digest
SHA256 1897aa25a944cec774ce4a0e1c8e98fb50523e97366c637b7d0cddabc42e6643
MD5 7b7b284b7cedb31d037c02df04e9c669
BLAKE2b-256 b47737455f0cf1df4518775c513dbf1b2abf070cdaa48f49b1a77c3d61753793

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp39-cp39-macosx_10_15_x86_64.macosx_11_0_arm64.macosx_10_15_universal2.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp39-cp39-macosx_10_15_x86_64.macosx_11_0_arm64.macosx_10_15_universal2.whl
Algorithm Hash digest
SHA256 4050920e831a49d8782a1720d3ca2f1c49b150953667eed6e5d63a62e80f46a2
MD5 4e42d3be99d004d7e6021867f29bf8d3
BLAKE2b-256 61991ad1c2ca9be4f4e4c6d7deb64b55e4bfab82e4e0ecd405c8e3b6b576c058

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp38-none-win_amd64.whl.

File metadata

  • Download URL: orjson-3.10.0-cp38-none-win_amd64.whl
  • Upload date:
  • Size: 139.0 kB
  • Tags: CPython 3.8, Windows x86-64
  • Uploaded using Trusted Publishing? No
  • Uploaded via: maturin/1.5.1

File hashes

Hashes for orjson-3.10.0-cp38-none-win_amd64.whl
Algorithm Hash digest
SHA256 33e6655a2542195d6fd9f850b428926559dee382f7a862dae92ca97fea03a5ad
MD5 0a65a34e2214ea9a980ec64e88a15b82
BLAKE2b-256 9173a483202e55b4bdbdbffafe37d5ccb8fd63a30ebef71568a27a15209f2a27

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp38-none-win32.whl.

File metadata

  • Download URL: orjson-3.10.0-cp38-none-win32.whl
  • Upload date:
  • Size: 139.8 kB
  • Tags: CPython 3.8, Windows x86
  • Uploaded using Trusted Publishing? No
  • Uploaded via: maturin/1.5.1

File hashes

Hashes for orjson-3.10.0-cp38-none-win32.whl
Algorithm Hash digest
SHA256 5d42768db6f2ce0162544845facb7c081e9364a5eb6d2ef06cd17f6050b048d8
MD5 734d7e6b8ec5a06f7d02c8ddf0383d36
BLAKE2b-256 dc6bc0945cdf276c9d64abdbe24cc3170b0b62f1cc623de68e929d344818eeb0

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp38-cp38-musllinux_1_2_x86_64.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp38-cp38-musllinux_1_2_x86_64.whl
Algorithm Hash digest
SHA256 13b5d3c795b09a466ec9fcf0bd3ad7b85467d91a60113885df7b8d639a9d374b
MD5 2db24be178ab211f2079556e3fd526c1
BLAKE2b-256 a9d890683ee28788222c022ffbe59f114c460780eb0e58bb2bd0e803bfca8d19

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp38-cp38-musllinux_1_2_aarch64.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp38-cp38-musllinux_1_2_aarch64.whl
Algorithm Hash digest
SHA256 90bfc137c75c31d32308fd61951d424424426ddc39a40e367704661a9ee97095
MD5 e07494dd6427dca96847c1b2b4ae7b20
BLAKE2b-256 8bc38b0091160fd7d764fb32633971c3198b1487ee8374e0bd3d29e39ccc76c5

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl
Algorithm Hash digest
SHA256 cd583341218826f48bd7c6ebf3310b4126216920853cbc471e8dbeaf07b0b80e
MD5 b9620e1906b048e4d64d3bdc3ec639cd
BLAKE2b-256 19505134d52d683d6f944961ab0431d902ac01bd0806d9ee7d373f25c3de6cd1

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl
Algorithm Hash digest
SHA256 eadecaa16d9783affca33597781328e4981b048615c2ddc31c47a51b833d6319
MD5 9dce53387d17ff00102a296976ab5133
BLAKE2b-256 ebd3540823cfa95e49f48c053faccc304cc48df21a7e3f04b63e921aa09c7193

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl
Algorithm Hash digest
SHA256 b2d014cf8d4dc9f03fc9f870de191a49a03b1bcda51f2a957943fb9fafe55aac
MD5 39567cb08de2b40c01e72749002cec41
BLAKE2b-256 6d0b911b2bca5323ea0f5807b7af11e0446ec6e21d926ed8fbdf30c7e3299cec

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp38-cp38-manylinux_2_17_armv7l.manylinux2014_armv7l.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp38-cp38-manylinux_2_17_armv7l.manylinux2014_armv7l.whl
Algorithm Hash digest
SHA256 23c12bb4ced1c3308eff7ba5c63ef8f0edb3e4c43c026440247dd6c1c61cea4b
MD5 674fe154b7911acbea3ac9abf670e41d
BLAKE2b-256 e746ac12f27c2cb16b120dff585703aad3f5ced0198fbb6dc665a0247ac6d20f

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl
Algorithm Hash digest
SHA256 ade1e21dfde1d37feee8cf6464c20a2f41fa46c8bcd5251e761903e46102dc6b
MD5 2e9f02dfa0d407cfc784a21fd49a944e
BLAKE2b-256 7192c66f835fd78b4e0f9d3fc6f14ebc32ac39a049d8548dc44f431132f83e45

See more details on using hashes here.

File details

Details for the file orjson-3.10.0-cp38-cp38-macosx_10_15_x86_64.macosx_11_0_arm64.macosx_10_15_universal2.whl.

File metadata

File hashes

Hashes for orjson-3.10.0-cp38-cp38-macosx_10_15_x86_64.macosx_11_0_arm64.macosx_10_15_universal2.whl
Algorithm Hash digest
SHA256 9a667769a96a72ca67237224a36faf57db0c82ab07d09c3aafc6f956196cfa1b
MD5 3d0ad571b67b3b6a7ec14a24c67ee698
BLAKE2b-256 3876572014c4db0cfb8f04239adfed2be6d1f54df9bb6c418214080c4871e35f

See more details on using hashes here.

Supported by

AWS Cloud computing and Security Sponsor Datadog Monitoring Depot Continuous Integration Fastly CDN Google Download Analytics Pingdom Monitoring Sentry Error logging StatusPage Status page