Django模型关系 - 健身应用程序

时间:2014-07-24 16:02:38

标签: python django-models

目前我的模特是:

class Workout(models.Model):    
    date = models.DateField()
    routine = models.ForeignKey('Routine')
    def __str__(self):
         return '%s' % self.date

class Routine(models.Model):
    name = models.CharField(max_length=255)
    exercises = models.ManyToManyField('Exercise')
    def __str__(self):
        return self.name

 class Exercise(models.Model):
    name = models.CharField(max_length=255)
    def __str__(self):
        return self.name

我希望用户能够创建由日期(锻炼)指定的新条目。他们还可以创建与日期相关的例程(例程),并填充他们也可以创建的不同练习(练习)。

这是我无法弄清楚的部分。

我希望用户在添加新练习时能够选择是强力锻炼还是有氧运动。力量练习将包含以下字段:#of sets,reps和weight。 carido会有长度和速度等字段。

我不清楚如何将两种类型的练习与练习课联系起来。

1 个答案:

答案 0 :(得分:0)

最常见的做法是创建generic relationship,例如:

from django.contrib.contenttypes.fields import GenericForeignKey
from django.contrib.contenttypes.models import ContentType

class Exercise(models.Model):
    name = models.CharField(max_length=255)
    content_type = models.ForeignKey(ContentType)
    object_id = models.PositiveIntegerField()
    info = GenericForeignKey('content_type', 'object_id')
    def __str__(self):
        return self.name

class StrengthExercise(models.Model):
    sets, reps, weight = (...)

class CardioExercise(models.Model):
    length, speed = (...)

使用示例:

>>> from app_name.models import Exercise, CardioExercise
>>> exercise_info = CardioExercise.objects.create(length=600, speed=50)
>>> exercise = Exercise(name="cardio_exercise_1", info=exercise_info)
>>> exercise.save()
>>> exercise.info.length
600
>>> exercise.info.__class__.__name__
'CardioExercise'

OBS:确保'django.contrib.contenttypes'中有INSTALLED_APPS(默认情况下已启用)。