假设我有一个这样的模型:
class Book(models.Model):
num_pages = ...
author = ...
date = ...
我可以创建字典,然后使用它插入或更新模型吗?
d = {"num_pages":40, author:"Jack", date:"3324"}
假设我有一个这样的模型:
class Book(models.Model):
num_pages = ...
author = ...
date = ...
我可以创建字典,然后使用它插入或更新模型吗?
d = {"num_pages":40, author:"Jack", date:"3324"}
Answers:
这是使用字典d创建的示例:
Book.objects.create(**d)
要更新现有模型,您将需要使用QuerySetfilter
方法。假设您知道pk
要更新的书的:
Book.objects.filter(pk=pk).update(**d)
update()
不尊重信号。请参阅下面@leech的答案。
如果您知道要创建它:
Book.objects.create(**d)
假设您需要检查现有实例,则可以使用get或create找到它:
instance, created = Book.objects.get_or_create(slug=slug, defaults=d)
if not created:
for attr, value in d.items():
setattr(instance, attr, value)
instance.save()
如另一个答案中所述,您也可以update
在queryset Manager上使用该函数,但我相信不会发送任何信号(如果您不使用它们,则对您而言可能并不重要)。但是,您可能不应该使用它来更改单个对象:
Book.objects.filter(id=id).update()
.save()
?
that will not send any signals out
:不能充分强调这一点。
使用**
用于创建一个新的模式。遍历字典并使用setattr()
以更新现有模型。
摘自Tom Christie的Django Rest Framework
https://github.com/tomchristie/django-rest-framework/blob/master/rest_framework/serializers.py
for attr, value in validated_data.items():
setattr(instance, attr, value)
instance.save()
**
更新可能不是一个好主意吗?
queryset.update(**fields)
根据Django文档,@Pocin使用是一个好主意。Quote:“如果您只是更新记录,而无需对模型对象做任何事情,最有效的方法是调用update(),而不是将模型对象加载到内存中。”
如果您已经有了Django对象,并且想要更新它的字段,则可以不使用过滤器来执行。因为您已经拥有了,在这种情况下,可能会:
your_obj.__dict__update(your_dict)
your_obj.save()
除了其他答案之外,这里还有一个更安全的版本,可防止混淆相关字段:
def is_simple_editable_field(field):
return (
field.editable
and not field.primary_key
and not isinstance(field, (ForeignObjectRel, RelatedField))
)
def update_from_dict(instance, attrs, commit):
allowed_field_names = {
f.name for f in instance._meta.get_fields()
if is_simple_editable_field(f)
}
for attr, val in attrs.items():
if attr in allowed_field_names:
setattr(instance, attr, val)
if commit:
instance.save()
它检查您要更新的字段是否可编辑,不是主键,也不是相关字段之一。
用法示例:
book = Book.objects.first()
update_from_dict(book, {"num_pages":40, author:"Jack", date:"3324"})
DRF串行器.create
和.update
方法的豪华之处在于,字段的集合有限且经过验证,而手动更新则不是这种情况。
**
在Python语言参考手册中查找运算符。 docs.python.org/reference/expressions.html#calls