From 8162b2fc45841022ea2ef8108c77eb3dc4dc8eba Mon Sep 17 00:00:00 2001
From: Sander Roosendaal
Date: Tue, 27 Nov 2018 17:49:02 +0100
Subject: [PATCH] initial incomplete version
---
rowers/models.py | 180 ++++++++-
rowers/mytypes.py | 6 +
rowers/plannedsessions.py | 167 +++++++-
.../templates/indoorvirtualeventcreate.html | 61 +++
rowers/templates/menu_racing.html | 5 +
rowers/templates/racelist.html | 6 +-
rowers/templates/virtualevent.html | 64 ++-
rowers/templates/virtualeventcreate.html | 2 +-
rowers/urls.py | 3 +
rowers/views.py | 373 ++++++++++++++++--
10 files changed, 815 insertions(+), 52 deletions(-)
create mode 100644 rowers/templates/indoorvirtualeventcreate.html
diff --git a/rowers/models.py b/rowers/models.py
index 3a711c35..34d4aa1d 100644
--- a/rowers/models.py
+++ b/rowers/models.py
@@ -1664,6 +1664,7 @@ class PlannedSession(models.Model):
('cycletarget','Total for a time period'),
('coursetest','OTW test over a course'),
('race','Virtual Race'),
+ ('indoorrace','Indoor Virtual Race'),
)
sessionmodechoices = (
@@ -1772,7 +1773,7 @@ class PlannedSession(models.Model):
else:
self.sessionunit = 'None'
- if self.sessiontype == 'test':
+ if self.sessiontype == 'test' or self.sessiontype == 'indoorrace':
if self.sessionmode not in ['distance','time']:
if self.sessionvalue < 100:
self.sessionmode = 'time'
@@ -1937,7 +1938,126 @@ def get_course_timezone(course):
return timezone_str
+class IndoorVirtualRaceForm(ModelForm):
+ registration_closure = forms.SplitDateTimeField(widget=AdminSplitDateTime(),required=False)
+ evaluation_closure = forms.SplitDateTimeField(widget=AdminSplitDateTime(),required=True)
+ timezone = forms.ChoiceField(initial='UTC',
+ choices=[(x,x) for x in pytz.common_timezones],
+ label='Time Zone')
+
+ class Meta:
+ model = VirtualRace
+ fields = [
+ 'name',
+ 'startdate',
+ 'start_time',
+ 'enddate',
+ 'end_time',
+ 'timezone',
+ 'sessionvalue',
+ 'sessionunit',
+ 'registration_form',
+ 'registration_closure',
+ 'evaluation_closure',
+ 'comment',
+ 'contact_phone',
+ 'contact_email',
+ ]
+
+ dateTimeOptions = {
+ 'format': 'yyyy-mm-dd',
+ 'autoclose': True,
+ }
+
+ widgets = {
+ 'comment': forms.Textarea,
+ 'startdate': AdminDateWidget(),
+ 'enddate': AdminDateWidget(),
+ 'start_time': AdminTimeWidget(),
+ 'end_time': AdminTimeWidget(),
+ 'registration_closure':AdminSplitDateTime(),
+ 'evaluation_closure':AdminSplitDateTime(),
+ }
+
+ def __init__(self,*args,**kwargs):
+ super(IndoorVirtualRaceForm, self).__init__(*args, **kwargs)
+ self.fields['sessionunit'].choices = [('min','minutes'),('m','meters')]
+
+ def clean(self):
+ cd = self.cleaned_data
+ timezone_str = cd['timezone']
+
+ start_time = cd['start_time']
+ if start_time is None:
+ raise forms.ValidationError(
+ 'Must have start time',
+ code='missing_yparam1'
+ )
+ start_date = cd['startdate']
+ startdatetime = datetime.datetime.combine(start_date,start_time)
+ startdatetime = pytz.timezone(timezone_str).localize(
+ startdatetime
+ )
+
+ end_time = cd['end_time']
+ if end_time is None:
+ raise forms.ValidationError(
+ 'Must have end time',
+ code='missing endtime'
+ )
+
+ end_date = cd['enddate']
+ enddatetime = datetime.datetime.combine(end_date,end_time)
+ enddatetime = pytz.timezone(timezone_str).localize(
+ enddatetime
+ )
+
+ registration_closure = cd['registration_closure']
+
+ registration_form = cd['registration_form']
+
+ try:
+ evaluation_closure = cd['evaluation_closure']
+ except KeyError:
+ evaluation_closure = enddatetime+datetime.timedelta(days=1)
+ cd['evaluation_closure'] = evaluation_closure
+
+ if registration_form == 'manual':
+ try:
+ registration_closure = pytz.timezone(
+ timezone_str
+ ).localize(
+ registration_closure.replace(tzinfo=None)
+ )
+ except AttributeError:
+ registration_closure = startdatetime
+ elif registration_form == 'windowstart':
+ registration_closure = startdatetime
+ elif registration_form == 'windowend':
+ registration_closure = enddatetime
+ else:
+ registration_closure = evaluation_closure
+
+
+ if registration_closure <= timezone.now():
+ raise forms.ValidationError("Registration Closure cannot be in the past")
+
+
+ if startdatetime > enddatetime:
+ raise forms.ValidationError("The Start of the Race Window should be before the End of the Race Window")
+
+
+ if cd['evaluation_closure'] <= enddatetime:
+ raise forms.ValidationError("Evaluation closure deadline should be after the Race Window closes")
+
+ if cd['evaluation_closure'] <= timezone.now():
+ raise forms.ValidationError("Evaluation closure cannot be in the past")
+
+
+ return cd
+
+
class VirtualRaceForm(ModelForm):
course = forms.ModelChoiceField(queryset = GeoCourse.objects, empty_label=None)
registration_closure = forms.SplitDateTimeField(widget=AdminSplitDateTime(),required=False)
@@ -2309,6 +2429,54 @@ class VirtualRaceResult(models.Model):
s = self.sex,
)
+# Virtual Race results (for keeping results when workouts are deleted)
+class IndoorVirtualRaceResult(models.Model):
+ boatclasses = (type for type in mytypes.workouttypes if type[0] in mytypes.otetypes)
+ userid = models.IntegerField(default=0)
+ teamname = models.CharField(max_length=80,verbose_name = 'Team Name',
+ blank=True,null=True)
+ username = models.CharField(max_length=150)
+ workoutid = models.IntegerField(null=True)
+ weightcategory = models.CharField(default="hwt",max_length=10,
+ choices=weightcategories,
+ verbose_name='Weight Category')
+ race = models.ForeignKey(VirtualRace)
+ duration = models.TimeField(default=datetime.time(1,0))
+ distance = models.IntegerField(default=0)
+ boatclass = models.CharField(choices=boatclasses,
+ max_length=40,
+ default='rower',
+ verbose_name = 'Ergometer Class')
+ coursecompleted = models.BooleanField(default=False)
+ sex = models.CharField(default="not specified",
+ max_length=30,
+ choices=sexcategories,
+ verbose_name='Gender')
+
+ age = models.IntegerField(null=True)
+
+ def __unicode__(self):
+ rr = Rower.objects.get(id=self.userid)
+ name = '{u1} {u2}'.format(
+ u1 = rr.user.first_name,
+ u2 = rr.user.last_name,
+ )
+ if self.teamname:
+ return u'Entry for {n} for "{r}" in {c} with {t} ({s})'.format(
+ n = name,
+ r = self.race,
+ t = self.teamname,
+ c = self.boatclass,
+ s = self.sex,
+ )
+ else:
+ return u'Entry for {n} for "{r}" in {c} ({s})'.format(
+ n = name,
+ r = self.race,
+ c = self.boatclass,
+ s = self.sex,
+ )
+
class CourseTestResult(models.Model):
userid = models.IntegerField(default=0)
@@ -2318,6 +2486,16 @@ class CourseTestResult(models.Model):
distance = models.IntegerField(default=0)
coursecompleted = models.BooleanField(default=False)
+class IndoorVirtualRaceResultForm(ModelForm):
+ class Meta:
+ model = IndoorVirtualRaceResult
+ fields = ['teamname','weightcategory','boatclass','age']
+
+
+ def __init__(self, *args, **kwargs):
+ super(IndoorVirtualRaceResultForm, self).__init__(*args, **kwargs)
+
+
class VirtualRaceResultForm(ModelForm):
class Meta:
model = VirtualRaceResult
diff --git a/rowers/mytypes.py b/rowers/mytypes.py
index e0b9fa7a..ad704756 100644
--- a/rowers/mytypes.py
+++ b/rowers/mytypes.py
@@ -225,6 +225,12 @@ otwtypes = (
'churchboat'
)
+otetypes = (
+ 'rower',
+ 'dynamic',
+ 'slides'
+ )
+
rowtypes = (
'water',
'rower',
diff --git a/rowers/plannedsessions.py b/rowers/plannedsessions.py
index 3b274605..8edd5390 100644
--- a/rowers/plannedsessions.py
+++ b/rowers/plannedsessions.py
@@ -20,7 +20,7 @@ from rowers.models import (
Rower, Workout,Team,
GeoCourse, TrainingMicroCycle,TrainingMesoCycle,TrainingMacroCycle,
TrainingPlan,PlannedSession,VirtualRaceResult,CourseTestResult,
- get_course_timezone
+ get_course_timezone, IndoorVirtualRaceResult
)
from rowers.courses import get_time_course
@@ -574,6 +574,56 @@ def update_plannedsession(ps,cd):
return 1,'Planned Session Updated'
+def update_indoorvirtualrace(ps,cd):
+ for attr, value in cd.items():
+ if attr == 'comment':
+ value.replace("\r\n", "
");
+ value.replace("\n", "
");
+ setattr(ps, attr, value)
+
+ timezone_str = cd['timezone']
+
+ # correct times
+
+ startdatetime = datetime.combine(cd['startdate'],cd['start_time'])
+ enddatetime = datetime.combine(cd['enddate'],cd['end_time'])
+
+ startdatetime = pytz.timezone(timezone_str).localize(
+ startdatetime
+ )
+ enddatetime = pytz.timezone(timezone_str).localize(
+ enddatetime
+ )
+ ps.evaluation_closure = pytz.timezone(timezone_str).localize(
+ ps.evaluation_closure.replace(tzinfo=None)
+ )
+
+ registration_form = cd['registration_form']
+ registration_closure = cd['registration_closure']
+ if registration_form == 'manual':
+ try:
+ registration_closure = pytz.timezone(
+ timezone_str
+ ).localize(
+ registration_closure.replace(tzinfo=None)
+ )
+ except AttributeError:
+ registration_closure = startdatetime
+ elif registration_form == 'windowstart':
+ registration_closure = startdatetime
+ elif registration_form == 'windowend':
+ registration_closure = enddatetime
+ else:
+ registration_closure = ps.evaluation_closure
+
+ ps.registration_closure = registration_closure
+
+ ps.timezone = timezone_str
+
+ ps.save()
+
+ return 1,'Virtual Race Updated'
+
def update_virtualrace(ps,cd):
for attr, value in cd.items():
if attr == 'comment':
@@ -708,6 +758,10 @@ def race_can_resubmit(r,race):
return False
def race_can_adddiscipline(r,race):
+
+ if race.sessiontype != 'race':
+ return False
+
records = VirtualRaceResult.objects.filter(
userid=r.id,
race=race)
@@ -813,6 +867,116 @@ def remove_rower_race(r,race,recordid=None):
return 1
# Low Level functions - to be called by higher level methods
+def add_workout_indoorrace(ws,race,r,recordid=0):
+ result = 0
+ comments = []
+ errors = []
+
+ start_time = race.start_time
+ start_date = race.startdate
+ startdatetime = datetime.combine(start_date,start_time)
+ startdatetime = pytz.timezone(race.timezone).localize(
+ startdatetime
+ )
+
+ end_time = race.end_time
+ end_date = race.enddate
+ enddatetime = datetime.combine(end_date,end_time)
+ enddatetime = pytz.timezone(race.timezone).localize(
+ enddatetime
+ )
+
+ # check if all sessions have same date
+ dates = [w.date for w in ws]
+ if (not all(d == dates[0] for d in dates)) and race.sessiontype not in ['challenge','cycletarget']:
+ errors.append('For tests and training sessions, selected workouts must all be done on the same date')
+ return result,comments,errors,0
+
+ if len(ws)>1 and race.sessiontype == 'test':
+ errors.append('For tests, you can only attach one workout')
+ return result,comments,errors,0
+
+
+
+ ids = [w.id for w in ws]
+ ids = list(set(ids))
+
+ if len(ids)>1 and race.sessiontype in ['test','coursetest','race','indoorrace']:
+ errors.append('For tests, you can only attach one workout')
+ return result,comments,errors,0
+
+
+
+ username = r.user.first_name+' '+r.user.last_name
+ if r.birthdate:
+ age = calculate_age(r.birthdate)
+ else:
+ age = None
+
+ record = IndoorVirtualRaceResult.objects.get(
+ userid=r.id,
+ race=race,
+ id=recordid
+ )
+
+ records = IndoorVirtualRaceResult.objects.filter(
+ userid=r.id,
+ race=race,
+ workoutid = ws[0].id
+ )
+
+ if not record:
+ errors.append("Couldn't find this entry")
+ return result,comments,errors,0
+
+ if race.sessionmode == 'distance':
+ if ws[0].distance != race.sessionvalue:
+ errors.append('Your workout did not have the correct distance')
+ return 0,comments, errors, 0
+ else:
+ record.distance = ws[0].distance
+ record.duration = ws[0].duration
+ else:
+ t = ws[0].duration
+ seconds = t.second+t.minute*60.+t.hour*3600.+t.microsecond/1.e6
+ if seconds != race.sessionvalue*60.:
+ errors.append('Your workout did not have the correct duration')
+ return 0, comments, errors, 0
+ else:
+ record.distance = ws[0].distance
+ record.duration = ws[0].duration
+
+
+ if ws[0].weightcategory != record.weightcategory:
+ errors.append('Your workout weight category did not match the weight category you registered')
+ return 0,comments, errors,0
+
+ # start adding sessions
+ if ws[0].startdatetime>=startdatetime and ws[0].startdatetime<=enddatetime:
+ ws[0].plannedsession = race
+ ws[0].save()
+ result += 1
+
+ else:
+ errors.append('Workout %i did not match the race window' % ws[0].id)
+ return result,comments,errors,0
+
+ if result>0:
+ for otherrecord in records:
+ otherrecord.workoutid = None
+ otherrecord.coursecompleted = False
+ otherrecord.save()
+
+ record.coursecompleted = True
+ record.workoutid = ws[0].id
+ record.save()
+
+ add_workouts_plannedsession(ws,race,r)
+
+
+ return result,comments,errors,0
+
+
def add_workout_race(ws,race,r,splitsecond=0,recordid=0):
result = 0
comments = []
@@ -895,7 +1059,6 @@ def add_workout_race(ws,race,r,splitsecond=0,recordid=0):
if result>0:
for otherrecord in records:
- print otherrecord
otherrecord.workoutid = None
otherrecord.coursecompleted = False
otherrecord.save()
diff --git a/rowers/templates/indoorvirtualeventcreate.html b/rowers/templates/indoorvirtualeventcreate.html
new file mode 100644
index 00000000..912d21fa
--- /dev/null
+++ b/rowers/templates/indoorvirtualeventcreate.html
@@ -0,0 +1,61 @@
+{% extends "newbase.html" %}
+{% load staticfiles %}
+{% load rowerfilters %}
+
+{% block title %}New Virtual Race{% endblock %}
+
+{% block main %}
+
+
New Indoor Virtual Race
+
+
+
+
With this form, you can create a new virtual race. After you submit
+ the form, the race is created and will be visible to all users. From
+ that moment, only the site admin can delete the race
+ (admin@rowsandall.com). You can still edit the race until
+ the start of the race window.
+
+
+
+
+
+
+ {% csrf_token %}
+
+
+
+
+
+
+
+
All times are local times in the time zone you select
+
Adding a contact phone number and email is not mandatory, but we
+ strongly recommend it.
+
If your event has a registration closure deadline, participants
+ have to enter (and can withdraw) before the registration closure time.
+
Participants can submit results until the evaluation closure time.
@@ -247,6 +275,14 @@
Virtual races are intended as an informal way to add a
competitive element to training and as a quick way to set
up and manage small regattas.
+
+
+ On the water races are rowed on the course shown. You cannot submit results rowed
+ on other bodies of water.
+
+
+ Indoor races are open for all, wherever you live. However, be aware of the
+ time zone for the race window.
As a rowsandall.com user, you can
@@ -271,6 +307,10 @@
you delete the respective workout or remove your account.
By registering, you agree with this and the race rules.
+
+ If you use a manually added workout for your indoor race result,
+ please attach a screenshot of the ergometer display for verification.
+
Virtual Racing on rowsandall.com is honors based. Please be a good
sport, submit real results rowed by you, and make sure you set the
diff --git a/rowers/templates/virtualeventcreate.html b/rowers/templates/virtualeventcreate.html
index 6898709f..d2489440 100644
--- a/rowers/templates/virtualeventcreate.html
+++ b/rowers/templates/virtualeventcreate.html
@@ -32,7 +32,7 @@