当前位置: 首页>>代码示例>>Python>>正文


Python Period.get_occurrences方法代码示例

本文整理汇总了Python中schedule.periods.Period.get_occurrences方法的典型用法代码示例。如果您正苦于以下问题:Python Period.get_occurrences方法的具体用法?Python Period.get_occurrences怎么用?Python Period.get_occurrences使用的例子?那么恭喜您, 这里精选的方法代码示例或许可以为您提供帮助。您也可以进一步了解该方法所在schedule.periods.Period的用法示例。


在下文中一共展示了Period.get_occurrences方法的11个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的Python代码示例。

示例1: site_index

# 需要导入模块: from schedule.periods import Period [as 别名]
# 或者: from schedule.periods.Period import get_occurrences [as 别名]
def site_index(request, template_name='index.html'):
    # most future office hours to show
    MAX_FUTURE_OFFICE_HOURS = 30
    # furthest into the future to display office hours
    MAX_FUTURE_DAYS = 30
    users_available_now = User.objects.filter(profile__is_available=True)
    events = Event.objects.all()
    now = Period(events=events, start=datetime.now(),
                 end=datetime.now() + timedelta(minutes=1))
    occurences = now.get_occurrences()
    users_holding_office_hours_now = map(lambda x: x.event.creator, occurences)
    users = set(list(users_available_now) + users_holding_office_hours_now)
    future = Period(events=events, start=datetime.now(),
                    end=datetime.now() + timedelta(days=MAX_FUTURE_DAYS))
    upcoming_office_hours = []
    already_saw = {}
    for i in future.get_occurrences():
        if len(upcoming_office_hours) >= MAX_FUTURE_OFFICE_HOURS:
            break
        if already_saw.get(i.event.creator):
            continue
        upcoming_office_hours.append(i)
        already_saw[i.event.creator] = 1
    upcoming_office_hours = upcoming_office_hours[:MAX_FUTURE_OFFICE_HOURS]
    return direct_to_template(request, template_name, locals())
开发者ID:apenwarr,项目名称:hnofficehours,代码行数:27,代码来源:views.py

示例2: venue_event_feed

# 需要导入模块: from schedule.periods import Period [as 别名]
# 或者: from schedule.periods.Period import get_occurrences [as 别名]
def venue_event_feed(request, pk):
    venue = get_object_or_404(Venue, pk=pk)
    if request.is_ajax() and request.method == 'GET':
        if 'start' in request.GET and 'end' in request.GET:
            fro = timezone.make_aware(
                datetime.fromtimestamp(float(request.GET['start'])), timezone.get_current_timezone())
            to = timezone.make_aware(
                datetime.fromtimestamp(float(request.GET['end'])), timezone.get_current_timezone())
            period = Period(Event.objects.exclude(appointment=None).filter(
                appointment__customer=request.user.userprofile.customer).filter(appointment__venue=venue), fro, to)
            data = [{'id': x.event.appointment_set.first().pk,
                     'title': "{}".format(x.event.appointment_set.first().venue_display_name),
                     'userId': [x.event.appointment_set.first().venue.pk],
                     'start': x.start.isoformat(),
                     'end': x.end.isoformat(),
                     'clientId': x.event.appointment_set.first().clientId,
                     'status': x.event.appointment_set.first().status,
                     'tag': getattr(x.event.appointment_set.first().tag, 'html_name', ""),
                     'body': x.event.description
                     }
                    for x in period.get_occurrences()
                    if x.event.appointment_set.first()]
        return HttpResponse(json.dumps(data), content_type="application/json")
    # if all fails
    raise Http404
开发者ID:Avatazjoe,项目名称:apr,代码行数:27,代码来源:ajax.py

示例3: task_hour_to_reminder

