Can django_admin_log be monitored through Django's admin?
Can't you just:
from django.contrib.admin.models import LogEntry
admin.site.register(LogEntry)
In one of your admin.py files? I just tested it and it is barebones but it works.
You might want to be more specific and create a ModelAdmin
class for LogEntry to provide for a better list view and maybe some filtering abilities. But that should work.
Here's my version. Reference for fields available.
class LogAdmin(admin.ModelAdmin):
"""Create an admin view of the history/log table"""
list_display = ('action_time','user','content_type','change_message','is_addition','is_change','is_deletion')
list_filter = ['action_time','user','content_type']
ordering = ('-action_time',)
#We don't want people changing this historical record:
def has_add_permission(self, request):
return False
def has_change_permission(self, request, obj=None):
#returning false causes table to not show up in admin page :-(
#I guess we have to allow changing for now
return True
def has_delete_permission(self, request, obj=None):
return False
Here's a more extensive admin configuration for viewing all log entries that relies on Django 2.1 view-only permissions:
from django.contrib import admin
from django.contrib.admin.models import LogEntry, DELETION
from django.utils.html import escape
from django.utils.safestring import mark_safe
from django.urls import reverse
@admin.register(LogEntry)
class LogEntryAdmin(admin.ModelAdmin):
date_hierarchy = 'action_time'
readonly_fields = ('action_time',)
list_filter = ['user', 'content_type']
search_fields = ['object_repr', 'change_message']
list_display = ['__str__', 'content_type', 'action_time', 'user', 'object_link']
# keep only view permission
def has_add_permission(self, request):
return False
def has_change_permission(self, request, obj=None):
return False
def has_delete_permission(self, request, obj=None):
return False
def object_link(self, obj):
if obj.action_flag == DELETION:
link = obj.object_repr
else:
ct = obj.content_type
try:
link = mark_safe('<a href="%s">%s</a>' % (
reverse('admin:%s_%s_change' % (ct.app_label, ct.model),
args=[obj.object_id]),
escape(obj.object_repr),
))
except NoReverseMatch:
link = obj.object_repr
return link
object_link.admin_order_field = 'object_repr'
object_link.short_description = 'object'
def queryset(self, request):
return super(LogEntryAdmin, self).queryset(request) \
.prefetch_related('content_type')
It is based on this Django snippet and the result looks like this:
If you want to use it with earlier Django versions, see this earlier revision of this answer.