我为Stackexchange用户获取一些数据并将其存储在我的Django模型中:
class StackExchangeProfile(models.Model):
access_token = models.CharField(max_length=100)
expires = models.IntegerField()
reputation = models.IntegerField(null=True)
link = models.URLField(null=True)
image = models.URLField(null=True)
...
我正在使用一对必需参数实现此模型:
token = {'access_token': 'abcd123abcd123abcd123', 'expires': 1234}
se_profile = StackExchangeProfile(**token)
我想出了一种方法来设置不需要的方法:
class StackExchangeProfile(models.Model):
...
def fill_profile(self, reputation, link, image):
self.reputation = reputation
self.link = link
self.image = image
我不是很喜欢,因为它不允许我设置自定义属性集(例如,只有在用户没有图像的情况下才能获得声誉和链接)。
有没有办法实现这种灵活性?
答案 0 :(得分:2)
您可以使用与实例化中相同的**kwargs
魔法:
def fill_profile(self, **kwargs):
for attr, value in kwargs.iteritems():
setattr(self, attr, value)
然后使用命名参数调用此方法:
se_profile.fill_profile(reputation=1234, link='http://example.com')
答案 1 :(得分:0)
我认为为每个字段设置一个默认值是个好主意,这样你就不必总是检查参数是否存在。
def fill_profile(self, reputation=None, link=None, image=None):
self.reputation = reputation
self.link = link
self.image = image
se_profile.fill_profile(image="http://a.com/a.jpg")