class Report(models.Model):
precursor = models.ManyToManyField(Precursor)
class ReportAdmin(admin.ModelAdmin):
def formfield_for_manytomany(self, db_field, requ
The problem with DrMeer's otherwise excellent answer is that the object will be cached inside the ModelAdmin
instance and its lifetime will extend until next get_object()
call. However, get_object()
is not called when adding a new report, so the wrong, previous report obj
will be present when you add a new report after changing an existing report.
A safer approach is to cache the report object in the request, so it has request scope:
class ReportAdmin(admin.ModelAdmin):
def get_object(self, request, object_id, from_field=None):
obj = super().get_object(request, object_id, from_field=from_field)
# Cache object for use in formfield_for_manytomany
request.report_obj = obj
return obj
def formfield_for_manytomany(self, db_field, request, **kwargs):
if db_field.name == "r_precursor" and hasattr(request, 'report_obj'):
kwargs["queryset"] = Precursor.objects.filter(
ops_area=request.report_obj.ops_area)
return super(ReportAdmin, self).formfield_for_manytomany(
db_field, request, **kwargs)