Project

General

Profile

Download (7.14 KB) Statistics
| Branch: | Tag: | Revision:

calebasse / calebasse / agenda / managers.py @ cd8a83dc

1

    
2
from datetime import datetime, timedelta, date, time
3
from interval import IntervalSet
4

    
5
from django.db.models import Q
6
from model_utils.managers import InheritanceManager, PassThroughManager, InheritanceQuerySet
7

    
8
from calebasse.agenda.conf import default
9
from calebasse.utils import weeks_since_epoch, weekday_ranks
10
from calebasse import agenda
11

    
12
__all__ = (
13
    'EventManager',
14
)
15

    
16

    
17
class EventQuerySet(InheritanceQuerySet):
18
    def for_today(self, today=None):
19
        today = today or date.today()
20
        excluded = self.filter(exceptions__exception_date=today).values_list('id', flat=True)
21
        weeks = weeks_since_epoch(today)
22
        filters = [Q(start_datetime__gte=datetime.combine(today, time()),
23
               start_datetime__lte=datetime.combine(today, time(23,59,59)),
24
               recurrence_periodicity__isnull=True,
25
               canceled=False) ]
26
        base_q = Q(start_datetime__lte=datetime.combine(today, time(23,59,59)),
27
                canceled=False,
28
                recurrence_week_day=today.weekday(),
29
                recurrence_periodicity__isnull=False) & \
30
                (Q(recurrence_end_date__gte=today) |
31
                    Q(recurrence_end_date__isnull=True)) & \
32
                ~ Q(id__in=excluded)
33
        # week periods
34
        for period in range(1, 6):
35
            filters.append(base_q & Q(recurrence_week_offset=weeks % period,
36
                recurrence_week_period=period))
37
        # week parity
38
        parity = today.isocalendar()[1] % 2
39
        filters.append(base_q & Q(recurrence_week_parity=parity))
40
        # week ranks
41
        filters.append(base_q & Q(recurrence_week_rank__in=weekday_ranks(today)))
42
        qs = self.filter(reduce(Q.__or__, filters))
43
        return qs
44

    
45
    def today_occurrences(self, today=None):
46
        today = today or date.today()
47
        self = self.for_today(today)
48
        occurences = ( e.today_occurrence(today) for e in self )
49
        return sorted(occurences, key=lambda e: e.start_datetime)
50

    
51
    def daily_disponibilities(self, date, events, participants, time_tables,
52
            holidays):
53
        '''Slice the day into quarters between 8:00 and 19:00, and returns the
54
           list of particpants with their status amon free, busy and away for each
55
           hour and quarters.
56

    
57
           date - the date of day we slice
58
           occurences - a dictionnary of iterable of events indexed by participants
59
           participants - an iterable of participants
60
           time_tables - a dictionnaty of timetable applying for this day indexed by participants
61
           holidays - a dictionnary of holidays applying for this day indexed by participants
62
        '''
63
        result = dict()
64
        quarter = 0
65
        events_set = {}
66
        timetables_set = {}
67
        holidays_set = {}
68
        for participant in participants:
69
            events_set[participant.id] = IntervalSet((o.to_interval() for o in events[participant.id] if not o.is_event_absence()))
70
            timetables_set[participant.id] = IntervalSet((t.to_interval(date) for t in time_tables[participant.id]))
71
            holidays_set[participant.id] = IntervalSet((h.to_interval(date) for h in holidays[participant.id]))
72
        start_datetime = datetime(date.year, date.month, date.day, 8, 0)
73
        end_datetime = datetime(date.year, date.month, date.day, 8, 15)
74
        while (start_datetime.hour <= 19):
75
            for participant in participants:
76
                if not result.has_key(start_datetime.hour):
77
                    result[start_datetime.hour] = [[], [], [], []]
78
                    quarter = 0
79
                interval = IntervalSet.between(start_datetime, end_datetime, False)
80
                if interval.intersection(events_set[participant.id]):
81
                    result[start_datetime.hour][quarter].append({'id': participant.id, 'dispo': 'busy'})
82
                elif interval.intersection(holidays_set[participant.id]):
83
                    result[start_datetime.hour][quarter].append({'id': participant.id, 'dispo': 'busy'})
84
                elif not interval.intersection(timetables_set[participant.id]):
85
                    result[start_datetime.hour][quarter].append({'id': participant.id, 'dispo': 'away'})
86
                else:
87
                    result[start_datetime.hour][quarter].append({'id': participant.id, 'dispo': 'free'})
88
            quarter += 1
89
            start_datetime += timedelta(minutes=15)
90
            end_datetime += timedelta(minutes=15)
91
        return result
92

    
93

    
94
class EventManager(PassThroughManager.for_queryset_class(EventQuerySet),
95
        InheritanceManager):
96
    """ This class allows you to manage events, appointment, ...
97
    """
98

    
99
    def create_event(self, creator, title, event_type, participants=[], description='',
100
            services=[], start_datetime=None, end_datetime=None, room=None, note=None, periodicity=1, until=False, **kwargs):
101
        """
102
        Convenience function to create an ``Event``, optionally create an
103
        ``EventType``.
104

    
105
        Args:
106
            event_type: can be either an ``EventType`` object or the label
107
            is either created or retrieved.
108
            participants: List of CalebasseUser
109
            start_datetime: will default to the current hour if ``None``
110
            end_datetime: will default to ``start_datetime`` plus
111
            default.DEFAULT_EVENT_DURATION hour if ``None``
112
        Returns:
113
            Event object
114
        """
115
        if isinstance(event_type, str):
116
            event_type, created = agenda.models.EventType.objects.get_or_create(
117
                label=event_type
118
            )
119
        if not start_datetime:
120
            now = datetime.now()
121
            start_datetime = datetime.combine(now.date, time(now.hour))
122
        if not end_datetime:
123
            end_datetime = start_datetime + default.DEFAULT_EVENT_DURATION
124
        if until is False:
125
            until = start_datetime.date()
126
        event = self.create(creator=creator,
127
                title=title, start_datetime=start_datetime,
128
                end_datetime=end_datetime, event_type=event_type,
129
                room=room, recurrence_periodicity=periodicity,
130
                recurrence_end_date=until, **kwargs)
131
        event.services = services
132
        event.participants = participants
133
        return event
134

    
135
    def next_appointment(self, patient_record):
136
        qs = self.next_appointments(patient_record)
137
        if qs:
138
            return qs[0]
139
        else:
140
            return None
141

    
142
    def next_appointments(self, patient_record, today=None):
143
        from calebasse.actes.models import Act
144
        acts = Act.objects.next_acts(patient_record, today=today) \
145
                .filter(parent_event__isnull=False) \
146
                .select_related()
147
        return [ a.parent_event.today_occurrence(a.date) for a in acts ]
148

    
149
    def last_appointment(self, patient_record):
150
        qs = self.last_appointments(patient_record)
151
        if qs:
152
            return qs[0]
153
        else:
154
            return None
155

    
156
    def last_appointments(self, patient_record, today=None):
157
        from calebasse.actes.models import Act
158
        acts = Act.objects.last_acts(patient_record, today=today) \
159
                .filter(parent_event__isnull=False) \
160
                .select_related()
161
        return [ a.parent_event.today_occurrence(a.date) for a in acts ]
(6-6/10)