Encoding custom python objects as BSON with pymongo

旧城冷巷雨未停 提交于 2019-12-07 00:15:05

问题


Is there a way to tell pymongo to use a custom encoder to convert python objects to BSON?

Specifically I need to convert numpy arrays into BSON. I know I can manually ensure every numpy array gets converted to a native python array before sending it to pymongo. But this is repetitive and error-prone. I'd much rather have a way to set up my pymongo connection to do this automatically.


回答1:


You need to write a SONManipulator. From the docs:

SONManipulator instances allow you to specify transformations to be applied automatically by PyMongo.

from pymongo.son_manipulator import SONManipulator

class Transform(SONManipulator):
  def transform_incoming(self, son, collection):
    for (key, value) in son.items():
      if isinstance(value, Custom):
        son[key] = encode_custom(value)
      elif isinstance(value, dict): # Make sure we recurse into sub-docs
        son[key] = self.transform_incoming(value, collection)
    return son
  def transform_outgoing(self, son, collection):
    for (key, value) in son.items():
      if isinstance(value, dict):
        if "_type" in value and value["_type"] == "custom":
          son[key] = decode_custom(value)
        else: # Again, make sure to recurse into sub-docs
          son[key] = self.transform_outgoing(value, collection)
    return son

then add it to your pymongo database object:

db.add_son_manipulator(Transform())

Note you don't have to add the _type field if you want to silently cast a numpy array to a python array.



来源:https://stackoverflow.com/questions/15818712/encoding-custom-python-objects-as-bson-with-pymongo

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!