postgresql Django错误迁移嵌套模型w/o迁移基础模型

cwdobuhd  于 12个月前  发布在  PostgreSQL
关注(0)|答案(1)|浏览(104)

目的是拥有一个可以被其他模型嵌套的BaseModel

**注意:**不应将BaseModel写入数据库

所以我有一个像下面这样的基本模型

class StaticVariable(models.Model):
    class Meta:
        managed = False
    title = models.CharField(
        max_length=250, blank=False, null=False
    )
    alias = models.CharField(
        max_length=250, blank=False, null=False, unique=True
    )
    created_at = models.DateTimeField(
        auto_now_add=True, blank=False, null=False
    )
    updated_at = models.DateTimeField(
        auto_now=True, blank=False, null=False
    )
    enabled = models.BooleanField(
        default=True, blank=False, null=False
    )
    deleted = models.BooleanField(
        default=False, blank=False, null=False
    )

字符串
我进行了迁移并应用了它,因为类Meta有managed=False参数,实际的SQL表没有被创建(如预期
之后,我创建了一个新的模型,该模型是从StaticVariable模型嵌套的,作为基础

class BodyType(StaticVariable):
    class Meta:
        db_table = 'body_type'
        ordering = ["title", "-id"]


然后我做了移民,看起来像这样

from django.db import migrations, models
import django.db.models.deletion

class Migration(migrations.Migration):

    dependencies = [
        ('utils', '0004_staticvariable'),
        ('app', '0002_alter_category_enabled'),
    ]

    operations = [
        migrations.CreateModel(
            name='BodyType',
            fields=[
                ('staticvariable_ptr', models.OneToOneField(auto_created=True, on_delete=django.db.models.deletion.CASCADE, parent_link=True, primary_key=True, serialize=False, to='utils.staticvariable')),
            ],
            options={
                'db_table': 'body_type',
                'ordering': ['title', '-id'],
            },
            bases=('utils.staticvariable',),
        ),
    ]


但是,当我尝试迁移时,

Running migrations:
  Applying app.0003_bodytype...Traceback (most recent call last):
  File "/usr/local/lib/python3.10/site-packages/django/db/backends/utils.py", line 87, in _execute
    return self.cursor.execute(sql)
  File "/usr/local/lib/python3.10/site-packages/psycopg/cursor.py", line 737, in execute
    raise ex.with_traceback(None)
psycopg.errors.UndefinedTable: relation "utils_staticvariable" does not exist


我想这是因为BaseModel没有写入DB,但我不想将空表写入DB

7vux5j2d

7vux5j2d1#

当你从一个模型继承时,Django默认设置了一个与基础模型的one-to-one关系,这就是为什么它试图在你的BodyType模型中创建一个指向StaticVariable示例的staticvariable_ptr字段。
因为在你的代码中StaticVariablemanaged = False,Django不管理这个模型的数据库表,这导致了你面临的错误。
要解决这个问题,你应该使用抽象基类(参考Django Abstract Base Class)
通过在StaticVariable模型的Meta类中设置abstract = True来定义抽象基类,如下所示:

class StaticVariable(models.Model):
    class Meta:
        abstract = True

字符串
完成这些更改后,请确保进行新的迁移和迁移。

相关问题