当前位置: 首页>>代码示例>>Python>>正文


Python msgpack.dumps方法代码示例

本文整理汇总了Python中msgpack.dumps方法的典型用法代码示例。如果您正苦于以下问题:Python msgpack.dumps方法的具体用法?Python msgpack.dumps怎么用?Python msgpack.dumps使用的例子?那么恭喜您, 这里精选的方法代码示例或许可以为您提供帮助。您也可以进一步了解该方法所在msgpack的用法示例。


在下文中一共展示了msgpack.dumps方法的15个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的Python代码示例。

示例1: msgpackext_dumps

# 需要导入模块: import msgpack [as 别名]
# 或者: from msgpack import dumps [as 别名]
def msgpackext_dumps(data: Any) -> bytes:
    """Safe serialization of a Python object to msgpack binary representation using all known encoders.
    For NumPy, encodes a specialized object format to encode all shape and type data.

    Parameters
    ----------
    data : Any
        A encodable python object.

    Returns
    -------
    bytes
        A msgpack representation of the data in bytes.
    """
    which_import("msgpack", raise_error=True, raise_msg=_msgpack_which_msg)

    return msgpack.dumps(data, default=msgpackext_encode, use_bin_type=True) 
开发者ID:MolSSI,项目名称:QCElemental,代码行数:19,代码来源:serialization.py

示例2: jsonext_dumps

# 需要导入模块: import msgpack [as 别名]
# 或者: from msgpack import dumps [as 别名]
def jsonext_dumps(data: Any) -> str:
    """Safe serialization of Python objects to JSON string representation using all known encoders.
    The JSON serializer uses a custom array syntax rather than flat JSON lists.

    Parameters
    ----------
    data : Any
        A encodable python object.

    Returns
    -------
    str
        A JSON representation of the data.
    """

    return json.dumps(data, cls=JSONExtArrayEncoder) 
开发者ID:MolSSI,项目名称:QCElemental,代码行数:18,代码来源:serialization.py

示例3: _serialize_msgpack_binary

# 需要导入模块: import msgpack [as 别名]
# 或者: from msgpack import dumps [as 别名]
def _serialize_msgpack_binary(
    simple_objects: object,
    worker: AbstractWorker = None,
    simplified: bool = False,
    force_full_simplification: bool = False,
) -> bin:
    # 2) Serialize
    # serialize into a binary
    binary = msgpack_lib.dumps(simple_objects)

    # 3) Compress
    # compress the binary and return the result
    # prepend a 1-byte header '0' or '1' to the output stream
    # to denote whether output stream is compressed or not
    # if compressed stream length is greater than input stream
    # we output the input stream as it is with header set to '0'
    # otherwise we output the compressed stream with header set to '1'
    # even if compressed flag is set to false by the caller we
    # output the input stream as it is with header set to '0'
    return compression._compress(binary) 
开发者ID:OpenMined,项目名称:PySyft,代码行数:22,代码来源:serde.py

示例4: json_compat_obj_encode

# 需要导入模块: import msgpack [as 别名]
# 或者: from msgpack import dumps [as 别名]
def json_compat_obj_encode(data_type, obj, caller_permissions=None, alias_validators=None,
                           old_style=False, for_msgpack=False, should_redact=False):
    """Encodes an object into a JSON-compatible dict based on its type.

    Args:
        data_type (Validator): Validator for obj.
        obj (object): Object to be serialized.
        caller_permissions (list): The list of raw-string caller permissions
            with which to serialize.

    Returns:
        An object that when passed to json.dumps() will produce a string
        giving the JSON-encoded object.

    See json_encode() for additional information about validation.
    """
    serializer = StoneToPythonPrimitiveSerializer(
        caller_permissions, alias_validators, for_msgpack, old_style, should_redact)
    return serializer.encode(data_type, obj)

# --------------------------------------------------------------
# JSON Decoder 
开发者ID:dropbox,项目名称:stone,代码行数:24,代码来源:stone_serializers.py

示例5: dumps

# 需要导入模块: import msgpack [as 别名]
# 或者: from msgpack import dumps [as 别名]
def dumps(self):
        return msgpack.dumps({
            "key": self.key,
            "second": self.second,
            "minute": self.minute,
            "hour": self.hour,
            "day": self.day,
            "month": self.month,
            "week": self.week,
            "status": self.status,
            "count": self.count,
            "is_time_out": self.is_time_out,
            "next_time": self.next_time,
            "current_count": self.current_count,
            "last_timeout": self.last_timeout,
            "created_time": self.created_time,
            "action": self.action,
            "params": self.params,
        }) 
开发者ID:snower,项目名称:forsun,代码行数:21,代码来源:plan.py

示例6: test_json

