schema.py 2.9 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263
  1. from django.db.backends.mysql import schema as myschema
  2. class DatabaseSchemaEditor(myschema.DatabaseSchemaEditor):
  3. sql_delete_table = "DROP TABLE %(table)s"
  4. sql_delete_column = "ALTER TABLE %(table)s DROP COLUMN %(column)s"
  5. def remove_field(self, model, field):
  6. # Drop any Index, TiDB requires explicite deletion
  7. if field.db_index:
  8. idx_names = self._constraint_names(model, [field.column], index=True)
  9. for idx_name in idx_names:
  10. self.execute(self._delete_constraint_sql(self.sql_delete_index, model, idx_name))
  11. super(DatabaseSchemaEditor, self).remove_field(model, field)
  12. def column_sql(self, model, field, include_default=False):
  13. """
  14. Take a field and return its column definition.
  15. The field must already have had set_attributes_from_name() called.
  16. """
  17. # Get the column's type and use that as the basis of the SQL
  18. db_params = field.db_parameters(connection=self.connection)
  19. sql = db_params['type']
  20. params = []
  21. # Check for fields that aren't actually columns (e.g. M2M)
  22. if sql is None:
  23. return None, None
  24. # Work out nullability
  25. null = field.null
  26. # If we were told to include a default value, do so
  27. include_default = include_default and not self.skip_default(field)
  28. if include_default:
  29. default_value = self.effective_default(field)
  30. if default_value is not None:
  31. if self.connection.features.requires_literal_defaults:
  32. # Some databases can't take defaults as a parameter (oracle)
  33. # If this is the case, the individual schema backend should
  34. # implement prepare_default
  35. sql += " DEFAULT %s" % self.prepare_default(default_value)
  36. else:
  37. sql += " DEFAULT %s"
  38. params += [default_value]
  39. # Oracle treats the empty string ('') as null, so coerce the null
  40. # option whenever '' is a possible value.
  41. if (field.empty_strings_allowed and not field.primary_key and
  42. self.connection.features.interprets_empty_strings_as_nulls):
  43. null = True
  44. if null and not self.connection.features.implied_column_null:
  45. sql += " NULL"
  46. elif not null:
  47. sql += " NOT NULL"
  48. # Primary key/unique outputs
  49. if field.primary_key:
  50. sql += " PRIMARY KEY"
  51. # elif field.unique:
  52. # sql += " UNIQUE"
  53. # Optionally add the tablespace if it's an implicitly indexed column
  54. tablespace = field.db_tablespace or model._meta.db_tablespace
  55. if tablespace and self.connection.features.supports_tablespaces and field.unique:
  56. sql += " %s" % self.connection.ops.tablespace_sql(tablespace, inline=True)
  57. # Return the sql
  58. return sql, params