代表一个持有ForeignKeys排列的Django模型

时间:2012-02-09 04:21:12

标签: database django

我正在Django的一个项目中进行盲测,我想知道数据库结构的最佳实践。

以下是我的代码的简化版本,用于演示我遇到的问题:

class Product(models.Model):
    name = models.CharField(max_length=200)

class Test(models.Model):
    product_a = models.ForeignKey(Product, related_name='a_products')
    product_b = models.ForeignKey(Product, related_name='b_products')

class Trial(models.Model):
    test = models.ForeignKey(Test)

    # Is there a more elegant way to represent the fact that these three
    # variables are all a permutation of test.product_a and test.product_b?
    order_1 = models.ForeignKey(Product, related_name='orders_1')
    order_2 = models.ForeignKey(Product, related_name='orders_2')
    order_3 = models.ForeignKey(Product, related_name='orders_3')

我的模型大致设置如下。单Trials有许多TestTrial需要保留其test.product_atest.product_b的三元素排列。我现在设置它的方式现在根本没有捕获它,它看起来真的很不优雅。我已经考虑将整数映射到排列,并存储对应于排列的整数,但这看起来也不是很好。我根本不太了解数据库,所以我很想听到更好的方法来构建数据库。谢谢!

1 个答案:

答案 0 :(得分:1)

您只需要试用它的两个产品的任意组合中的三个产品参考?我认为您的模型定义很好,但我会使用Trial.clean()来验证(order_1,order_2,order_3)中的每一个是(product_a,product_b)之一:

def clean(self):
  super(Trial, self).clean()
  for order in (order_1, order_2, order_3):
    if order not in (self.test.product_a, self.test.product_b):
      raise ValidationError("Order not one of test's products.")

现在,除非测试与其product_a之间的关系以及该测试与其product_b之间的关系存在差异,否则我认为这应该是多对多的。试用产品关系也是如此。您可以验证设置的值是否符合您的条件。你可以选择这样的东西:

class Test(models.Model):
  products = models.ManyToManyField(Product, related_name='tests')
  def clean(self):
    super(Test, self).clean()
    if self.products.all().count() != 2:
      raise ValidationError('Test should have 2 products')

class Trial(models.Model):
  test = models.ForeignKey(Test)
  orders = models.ManyToManyField(Product, related_name='trials')
  def clean(self):
    super(Trial, self).clean()
    if self.orders.all().count() != 3:
      raise ValidationError('Trial should have 3 orders')
    for product in self.orders.all():
      if product not in self.test.products.all():
        raise ValidationError("Order not one of test's products")

我也改变了你的related_names。它们用于反向关系,因此要获得与您使用的给定产品相关的试验和测试:

product = //some Product
trials = product.trials.all()
tests = product.tests.all()