[Django]-Django – How to sort queryset by number of character in a field

27👍

you might have to sort that in python..

sorted(MyModel.objects.all(),key=lambda o:len(o.name),reverse=True)

or I lied ( A quick google search found the following)

MyModel.objects.extra(select={'length':'Length(name)'}).order_by('length')

34👍

The new hotness (as of Django 1.8 or so) is Length()

from django.db.models.functions import Length
obj = MyModel.objects.all().order_by(Length('name').asc())

8👍

You can of course sort the results using Python’s sorted, but that’s not ideal. Instead, you could try this:

MyModel.objects.extra(select={'length':'Length(name)'}).order_by('length')

5👍

You’ll need to use the extra argument to pass an SQL function:

obj = MyModel.objects.all().extra(order_by=['LENGTH(`name`)']) 

Note that this is db-specific: MySQL uses LENGTH, others might use LEN.

Leave a comment