我想在我的数据库表中更改列名,弃用django-graphene中的旧字段并添加新字段。
如果没有在Django模型中创建两次相同的列,我该怎么做?在执行此操作时,我可以避免系统检查期间出现错误,但仍会在测试中遇到错误。
模型
class MyModel(BaseModel):
my_column = models.CharField(
max_length=255, blank=True, null=True)
mycolumn = models.CharField(
max_length=255, blank=True, null=True
db_column='my_column')
模式
class MyNode(DjangoObjectType):
mycolumn = String(deprecation_reason='Deprecated')
设置
SILENCED_SYSTEM_CHECKS = ['models.E007']
但是,现在我尝试在创建示例MyModel
工厂实例的地方运行测试。
class TestMyModel(TestModelBase):
def setUp(self):
self.my_model = MyModel(my_model_nm='Some model')
当然,这会抛出异常。
django.db.utils.ProgrammingError: column "my_column" specified more than once
我似乎在犯这个错误。如何在django-graphene中更改字段名称,弃用旧名称并在表格中使用新字段引用相同的列?
石墨烯== 1.2
石墨烯的django == 1.2.1
graphql核== 1.0.1
答案 0 :(得分:0)
这是我们最终做的事情。
from graphene import String
from graphene_django.converter import convert_django_field
class AliasCharField(models.Field):
"""
Alias for a CharField so that two fields may point to the same column.
source: https://djangosnippets.org/snippets/10440/
"""
def contribute_to_class(self, cls, name, virtual_only=False):
super(AliasCharField, self).contribute_to_class(cls, name,
virtual_only=True)
setattr(cls, name, self)
def __get__(self, instance, instance_type=None):
return getattr(instance, self.db_column)
@convert_django_field.register(AliasCharField)
def convert_alias_char_field_to_string(field, registry=None):
"""
Tell graphene-django how to deal with AliasCharField.
source: https://github.com/graphql-python/graphene-django/issues/303
"""
depr_reason = getattr(field, 'deprecation_reason', None)
return String(description=field.help_text,
deprecation_reason=depr_reason,
required=not field.null)
class MyModel(BaseModel):
my_column = models.CharField(
max_length=255, blank=True, null=True)
mycolumn = models.CharField(
max_length=255, blank=True, null=True
db_column='my_column')
my_column.deprecation_reason = 'Deprecated'
这可以在不抑制系统检查设置的情况下工作。