# 需要导入模块: import msgpack [as 别名]
# 或者: from msgpack import dumps [as 别名]
def test_json(self):
        ts = msprime.simulate(10, random_seed=1)
        tables = ts.dump_tables()
        nodes = tables.nodes
        # For each node, we create some Python metadata that can be JSON encoded.
        metadata = [
            {"one": j, "two": 2 * j, "three": list(range(j))} for j in range(len(nodes))
        ]
        encoded, offset = tskit.pack_strings(map(json.dumps, metadata))
        nodes.set_columns(
            flags=nodes.flags,
            time=nodes.time,
            population=nodes.population,
            metadata_offset=offset,
            metadata=encoded,
        )
        self.assertTrue(np.array_equal(nodes.metadata_offset, offset))
        self.assertTrue(np.array_equal(nodes.metadata, encoded))
        ts1 = tables.tree_sequence()
        for j, node in enumerate(ts1.nodes()):
            decoded_metadata = json.loads(node.metadata.decode())
            self.assertEqual(decoded_metadata, metadata[j])
        ts1.dump(self.temp_file)
        ts2 = tskit.load(self.temp_file)
        self.assertEqual(ts1.tables.nodes, ts2.tables.nodes) 
开发者ID:tskit-dev,项目名称:tskit,代码行数:27,代码来源:test_metadata.py

示例7: test_pickle

# 需要导入模块: import msgpack [as 别名]
# 或者: from msgpack import dumps [as 别名]
def test_pickle(self):
        ts = msprime.simulate(10, random_seed=1)
        tables = ts.dump_tables()
        # For each node, we create some Python metadata that can be pickled
        metadata = [
            {"one": j, "two": 2 * j, "three": list(range(j))}
            for j in range(ts.num_nodes)
        ]
        encoded, offset = tskit.pack_bytes(list(map(pickle.dumps, metadata)))
        tables.nodes.set_columns(
            flags=tables.nodes.flags,
            time=tables.nodes.time,
            population=tables.nodes.population,
            metadata_offset=offset,
            metadata=encoded,
        )
        self.assertTrue(np.array_equal(tables.nodes.metadata_offset, offset))
        self.assertTrue(np.array_equal(tables.nodes.metadata, encoded))
        ts1 = tables.tree_sequence()
        for j, node in enumerate(ts1.nodes()):
            decoded_metadata = pickle.loads(node.metadata)
            self.assertEqual(decoded_metadata, metadata[j])
        ts1.dump(self.temp_file)
        ts2 = tskit.load(self.temp_file)
        self.assertEqual(ts1.tables.nodes, ts2.tables.nodes) 
开发者ID:tskit-dev,项目名称:tskit,代码行数:27,代码来源:test_metadata.py

示例8: test_mutations

# 需要导入模块: import msgpack [as 别名]
# 或者: from msgpack import dumps [as 别名]
def test_mutations(self):
        tables = tskit.TableCollection(sequence_length=1)
        metadata = ExampleMetadata(one="node1", two="node2")
        pickled = pickle.dumps(metadata)
        tables.nodes.add_row(time=0)
        tables.sites.add_row(position=0.1, ancestral_state="A")
        tables.mutations.add_row(site=0, node=0, derived_state="T", metadata=pickled)
        ts = tables.tree_sequence()
        mutation = ts.site(0).mutations[0]
        self.assertEqual(mutation.site, 0)
        self.assertEqual(mutation.node, 0)
        self.assertEqual(mutation.derived_state, "T")
        self.assertEqual(mutation.metadata, pickled)
        unpickled = pickle.loads(mutation.metadata)
        self.assertEqual(unpickled.one, metadata.one)
        self.assertEqual(unpickled.two, metadata.two) 
开发者ID:tskit-dev,项目名称:tskit,代码行数:18,代码来源:test_metadata.py

示例9: test_metadata_schema

# 需要导入模块: import msgpack [as 别名]
# 或者: from msgpack import dumps [as 别名]
def test_metadata_schema(self):
        # Bad jsonschema
        with self.assertRaises(exceptions.MetadataSchemaValidationError):
            metadata.MetadataSchema(
                {"codec": "json", "additionalProperties": "THIS ISN'T RIGHT"},
            )
        # Bad codec
        with self.assertRaises(exceptions.MetadataSchemaValidationError):
            metadata.MetadataSchema({"codec": "morse-code"})
        # Missing codec
        with self.assertRaises(exceptions.MetadataSchemaValidationError):
            metadata.MetadataSchema({})
        schema = {
            "codec": "json",
            "title": "Example Metadata",
            "type": "object",
            "properties": {"one": {"type": "string"}, "two": {"type": "number"}},
            "required": ["one", "two"],
            "additionalProperties": False,
        }
        ms = metadata.MetadataSchema(schema)
        self.assertEqual(str(ms), json.dumps(schema))
        # Missing required properties
        with self.assertRaises(exceptions.MetadataValidationError):
            ms.validate_and_encode_row({}) 
