数据库
首页 > 数据库> > python-为什么SQLAlchemy会将hstore字段初始化为null?

python-为什么SQLAlchemy会将hstore字段初始化为null?

作者:互联网

我正在使用Flask-SQLAlchemy,并具有下面的列的模型:

class Item(Model):
    misc = Column(MutableDict.as_mutable(postgresql.HSTORE), nullable=False,
                  server_default='',
                  default=MutableDict.as_mutable(postgresql.HSTORE))

当我尝试将字段分配给模型对象时,杂项列似乎为None,而不是空的dict:

my_item = Item()
my_item.misc["foo"] = "bar"
# TypeError: 'NoneType' object does not support item assignment

如何配置模型,以便使用空字典初始化新对象?

解决方法:

这里有两个问题.首先,默认值应该是Python字典,而不是列类型的重复.其次,初始化新实例时不使用默认值,只有在提交没有为该列设置值的实例时才使用默认值.因此,您还需要在初始化期间专门添加默认值.

from sqlalchemy.dialects.postgresql import HSTORE
from sqlalchemy.ext.mutable import MutableDict

class Item(db.Model):
    misc = db.Column(MutableDict.as_mutable(HSTORE), nullable=False, default={}, server_default='')

    def __init__(self, **kwargs):
        kwargs.setdefault('misc', {})
        super(Item, self).__init__(**kwargs)
item = Item()
item.misc['foo'] = 'bar'

值得注意的是,如果只打算从Python使用它,则没有必要同时设置default和server_default.不过也没有害处.

我假设您知道在这种特定情况下需要HSTORE,但是我还要指出PostgreSQL现在具有更通用的JSON和JSONB类型.

标签:hstore,postgresql,sqlalchemy,flask,python
来源: https://codeday.me/bug/20191028/1954385.html