Django 测试在迁移文件中使用特定模型时失败



我已经为特定的 Django 1.11 应用程序手动创建了一个数据迁移文件:

from __future__ import unicode_literals
from django.db import migrations, models
def set_item_things(apps, schema_editor):
    MyModel = apps.get_model('my_app', 'MyModel')
    # NOTE: if I remove this line then the tests will work
    MyOtherModel = apps.get_model('my_other_app', 'MyOtherModel')
    for item in MyModel.objects.all():
        # NOTE: if I remove this line then the tests will work
        thingy = MyOtherModel.get(example_field=item.color) 
        item.other_thing = thingy
        item.save()
class Migration(migrations.Migration):
    dependencies = [
        ('contracts', '0014_my_previous_migration'),
    ]
    operations = [
        migrations.RunPython(set_item_things),
    ]

当我运行python manage.py migrate时,一切都按预期工作。
但是每当我使用 pytest 运行我的测试时,我都会得到这个:

test setup failed
self = <django.db.migrations.state.StateApps object at 0x10714b2b0>
app_label = 'my_other_app'
    def get_app_config(self, app_label):
        """
            Imports applications and returns an app config for the given label.
            Raises LookupError if no application exists with this label.
            """
        self.check_apps_ready()
        try:
>           return self.app_configs[app_label]
E           KeyError: 'my_other_app'

所以看起来应用程序配置没有正确配置,这已经很奇怪了,因为迁移命令运行顺利。

无论如何:这是my_other_app/apps.py的内容:

from django.apps import AppConfig
class MyOtherAppConfig(AppConfig):
    name = 'my_other_app'

基本上与位于其他应用程序目录中的所有其他apps.py非常相似,当然名称除外。

所以我认为配置应该是正确的,但无论出于何种原因,我的测试都不会运行。

唯一的解决方法是从迁移文件中删除对my_other_app的任何引用。

我已经尝试将其添加到my_other_apps/__init__.py

default_app_config = 'my_other_apps.apps.MyOtherAppConfig'

但没有任何变化。

我已经尝试查看my_other_apps/models.py内部是否存在循环依赖项,但似乎并非如此。

我在这里错过了什么?

我从一个类似的SO问题中找到了解决方案:MyOtherModel来自不同的应用程序,因此在我的迁移文件中,我必须将该应用程序上次迁移指定为其他依赖项,即:

class Migration(migrations.Migration):
    dependencies = [
        ('contracts', '0014_my_previous_migration'),
        # THIS extra line solves the problem!
        ('my_other_app', '002_my_last_migration'),
    ]
    operations = [
        migrations.RunPython(set_item_things),
    ]
不应

在迁移文件中接触其他应用中的模型,除非为该其他应用的迁移指定了适当的依赖项。 基本上,如果要使用 my_other_app 中的MyOtherModel,则必须在迁移中添加dependencies条目,以指向MyOtherModel存在且处于所需状态的my_other_app中的迁移。

">

存在"和"期望状态"在这里需要一些解释:当 Django 处理迁移时,它不会检查当前处于应用程序models.py的实际模型状态,而是尝试从创建迁移时的时间点重现您的模型。因此,如果要使用 MyOtherModel 中的some_field,但该字段是在以后的迁移中添加的,则必须至少指向引入此字段的迁移。

同样,如果以后删除了字段,则依赖项必须指向该迁移之前的迁移之一。

请参阅 Django 文档中的第三方应用之间迁移数据。

感谢这个答案中的这个链接,我在尝试运行 Django 测试时解决了我的问题:

错误

LookupError: App 'old_app' doesn't have a 'OldModel' model.

解决方案

def forwards(apps, schema_editor):
    try:
        OldModel = apps.get_model('old_app', 'OldModel')
    except LookupError:
        # The old app isn't installed.
        return

相关内容

  • 没有找到相关文章

最新更新