开发者ID:tskit-dev,项目名称:tskit,代码行数:27,代码来源:test_metadata.py

示例10: test_json_codec

# 需要导入模块: import msgpack [as 别名]
# 或者: from msgpack import dumps [as 别名]
def test_json_codec(self):
        schema = {
            "codec": "json",
            "title": "Example Metadata",
            "type": "object",
            "properties": {"one": {"type": "string"}, "two": {"type": "number"}},
            "required": ["one", "two"],
            "additionalProperties": False,
        }
        ms = metadata.MetadataSchema(schema)
        # Valid row data
        row_data = {"one": "tree", "two": 5}
        self.assertEqual(
            ms.validate_and_encode_row(row_data), json.dumps(row_data).encode()
        )
        self.assertEqual(ms.decode_row(json.dumps(row_data).encode()), row_data)
        # Round trip
        self.assertEqual(ms.decode_row(ms.validate_and_encode_row(row_data)), row_data) 
开发者ID:tskit-dev,项目名称:tskit,代码行数:20,代码来源:test_metadata.py

示例11: send

# 需要导入模块: import msgpack [as 别名]
# 或者: from msgpack import dumps [as 别名]
def send(hub, worker, payload):
    '''
    Send the given payload to the given worker, yield iterations based on the
    returns from the remote.
    '''
    mp = msgpack.dumps(payload, use_bin_type=True)
    mp += hub.proc.DELIM
    reader, writer = await asyncio.open_unix_connection(path=worker['path'])
    writer.write(mp)
    await writer.drain()
    final_ret = True
    while True:
        ret = await reader.readuntil(hub.proc.DELIM)
        p_ret = ret[:-len(hub.proc.DELIM)]
        i_flag = p_ret[-1:]
        ret = msgpack.loads(p_ret[:-1], raw=False)
        if i_flag == hub.proc.D_FLAG:
            # break for the end of the sequence
            break
        yield ret
        final_ret = False
    if final_ret:
        yield ret 
开发者ID:saltstack,项目名称:pop,代码行数:25,代码来源:run.py

示例12: save

# 需要导入模块: import msgpack [as 别名]
# 或者: from msgpack import dumps [as 别名]
def save(self, path, serial='json'):
        '''
        Safely save keys with perms of 0400
        '''
        pre = self.for_json()

        if serial == 'msgpack':
            import msgpack
            packaged = msgpack.dumps(pre)
        elif serial == 'json':
            import json
            packaged = json.dumps(pre)

        perm_other = stat.S_IROTH | stat.S_IWOTH | stat.S_IXOTH
        perm_group = stat.S_IRGRP | stat.S_IWGRP | stat.S_IXGRP

        cumask = os.umask(perm_other | perm_group)
        with open(path, 'w+') as fp_:
            fp_.write(packaged)
        os.umask(cumask) 
开发者ID:saltstack,项目名称:libnacl,代码行数:22,代码来源:base.py

示例13: json_dumps

# 需要导入模块: import msgpack [as 别名]
# 或者: from msgpack import dumps [as 别名]
def json_dumps(data: Any) -> str:
    """Safe serialization of a Python dictionary to JSON string representation using all known encoders.

    Parameters
    ----------
    data : Any
        A encodable python object.

    Returns
    -------
    str
        A JSON representation of the data.
    """

    return json.dumps(data, cls=JSONArrayEncoder) 
开发者ID:MolSSI,项目名称:QCElemental,代码行数:17,代码来源:serialization.py

示例14: dumps

# 需要导入模块: import msgpack [as 别名]
# 或者: from msgpack import dumps [as 别名]
def dumps(obj):
        """
        Serialize an object.

        Returns:
            Implementation-dependent bytes-like object.
        """
        return msgpack.dumps(obj, use_bin_type=True) 
开发者ID:tensorpack,项目名称:dataflow,代码行数:10,代码来源:serialize.py

示例15: loads

# 需要导入模块: import msgpack [as 别名]
# 或者: from msgpack import dumps [as 别名]
def loads(buf):
        """
        Args:
            buf: the output of `dumps`.
        """
        # Since 0.6, the default max size was set to 1MB.
        # We change it to approximately 1G.
        return msgpack.loads(buf, raw=False,
                             max_bin_len=MAX_MSGPACK_LEN,
                             max_array_len=MAX_MSGPACK_LEN,
                             max_map_len=MAX_MSGPACK_LEN,
                             max_str_len=MAX_MSGPACK_LEN) 
开发者ID:tensorpack,项目名称:dataflow,代码行数:14,代码来源:serialize.py


注:本文中的msgpack.dumps方法示例由纯净天空整理自Github/MSDocs等开源代码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。