Source code for dramatiq.encoder

# This file is a part of Dramatiq.
#
# Copyright (C) 2017,2018 CLEARTYPE SRL <[email protected]>
#
# Dramatiq is free software; you can redistribute it and/or modify it
# under the terms of the GNU Lesser General Public License as published by
# the Free Software Foundation, either version 3 of the License, or (at
# your option) any later version.
#
# Dramatiq is distributed in the hope that it will be useful, but WITHOUT
# ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or
# FITNESS FOR A PARTICULAR PURPOSE. See the GNU Lesser General Public
# License for more details.
#
# You should have received a copy of the GNU Lesser General Public License
# along with this program.  If not, see <http://www.gnu.org/licenses/>.

import abc
import json
import pickle
import typing

from .errors import DecodeError

#: Represents the contents of a Message object as a dict.
MessageData = typing.Dict[str, typing.Any]


[docs] class Encoder(abc.ABC): """Base class for message encoders. """
[docs] @abc.abstractmethod def encode(self, data: MessageData) -> bytes: # pragma: no cover """Convert message metadata into a bytestring. """ raise NotImplementedError
[docs] @abc.abstractmethod def decode(self, data: bytes) -> MessageData: # pragma: no cover """Convert a bytestring into message metadata. """ raise NotImplementedError
[docs] class JSONEncoder(Encoder): """Encodes messages as JSON. This is the default encoder. """ def encode(self, data: MessageData) -> bytes: return json.dumps(data, separators=(",", ":")).encode("utf-8") def decode(self, data: bytes) -> MessageData: try: data_str = data.decode("utf-8") except UnicodeDecodeError as e: raise DecodeError("failed to decode data %r" % (data,), data, e) from None try: return json.loads(data_str) except json.decoder.JSONDecodeError as e: raise DecodeError("failed to decode message %r" % (data_str,), data_str, e) from None
[docs] class PickleEncoder(Encoder): """Pickles messages. Warning: This encoder is not secure against maliciously-constructed data. Use it at your own risk. """ def encode(self, data: MessageData) -> bytes: return pickle.dumps(data) def decode(self, data: bytes) -> MessageData: return pickle.loads(data)