2012-10-24 53 views
0

我想为我的Django应用程序构建正确的模型。我正在尝试构建一些内容,允许用户将URL保存到与该用户绑定的一个(或多个)播放列表中。在我实现这个之前,我想确保这是构建我的models.py的最佳方式。构建models.py的正确方法是什么?

class UserProfile(models.Model): 
    user = models.ForeignKey(User, primary_key=True) #what is the difference between ForeignKey and OneToOne? Which one should I use? 
    Playlist = models.CharField('Playlist', max_length = 2000) #1 user should be able to have multiple playlists and the default playlist should be "Favorites" 
    def __unicode__(self): 
     return self.User 

class Videos(models.Model): 
    Video_url = models.URLField('Link to video', max_length = 200, null=True, blank=True) 
    Playlist = models.ManyToManyField(Playlist) #this should connect to the playlists a user has. A user should be able to save any video to any plalist, so perhaps this should be ManyToMany? 
    def __unicode__(self): 
     return self.Video_url 
+0

ForeignKey的区别和OneToOne http://stackoverflow.com/questions/5870537/whats-the-difference-between-django-onetoonefield-and-foreignkey – iMom0

+0

@ iMom0什么关于其他问题?你认为这是我想要启用的正确方法吗? – sharataka

回答

0

哇。首先,这个问题可能太过“本地化”了。无论如何。我会做这样的:

class PlayList(models.Model): 
    playlist = models.CharField(max_length=2000) 

class UserProfile(models.Model): 
    # do you want each `User` to only have one `UserProfile`? If so then OneToOne 
    # primary keys are automatically formed by django 
    # how django handles profiles: https://docs.djangoproject.com/en/dev/topics/auth/#storing-additional-information-about-users 
    user = models.ForeignKey(User) 

    def __unicode__(self): 
     return self.User 

class UserPlayList(models.Model): 
    # don't capitalise attributes, if you haven't seen PEP8 before, do now: http://www.python.org/dev/peps/pep-0008/ 
    profile = models.ForeignKey(User) 
    playlist = models.ForeignKey(PlayList) 

class Video(models.Model): 
    video_url = models.URLField(max_length=200, null=True, blank=True, help_text="Link to video") 

    def __unicode__(self): 
     return self.video_url 

class VideoPlayList(models.Model): 
    video = models.ForeignKey(Video) 
    play_list = models.ForeignKey(UserPlayList) 
相关问题