What I'm looking for is a QuerySet containing any objects not tagged.
The solution I've come up with so far looks overly complicated to me:
# Get all tags for model
tags = Location.tags.all().order_by('name')
# Get a list of tagged location id's
tag_list = tags.values_list('name', flat=True)
tag_names = ', '.join(tag_list)
tagged_locations = Location.tagged.with_any(tag_names) \
.values_list('id', flat=True)
untagged_locations = []
for location in Location.objects.all():
if location.id not in tagged_locations:
untagged_locations.append(location)
Any ideas for improvement? Thanks!
There is some good information in this post, so I don't feel that it should be deleted, but there is a much, much simpler solution
I took a quick peek at the source code for django-tagging. It looks like they use the ContentType framework and generic relations to pull it off.
Because of this, you should be able to create a generic reverse relation on your Location class to get easy access to the TaggedItem objects for a given location, if you haven't already done so:
Clarification
My original answer suggested to do this:
Although this would work for a 'normal join', this actually doesn't work here because the content type framework throws an additional check on
content_type_id
into the SQL forisnull
:You can hack-around it by reversing it like this:
But that doesn't quite feel right.
I also proposed this, but it was pointed out that annotations don't work as expected with the content types framework.
The above code works for me in my limited test case, but it could be buggy if you have other 'taggable' objects in your model. The reason being that it doesn't check the
content_type_id
as outlined in the ticket. It generated the following SQL:If
Location
is your only taggable object, then the above would work.Proposed Workaround
Short of getting the annotation mechanism to work, here's what I would do in the meantime:
This adds an additional WHERE clause to the SQL:
It joins to the
django_content_type
table to ensure that you're looking at the appropriate content type for your model in the case where you have more than one taggable model type.Change
myapp_location.id
to match your table name. There's probably a way to avoid hard-coding the table names, but you can figure that out if it's important to you.Adjust accordingly if you're not using MySQL.