Skip to content Skip to sidebar Skip to footer

Stop Django From Inserting Or Updating SQL Server Computed Column

I have a Django model that looks like this: class LocationMaster(models.Model): id = models.AutoField(primary_key=True) open_date = models.DateField(blank=True, null=True)

Solution 1:

I went with this work around in the save method to ignore the computed SQL Server columns. Found here: Prevent Django from updating identity column in MSSQL

def save(self, force_insert=False, force_update=False, using=None,
         update_fields=None):
    # Hack to not save the maturity and months_open as they are computed columns
    self._meta.local_fields = [f for f in self._meta.local_fields if f.name not in ('maturity', 'months_open')]
    super(LocationMaster, self).save(force_insert, force_update, using, update_fields)

Solution 2:

I encountered this issue when a field is updated with PostgreSQL triggers, but django overwrites it's value (in same transaction).

This is a generic class decorator that prevents sending enabled=False fields to database (perhaps in any query, like UPDATE).

def prevent_updating_non_editable_fields(clazz):
      """ prevents sending non`editable` fields in queries  """
      meta = clazz._meta
      meta.local_concrete_fields = [f for f in meta.local_concrete_fields if f.editable]
      return clazz


@prevent_updating_editable_fields
class MyModel(models.Model):
       precomputed = models.IntegerField(default=0, editable=False)

Solution 3:

You should be able to accomplish this by adding editable=False to the field.

More info here: https://docs.djangoproject.com/en/dev/ref/models/fields/#editable


Post a Comment for "Stop Django From Inserting Or Updating SQL Server Computed Column"