3

データをエクスポートするためのビューを作成します。私のモデルは次のようになります。

class Event(models.Model):
    KIND_CHOICES = (('doing', 'doing'),
                    ('done', 'done'),
                    ('cancel', 'cancel'))
    created_at = models.DateTimeField(auto_now_add=True)
    created_by = models.ForeignKey('auth.User')
    kind = models.CharField(max_length=20, choices=KIND_CHOICES)

イベントは 3 種類のうちの 1 種類です。各ユーザーは毎月 3 ~ 10 個のイベントを持っている可能性があります。まず、今月のイベントをクエリします。

events_this_month = Event.objects.filter(created_at__year=2013,
                                         created_at__month=5)

次に、すべてのユーザーを見つけます。

users = User.objects.all()

次のようにデータをエクスポートします。

for user in users:
    # 1000 users with 5 events each
    user_events = events_this_month.filter(created_by=user)
    doing_count = user_events.filter(kind='doing').count()
    done_count = user_events.filter(kind='done').count()
    cancel_count = user.events.filter(kind='cancel').count()

    append_to_csv([user.username, doing_count, done_count, cancel_count])

次に、を使用してみました。これによりcollections.Counter、SQL の回数が削減されると思います (実際には、3000+ から 1200 に減少します)。

for user in users:
    user_events = events_this_month.filter(created_by=user)
    counter = Counter(user_events.values_list('kind', flat=True))
    doing_count = counter['doing']
    done_count = counter['done']
    cancel_count = counter['cancel']

    ...

どちらが良いですか?

このようなデータをより効率的にカウントするためのより慣用的な方法はどこにありますか?

4

1 に答える 1