无法更新 SQLAlchemy 关联 table 个额外的列

Can't update SQLAlchemy association table extra columns

我的模型是这样的:

class Company(DB_BASE):
    __tablename__ = 'Company'

    id = Column(Integer, primary_key=True, index=True)
    ...
    products = relationship('Product', secondary=Company_Products, backref='Company')

class Product(DB_BASE):
    __tablename__ = 'Product'

    id = Column(Integer, primary_key=True, index=True)
    ...
    companies = relationship('Company', secondary=Company_Products, backref='Product')

这是我的协会table

Company_Products = Table(
    'Company_Products',
    DB_BASE.metadata,
    Column('id', Integer, primary_key=True),

    Column('company_id', Integer, ForeignKey('Company.id')),
    Column('product_id', Integer, ForeignKey('Product.id')),

    Column('quantity', Integer, default=0),
    Column('price_per_unit', Integer, default=0),
)

这就是我查询关联的方式 table。

company_product = db.query(Company_Products).filter_by(product_id=id, company_id=user.company_id).first()
company_product.quantity = data.data['quantity']
company_product.price = data.data['price']

创建公司和产品之间的多对多关系后,我想在本例中修改关系额外数据、数量和price_per_unit。查询关联对象后,修改任何属性会产生:

AttributeError: can't set attribute 'quantity'

跟进我的问题,最终对我有用的解决方案是制作一个新模型并用它来模拟关联 table。

class Company_Products(DB_BASE):
    __tablename__ = 'Company_Products'

    id = Column(Integer, primary_key=True, index=True)
    ...
    quantity = Column(String) # 1 - client, 2 - furnizor
    price_per_unit = Column(String)

    company_id = Column(Integer, ForeignKey('Company.id'))
    company = relationship('Company', back_populates='products', lazy='select')
    product_id = Column(Integer, ForeignKey('Product.id'))
    product = relationship('Product', back_populates='companies', lazy='select')

这绝对不是最好的解决方案,如果我想出其他办法或遇到可能可行的办法,我会编辑它。