django:获取外国关键信息

时间:2013-01-30 03:37:22

标签: django model

我创建了一个包含几个类和外键的模型,我可以将它保存在数据库中。

我有以下型号:

class Player_Bios(models.Model):
  my_id            = models.SlugField(unique=True)
  player_id        = models.IntegerField(max_length=50, unique=True)    
  name             = models.CharField(max_length=50) 
  last             = models.CharField(max_length=50)
  middle           = models.CharField(max_length=50, blank=True)

class BatStat (models.Model):
  player_id           = models.ForeignKey('Player_Bios')
  team_id             = models.ForeignKey('Team')
  bat_stat_id         = models.CharField(max_length=50, unique=True)
  sport_code           = models.CharField(max_length=50, blank=True) 
  ab                  = models.IntegerField(max_length=50, null=True)

class Team (models.Model):

  team_id             = models.IntegerField(max_length=50, unique=True)
  team_short          = models.CharField(max_length=50, blank=True)
  team_full           = models.CharField(max_length=50, blank=True)

当我将它保存到数据库时,我可以看到Team表上的team_id与BatStat表上的team_id相同,但BatStat上的player_id与Player_Bios表上的player_id不同。这就是我将数据保存到数据库的方式:

p_id = Player_Bios.objects.get(player_id=st['player_id'])
t_id = Team.objects.get(team_id=st['team_id']) #I get the team_id from the Team Class
bat_id = str(st['season'])+ str(st['team_seq'])
bat_id = str(p_id.player_id) + bat_id
c = BatStat(player_id = p_id,team_id=t_id, bat_stat_id=bat_id, sport_code =st["sport_code"],ab=st['ab'])
c.save()

st ['player_id']是一本字典。我做了一个打印,它显示了正确的player_id号码

1 个答案:

答案 0 :(得分:0)

在BatStat中,您将密钥存储在Player_Bios中,而不是player_id

class Player_Bios(models.Model):
  ...
  player_id        = models.IntegerField(max_length=50, unique=True)  

class BatStat (models.Model):
  ...
  player_id           = models.ForeignKey('Player_Bios')

我不确定为什么你的team_id是一样的,但是,好像你已经有了id。您可以通过直接设置ID来避免查找Player_Bios和Team。

Django: Set foreign key using integer?

class Player_Bios(models.Model):
  ...
  player_id = models.IntegerField(primary_key=True, max_length=50)  

class Team (models.Model):
  ...
  team_id = models.IntegerField(primary_key=True, max_length=50)

class BatStat (models.Model):
  ...
  player = models.ForeignKey('Player_Bios') # notice i renamed this to not have '_id'
  team = models.ForeignKey('Team') # notice i renamed this to not have '_id'

c = BatStat(bat_stat_id=bat_id, 
            sport_code =st["sport_code"],
            ab=st['ab'])
c.player_id = st['player_id'], # notice that this has '_id'
c.team_id = st['team_id'], # notice this has '_id'
c.save()
相关问题