嵌套的棉花糖领域和Sqlalchemy关系



在我的sqlalchemy类中,我有以下类:

class FooBar(Model):
    __tablename__ = ‘foobar’
    id = Column('id', Integer, primary_key=True)
    foonr = Column('foonr', Integer, ForeignKey('foo.nr'), nullable=False)
    barnr = Column('barnr', String, ForeignKey('bar.nr'), nullable=False)
class Foo(Model):
    __tablename__ = ‘foo’
    nr = Column('nr', Integer, primary_key=True)
    foo_name = Column(‘name’,String)

class Bar(Model):
   __tablename__ = ‘bar’
   nr = Column('nr', Integer, primary_key=True)
   bar_name = Column(‘name’,String)
   foo_bar = relationship('foobar', uselist=False)

当我尝试将foo或bar嵌套在棉花糖模式中时,我没有得到任何结果(字典没有任何参考foo或bar)。

class FooBarSchema(Schema):
   id = fields.Int()
   foo = fields.Nested('FooSchema', many=False)
   bar = fields.Nested('BarSchema', many=False)

如何在foobarschema的结果中获得foo和bar类?

好吧...我给你解决问题的解决方案。

class FooBar(Model):
    __tablename__ = 'foobar'
    id = Column('id', Integer, primary_key=True)
    foonr = Column('foonr', Integer, ForeignKey('foo.nr'), nullable=False)
    barnr = Column('barnr', String, ForeignKey('bar.nr'), nullable=False)
    foo = relationship("Foo", uselist=False)
    bar = relationship("Bar", uselist=False)
class FooBarSchema(Schema):
    id = fields.Int()   
    foo = fields.Nested('FooSchema', many=False)
    bar = fields.Nested('BarSchema', many=False)

但是分析您的代码,我认为我们可以使其更加蓬松。

,只有当您在协会表中没有额外数据中,我们可以更改一些内容。

查看sqlalchemy doc的许多关系,我们可以使用relationship()secondary参数。我们必须像您目前的课程一样保留课程,并且类似的Bar

class Bar(Model):
    __tablename__ = 'bar'
    nr = Column('nr', Integer, primary_key=True)
    bar_name = Column('name',String)
    foos = relationship("Foo", secondary="foobar", backref="bars")

因此,在Bar.foos中,我们有一个Foo对象列表,并且backref还可以在Foo.bars中使用Bar列表。

现在我们必须配置BarSchemaFooSchema类。

class FooSchema(Schema):
    nr = fields.Int()   
    foo_name = fields.Str()
    bars = fields.Nested('BarSchema', exclude=('foos',), many=True)
class BarSchema(Schema):
    nr = fields.Int()   
    bar_name = fields.Str()
    foos = fields.Nested('FooSchema', exclude=('bars',), many=True)

exclude是避免递归问题。

相关内容

  • 没有找到相关文章

最新更新