# 需要导入模块: from schedule.periods import Period [as 别名]
# 或者: from schedule.periods.Period import get_occurrences [as 别名]
def task_hour_to_reminder():
    """
    tries to send a reminder approximately one hour before an appointment
    given a time, say 7AM
    we look for appointments that are happening
    between 46 minutes and 1 hour from the given time
    in our case 7:46AM and 8AM
    if time now i6 7:45 we get fro=8:31 and to = 8:45
    we use 46 minutes to avoid cases where events happening at
    exactly *:15, *:30, *:45, or *:00 dont get multiple reminders

    The idea is to catch any appointments happening soon that have NOT been notified
    """
    t = timezone.localtime(timezone.now())
    fro = t + timedelta(minutes=46)
    to = t + timedelta(hours=1)

    period = Period(Event.objects.exclude(appointment=None).exclude(
        appointment__client=None).exclude(
        appointment__status=Appointment.NOTIFIED).exclude(
        appointment__status=Appointment.CANCELED).exclude(
        appointment__status=Appointment.CONFIRMED), fro, to)
    event_objects = period.get_occurrences()
    event_ids = list(set([x.event.id for x in event_objects]))

    send_period_reminders(event_ids, sendsms=True, turn_off_reminders=True, mailgun_campaign_id="fi0bd")
开发者ID:Avatazjoe,项目名称:apr,代码行数:28,代码来源:tasks.py

示例4: site_index

# 需要导入模块: from schedule.periods import Period [as 别名]
# 或者: from schedule.periods.Period import get_occurrences [as 别名]
def site_index(request, template_name='index.html'):
    # most future office hours to show
    MAX_FUTURE_OFFICE_HOURS = 30
    # furthest into the future to display office hours
    MAX_FUTURE_DAYS = 30
    users_available_now = User.objects.filter(profile__is_available=True)
    events = Event.objects.all()
    now = Period(events=events, start=datetime.now(),
                 end=datetime.now() + timedelta(minutes=1))
    occurences = now.get_occurrences()
    users_holding_office_hours_now = map(lambda x: x.event.creator, occurences)
    users = set(list(users_available_now) + users_holding_office_hours_now)
    future = Period(events=events, start=datetime.now(),
                    end=datetime.now() + timedelta(days=MAX_FUTURE_DAYS))
    upcoming_office_hours = future.get_occurrences()
    upcoming_office_hours = upcoming_office_hours[:MAX_FUTURE_OFFICE_HOURS]
    return render_to_response(template_name, locals(),
                              context_instance=RequestContext(request))
开发者ID:agentultra,项目名称:hnofficehours,代码行数:20,代码来源:views.py

示例5: view_profile

# 需要导入模块: from schedule.periods import Period [as 别名]
# 或者: from schedule.periods.Period import get_occurrences [as 别名]
def view_profile(request, username, template_name="profiles/view_profile.html"):
    user = get_object_or_404(User, username=username)
    display_full_profile = _can_view_full_profile(request.user)
    events = Event.objects.filter(creator=user)
    start = datetime.now()
    end = start + timedelta(days=30)
    period = Period(events=events, start=start, end=end)
    office_hours = period.get_occurrences()
    return render_to_response(template_name, locals(), context_instance=RequestContext(request))
开发者ID:jdunck,项目名称:hnofficehours,代码行数:11,代码来源:views.py

示例6: render

# 需要导入模块: from schedule.periods import Period [as 别名]
# 或者: from schedule.periods.Period import get_occurrences [as 别名]
 def render(self, context):
     try:
         true_cal = self.calendar.resolve(context)
         if type(true_cal) != Calendar:
             true_cal = Calendar.objects.get(slug=true_cal)
         period = Period(events=true_cal.events, start=datetime.datetime.now(), end=(datetime.datetime.now()+datetime.timedelta(days=365)))
         context[self.varname] = period.get_occurrences()[0:self.length]
     except template.VariableDoesNotExist:
         context[self.varname] = ''
     return ''
开发者ID:powellc,项目名称:django-schedule,代码行数:12,代码来源:scheduletags.py

示例7: get_queryset

# 需要导入模块: from schedule.periods import Period [as 别名]
# 或者: from schedule.periods.Period import get_occurrences [as 别名]
 def get_queryset(self):
     pacific = pytz.timezone('US/Pacific')
     my_events = Event.objects.all()
     my_today = pacific.localize(
         datetime.datetime.now().replace(hour=0, minute=0) \
     )
     upcoming = Period(
         my_events, my_today, my_today+datetime.timedelta(days=30)
     )
     event_id_list = [occurrence.event_id for occurrence in upcoming.get_occurrences()]
     return EventRelation.objects.filter(event_id__in=event_id_list)
