Fixes #3452: Queue deletion ObjectChanges until after response is sent

This commit is contained in:
Jeremy Stretch 2019-08-26 16:52:05 -04:00
parent 03ac2721bc
commit 6e66f8d68a
8 changed files with 77 additions and 106 deletions

View File

@ -270,23 +270,21 @@ class CircuitTermination(CableTermination):
def __str__(self): def __str__(self):
return 'Side {}'.format(self.get_term_side_display()) return 'Side {}'.format(self.get_term_side_display())
def log_change(self, user, request_id, action): def to_objectchange(self, action):
""" # Annotate the parent Circuit
Reference the parent circuit when recording the change.
"""
try: try:
related_object = self.circuit related_object = self.circuit
except Circuit.DoesNotExist: except Circuit.DoesNotExist:
# Parent circuit has been deleted # Parent circuit has been deleted
related_object = None related_object = None
ObjectChange(
user=user, return ObjectChange(
request_id=request_id,
changed_object=self, changed_object=self,
related_object=related_object, object_repr=str(self),
action=action, action=action,
related_object=related_object,
object_data=serialize_object(self) object_data=serialize_object(self)
).save() )
@property @property
def parent(self): def parent(self):

View File

@ -37,18 +37,14 @@ class ComponentTemplateModel(models.Model):
""" """
raise NotImplementedError() raise NotImplementedError()
def log_change(self, user, request_id, action): def to_objectchange(self, action):
""" return ObjectChange(
Log an ObjectChange including the parent DeviceType.
"""
ObjectChange(
user=user,
request_id=request_id,
changed_object=self, changed_object=self,
related_object=self.device_type, object_repr=str(self),
action=action, action=action,
related_object=self.device_type,
object_data=serialize_object(self) object_data=serialize_object(self)
).save() )
class ComponentModel(models.Model): class ComponentModel(models.Model):
@ -60,23 +56,21 @@ class ComponentModel(models.Model):
class Meta: class Meta:
abstract = True abstract = True
def log_change(self, user, request_id, action): def to_objectchange(self, action):
""" # Annotate the parent Device/VM
Log an ObjectChange including the parent Device/VM.
"""
try: try:
parent = getattr(self, 'device', None) or getattr(self, 'virtual_machine', None) parent = getattr(self, 'device', None) or getattr(self, 'virtual_machine', None)
except ObjectDoesNotExist: except ObjectDoesNotExist:
# The parent device/VM has already been deleted # The parent device/VM has already been deleted
parent = None parent = None
ObjectChange(
user=user, return ObjectChange(
request_id=request_id,
changed_object=self, changed_object=self,
related_object=parent, object_repr=str(self),
action=action, action=action,
related_object=parent,
object_data=serialize_object(self) object_data=serialize_object(self)
).save() )
@property @property
def parent(self): def parent(self):
@ -2327,27 +2321,20 @@ class Interface(CableTermination, ComponentModel):
return super().save(*args, **kwargs) return super().save(*args, **kwargs)
def log_change(self, user, request_id, action): def to_objectchange(self, action):
""" # Annotate the parent Device/VM
Include the connected Interface (if any).
"""
# It's possible that an Interface can be deleted _after_ its parent Device/VM, in which case trying to resolve
# the component parent will raise DoesNotExist. For more discussion, see
# https://github.com/netbox-community/netbox/issues/2323
try: try:
parent_obj = self.device or self.virtual_machine parent_obj = self.device or self.virtual_machine
except ObjectDoesNotExist: except ObjectDoesNotExist:
parent_obj = None parent_obj = None
ObjectChange( return ObjectChange(
user=user,
request_id=request_id,
changed_object=self, changed_object=self,
related_object=parent_obj, object_repr=str(self),
action=action, action=action,
related_object=parent_obj,
object_data=serialize_object(self) object_data=serialize_object(self)
).save() )
# TODO: Remove in v2.7 # TODO: Remove in v2.7
@property @property

View File

