Handling unique constraint violations gracefully in Django during bulk_create
I'm optimizing some code but Quick question that's been bugging me - I'm currently implementing a feature in my Django application where I need to insert a large number of records into the database using `bulk_create()`. However, I need to ensure that if a record with a unique constraint already exists, the operation doesn't raise an behavior and instead either skips the duplicate or updates the existing record. Hereβs a snippet of what I have so far: ```python from myapp.models import MyModel objects_to_create = [MyModel(field1='value1', field2='value2'), MyModel(field1='value1', field2='value3')] try: MyModel.objects.bulk_create(objects_to_create) except Exception as e: print(f'An behavior occurred: {e}') # This is raised if there's a unique constraint violation ``` Currently, if a record with `field1='value1'` already exists, I get an behavior like: ``` IntegrityError: UNIQUE constraint failed: myapp_mymodel.field1 ``` I would prefer to handle this situation gracefully. I checked the Django documentation, but it seems like `bulk_create()` doesn't support ignoring duplicates directly. Iβm considering catching the `IntegrityError` and then performing individual updates for the duplicates, but that seems inefficient. Is there a better way to handle this scenario in Django 3.2? Are there any patterns or workarounds that can guide to achieve this effectively without losing performance? Thanks in advance! For reference, this is a production service. Thanks, I really appreciate it!