django 1.5 대량 데이터베이스 삽입 또는 업데이트
It's not unusual the need to do bulk update/create in django applications, but if you don't use the right approach your views will increase the load time to unacceptable values.
Here is the common example where people starts out:
# took 37 seconds def auto_transaction():
for i in range(10000):
name="String number %s"%i
Record.objects.create(name=name)
Before django 1.4 we didn't have the built-in bulk_create, so the common way to do a bulk insertion was disabling the auto transaction in the beginning of operation and do it only once in the end:
# took 2.65 seconds
@transaction.commit_manually
def manual_transaction():
for i in range(10000):
name="String number %s"%i
Record.objects.create(name=name)
transaction.commit()
But since Django 1.4 and the bulk_create built-in, insertions got a lot faster:
# took 0.47 seconds
def builtin():
insert_list =[]
for i in range(10000):
name="String number %s"%i
insert_list.append(Record(name=name))
Record.objects.bulk_create(insert_list)
A similar effect happens to update operation
The next examples are also executed against 10000 records
Iterating over each record and manually updating the desired field:
# took 72 seconds
def auto_transaction():
for record inRecord.objects.all():
record.name ="String without number"
record.save()
Disabling transactions and committing only once in the end of process:
# took 17 seconds
@transaction.commit_manually
def manual_transaction():
for record inRecord.objects.all():
record.name ="String without number"
record.save()
transaction.commit()
Update using the django built-in update()
# took 0.03 seconds
def builtin():
Record.objects.all().update(name="String without number");
WARNING! Each method described here has it own particularity, and may not fit for your use case. Before you try any of them you should read the docs.
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
Django의 질문 및 답변 웹사이트환영 친구, 이것은 우리의 새로운 블로그입니다. 이 블로그에서는 , 과 같은 Question-n-Answer 웹사이트를 만들고 있습니다. 이 웹사이트는 회원가입 및 로그인이 가능합니다. 로그인 후 사용자는 사용자의 ...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.