dictのソートされたリストとしてデータをテンプレートに渡す必要があります。
>>> data = [ ('panda','fiat'),
... ('500','fiat'),
... ('focus','ford') ]
>>>
>>> from itertools import groupby
# note that we need to sort data before using groupby
>>> groups = groupby(sorted(data, key=lambda x: x[1]), key=lambda x:x[1])
# make the generators into lists
>>> group_list = [(make, list(record)) for make, record in groups]
# sort the group by the number of car records it has
>>> sorted_group_list = sorted(group_list, key=lambda x: len(x[1]), reverse=True)
# build the final dict to send to the template
>>> sorted_car_model = [{'make': make, "model": r[0]} for (make, records) in sorted_group_list for r in records]
>>> sorted_car_model
[{'make': 'fiat', 'model': 'panda'}, {'make': 'fiat', 'model': '500'}, {'make': 'ford', 'model': 'focus'}]
ここでの目標は、自動車メーカーが生産するモデルの数によってランク付けされるようにリストを並べ替えることです。
次に、以下を使用します。
{% regroup car_models by make as make_list %}
{% for item in make_list %}
{{ item.grouper }} ({{ item.list|length }}) <br>
{% endfor %}
取得するため:
fiat 2
ford 1
参照:regroup
あなたのデータがあなたのコメントにあるもののように見える場合:
>>> car_models = [
... {'make': 'ford', 'model': 'focus'},
... {'make': 'fiat', 'model': 'panda'},
... {'make': 'ford', 'model': '500'},
... {'make': 'fiat', 'model': '500'},
... {'make': 'opel', 'model': '500'},
... {'make': 'opel', 'model': '500'},
... {'make': 'opel', 'model': '500'},
... ]
>>>
>>> groups = groupby(sorted(car_models, key=lambda x:x['make']), key=lambda x:x['make'])
>>> groups = [(make, list(x)) for make, x in groups]
>>> sorted_group_list = sorted(groups, key=lambda x:len(x[1]), reverse=True)
>>> sorted_car_model = [{'make': make, 'model': r['model']} for (make, records) in sorted_group_list for r in records]
>>> sorted_car_model
[{'make': 'opel', 'model': '500'}, {'make': 'opel', 'model': '500'}, {'make': 'opel', 'model': '500'}, {'make': 'fiat', 'model': 'panda'}, {'make': 'fiat', 'model': '500'}, {'make': 'ford', 'model': 'fo
cus'}, {'make': 'ford', 'model': '500'}]
または、次のように結果をテンプレートに渡すこともできます。
>>> from collections import Counter
>>> l = [r['make'] for r in car_models]
>>> c = Counter(l)
>>> result = [{k: v} for k,v in dict(c).iteritems()]
>>> result = sorted(result, key=lambda x: x.values(), reverse=True)
[{'opel': 3}, {'fiat': 2}, {'ford': 2}]
次に、この結果をテンプレートに渡し、代わりに結果をレンダリングするだけです。
{% for r in result %}
{% for k,v in r.items %}
{{ k }} {{ v }}
{% endfor %}j
{% endfor %}
その後、次のようになります。
opel 3
fiat 2
ford 2