开发者ID:registerguard,项目名称:civic_calendar,代码行数:13,代码来源:views.py

示例8: next_events

# 需要导入模块: from schedule.periods import Period [as 别名]
# 或者: from schedule.periods.Period import get_occurrences [as 别名]
def next_events(context, length=5, calendar=None, days=120 ):
    '''Inserts a list of the next five event occurrences from right now for a given calendar. 

       Optionally, a length can be passed for a certain number of events to be returned.
       The calendar can also be 'None' to pull events from all calendars.
       The tag also takes a number of days for the period.

       The returned context is a list of events and is rendered using the _event_list.html template.
       '''
    if not calendar:
        events = []
        cals = Calendar.objects.all()
        while len(events) < length:
            for c in cals:
                period = Period(events=c.events, start=datetime.datetime.now(), end=(datetime.datetime.now()+timedelta(days=days)))
                for occ in period.get_occurrences():
                    events.append(occ)
        events.sort(lambda x, y: cmp(x.start, y.start))
        context['events'] = events[0:length]
    else:
        period = Period(events=calendar.events, start=datetime.datetime.now(), end=(datetime.datetime.now()+timedelta(days=364)))
        context['events'] = period.get_occurrences()[0:length]
    context['today'] = datetime.datetime.now().date()
    return context
开发者ID:powellc,项目名称:django-schedule,代码行数:26,代码来源:scheduletags.py

示例9: task_morning_reminders

# 需要导入模块: from schedule.periods import Period [as 别名]
# 或者: from schedule.periods.Period import get_occurrences [as 别名]
def task_morning_reminders():
    """
    Sends a reminder to all the appointments happening today
    currently sends at 7am
    """
    t = timezone.now().date()
    fro = datetime(year=t.year, month=t.month, day=t.day, hour=7,
                   tzinfo=timezone.get_current_timezone())
    to = fro + timedelta(1)
    period = Period(Event.objects.exclude(appointment=None).exclude(
        appointment__client=None).exclude(
        appointment__status=Appointment.CANCELED).exclude(
        appointment__status=Appointment.CONFIRMED), fro, to)
    event_objects = period.get_occurrences()
    event_ids = list(set([x.event.id for x in event_objects]))

    send_period_reminders(event_ids, sendsms=True, mailgun_campaign_id="ffz23")
开发者ID:Avatazjoe,项目名称:apr,代码行数:19,代码来源:tasks.py

示例10: task_immediate_reminder

# 需要导入模块: from schedule.periods import Period [as 别名]
# 或者: from schedule.periods.Period import get_occurrences [as 别名]
def task_immediate_reminder():
    """
    tries to send a reminder for appointments happening in the next 45 minutes that have NOT been notified
    probably these were created very soon before the appointment start and thus were not caught by any other task
    The idea is to catch any appointments happening very soon that have NOT been notified
    """
    t = timezone.localtime(timezone.now())
    fro = t
    to = t + timedelta(minutes=45)

    period = Period(Event.objects.exclude(appointment=None).exclude(
        appointment__client=None).exclude(
        appointment__status=Appointment.NOTIFIED).exclude(
        appointment__status=Appointment.CANCELED).exclude(
        appointment__status=Appointment.CONFIRMED), fro, to)
    event_objects = period.get_occurrences()
    event_ids = list(set([x.event.id for x in event_objects]))

    send_period_reminders(event_ids, sendsms=True, turn_off_reminders=True, mailgun_campaign_id="fi0cz")
开发者ID:Avatazjoe,项目名称:apr,代码行数:21,代码来源:tasks.py

示例11: get_queryset

# 需要导入模块: from schedule.periods import Period [as 别名]
# 或者: from schedule.periods.Period import get_occurrences [as 别名]
 def get_queryset(self):
     event_qs = Event.objects.all()
     start, end = self.get_period_window()
     period = Period(event_qs, start, end)
     occurrences = period.get_occurrences()
     return occurrences
开发者ID:pombredanne,项目名称:django-adt,代码行数:8,代码来源:api.py


注:本文中的schedule.periods.Period.get_occurrences方法示例由纯净天空整理自Github/MSDocs等开源代码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。