@ -6,7 +6,6 @@ from datetime import timedelta
from django.conf import settings from django.conf import settings
from django.db.models.signals import post_delete, post_save from django.db.models.signals import post_delete, post_save
from django.utils import timezone from django.utils import timezone
from django.utils.functional import curry
from django_prometheus.models import model_deletes, model_inserts, model_updates from django_prometheus.models import model_deletes, model_inserts, model_updates
from .constants import ( from .constants import (
@ -19,31 +18,27 @@ from .webhooks import enqueue_webhooks
_thread_locals = threading.local() _thread_locals = threading.local()
def cache_changed_object(instance, **kwargs): def cache_changed_object(sender, instance, **kwargs):
"""
Cache an object being created or updated for the changelog.
"""
if hasattr(instance, 'to_objectchange'):
action = OBJECTCHANGE_ACTION_CREATE if kwargs['created'] else OBJECTCHANGE_ACTION_UPDATE action = OBJECTCHANGE_ACTION_CREATE if kwargs['created'] else OBJECTCHANGE_ACTION_UPDATE
objectchange = instance.to_objectchange(action)
# Cache the object for further processing was the response has completed.
_thread_locals.changed_objects.append( _thread_locals.changed_objects.append(
(instance, action) (instance, objectchange)
) )
def _record_object_deleted(request, instance, **kwargs): def cache_deleted_object(sender, instance, **kwargs):
"""
# TODO: Can we cache deletions for later processing like we do for saves? Currently this will trigger an exception Cache an object being deleted for the changelog.
# when trying to serialize ManyToMany relations after the object has been deleted. This should be doable if we alter """
# log_change() to return ObjectChanges to be saved rather than saving them directly. if hasattr(instance, 'to_objectchange'):
objectchange = instance.to_objectchange(OBJECTCHANGE_ACTION_DELETE)
# Record that the object was deleted _thread_locals.changed_objects.append(
if hasattr(instance, 'log_change'): (instance, objectchange)
instance.log_change(request.user, request.id, OBJECTCHANGE_ACTION_DELETE) )
# Enqueue webhooks
enqueue_webhooks(instance, request.user, request.id, OBJECTCHANGE_ACTION_DELETE)
# Increment metric counters
model_deletes.labels(instance._meta.model_name).inc()
def purge_objectchange_cache(sender, **kwargs): def purge_objectchange_cache(sender, **kwargs):
@ -79,12 +74,9 @@ class ObjectChangeMiddleware(object):
# the same request. # the same request.
request.id = uuid.uuid4() request.id = uuid.uuid4()
# Signals don't include the request context, so we're currying it into the post_delete function ahead of time.
record_object_deleted = curry(_record_object_deleted, request)
# Connect our receivers to the post_save and post_delete signals. # Connect our receivers to the post_save and post_delete signals.
post_save.connect(cache_changed_object, dispatch_uid='record_object_saved') post_save.connect(cache_changed_object, dispatch_uid='cache_changed_object')
post_delete.connect(record_object_deleted, dispatch_uid='record_object_deleted') post_delete.connect(cache_deleted_object, dispatch_uid='cache_deleted_object')
# Provide a hook for purging the change cache # Provide a hook for purging the change cache
purge_changelog.connect(purge_objectchange_cache) purge_changelog.connect(purge_objectchange_cache)
@ -95,27 +87,26 @@ class ObjectChangeMiddleware(object):
# If the change cache has been purged (e.g. due to an exception) abort the logging of all changes resulting from # If the change cache has been purged (e.g. due to an exception) abort the logging of all changes resulting from
# this request. # this request.
if _thread_locals.changed_objects is None: if _thread_locals.changed_objects is None:
# Delete ObjectChanges representing deletions, since these have already been written
ObjectChange.objects.filter(request_id=request.id).delete()
return response return response
# Create records for any cached objects that were created/updated. # Create records for any cached objects that were created/updated.
for obj, action in _thread_locals.changed_objects: for obj, objectchange in _thread_locals.changed_objects:
# Record the change # Record the change
if hasattr(obj, 'log_change'): objectchange.user = request.user
obj.log_change(request.user, request.id, action) objectchange.request_id = request.id
objectchange.save()
# Enqueue webhooks # Enqueue webhooks
enqueue_webhooks(obj, request.user, request.id, action) enqueue_webhooks(obj, request.user, request.id, objectchange.action)
# Increment metric counters # Increment metric counters
if action == OBJECTCHANGE_ACTION_CREATE: if objectchange.action == OBJECTCHANGE_ACTION_CREATE:
model_inserts.labels(obj._meta.model_name).inc() model_inserts.labels(obj._meta.model_name).inc()
elif action == OBJECTCHANGE_ACTION_UPDATE: elif objectchange.action == OBJECTCHANGE_ACTION_UPDATE:
model_updates.labels(obj._meta.model_name).inc() model_updates.labels(obj._meta.model_name).inc()
elif objectchange.action == OBJECTCHANGE_ACTION_DELETE:
model_deletes.labels(obj._meta.model_name).inc()
# Housekeeping: 1% chance of clearing out expired ObjectChanges # Housekeeping: 1% chance of clearing out expired ObjectChanges
if _thread_locals.changed_objects and settings.CHANGELOG_RETENTION and random.randint(1, 100) == 1: if _thread_locals.changed_objects and settings.CHANGELOG_RETENTION and random.randint(1, 100) == 1:

View File

@ -953,7 +953,9 @@ class ObjectChange(models.Model):
def save(self, *args, **kwargs): def save(self, *args, **kwargs):
# Record the user's name and the object's representation as static strings # Record the user's name and the object's representation as static strings
if not self.user_name:
self.user_name = self.user.username self.user_name = self.user.username
if not self.object_repr:
self.object_repr = str(self.changed_object) self.object_repr = str(self.changed_object)
return super().save(*args, **kwargs) return super().save(*args, **kwargs)

View File

@ -35,9 +35,9 @@ class TaggedItemTest(APITestCase):
site = Site.objects.create( site = Site.objects.create(
name='Test Site', name='Test Site',
slug='test-site', slug='test-site'
tags=['Foo', 'Bar', 'Baz']
) )
site.tags.add('Foo', 'Bar', 'Baz')
data = { data = {
'tags': ['Foo', 'Bar', 'New Tag'] 'tags': ['Foo', 'Bar', 'New Tag']

View File

@ -6,6 +6,7 @@ from django.test import Client, TestCase
from django.urls import reverse from django.urls import reverse
from dcim.models import Site from dcim.models import Site
from extras.constants import OBJECTCHANGE_ACTION_UPDATE
from extras.models import ConfigContext, ObjectChange, Tag from extras.models import ConfigContext, ObjectChange, Tag
from utilities.testing import create_test_user from utilities.testing import create_test_user
@ -82,11 +83,10 @@ class ObjectChangeTestCase(TestCase):
# Create three ObjectChanges # Create three ObjectChanges
for i in range(1, 4): for i in range(1, 4):
site.log_change( oc = site.to_objectchange(action=OBJECTCHANGE_ACTION_UPDATE)
user=user, oc.user = user
request_id=uuid.uuid4(), oc.request_id = uuid.uuid4()
action=2 oc.save()
)
def test_objectchange_list(self): def test_objectchange_list(self):

View File

@ -647,26 +647,20 @@ class IPAddress(ChangeLoggedModel, CustomFieldModel):
super().save(*args, **kwargs) super().save(*args, **kwargs)
def log_change(self, user, request_id, action): def to_objectchange(self, action):
""" # Annotate the assigned Interface (if any)
Include the connected Interface (if any).
"""
# It's possible that an IPAddress can be deleted _after_ its parent Interface, in which case trying to resolve
# the interface will raise DoesNotExist.
try: try:
parent_obj = self.interface parent_obj = self.interface
except ObjectDoesNotExist: except ObjectDoesNotExist:
parent_obj = None parent_obj = None
ObjectChange( return ObjectChange(
user=user,
request_id=request_id,
changed_object=self, changed_object=self,
related_object=parent_obj, object_repr=str(self),
action=action, action=action,
related_object=parent_obj,
object_data=serialize_object(self) object_data=serialize_object(self)
).save() )
def to_csv(self): def to_csv(self):

View File

@ -23,15 +23,14 @@ class ChangeLoggedModel(models.Model):
class Meta: class Meta:
abstract = True abstract = True
def log_change(self, user, request_id, action): def to_objectchange(self, action):
""" """
Create a new ObjectChange representing a change made to this object. This will typically be called automatically Return a new ObjectChange representing a change made to this object. This will typically be called automatically
by extras.middleware.ChangeLoggingMiddleware. by extras.middleware.ChangeLoggingMiddleware.
""" """
ObjectChange( return ObjectChange(
user=user,
request_id=request_id,
changed_object=self, changed_object=self,
object_repr=str(self),
action=action, action=action,
object_data=serialize_object(self) object_data=serialize_object(self)
).save() )