Skip to content

Commit d88db1f

Browse files
committed
Refactor application apply
1 parent 64d8b7c commit d88db1f

24 files changed

+775
-530
lines changed

app/settings.py

+2-2
Original file line numberDiff line numberDiff line change
@@ -222,8 +222,8 @@
222222
}
223223

224224
# Google Recaptcha configuration
225-
RECAPTCHA_PUBLIC_KEY = os.environ.get('RECAPTCHA_PUBLIC_KEY', '')
226-
RECAPTCHA_PRIVATE_KEY = os.environ.get('RECAPTCHA_PRIVATE_KEY', '')
225+
RECAPTCHA_PUBLIC_KEY = os.environ.get('RECAPTCHA_PUBLIC_KEY')
226+
RECAPTCHA_PRIVATE_KEY = os.environ.get('RECAPTCHA_PRIVATE_KEY')
227227
RECAPTCHA_WIDGET = os.environ.get('RECAPTCHA_WIDGET', 'ReCaptchaV2Checkbox')
228228
RECAPTCHA_REGISTER = True
229229
RECAPTCHA_LOGIN = False

app/static/css/theme.scss

+8
Original file line numberDiff line numberDiff line change
@@ -65,6 +65,14 @@ $table-variants: (
6565
color: $white;
6666
}
6767

68+
.dark .btn-close {
69+
filter: invert(1);
70+
}
71+
72+
.dark .modal-backdrop {
73+
--bs-backdrop-bg: rgb(75, 75, 75)
74+
}
75+
6876
body.light {
6977
background-image: linear-gradient(darken($primary, 15%), $primary);
7078
}

application/admin.py

+6-2
Original file line numberDiff line numberDiff line change
@@ -2,7 +2,7 @@
22
from django.contrib import admin
33

44
from application import models
5-
from application.views import ApplicationApplyTemplate
5+
from application.views import ApplicationApply
66

77

88
class ApplicationAdmin(admin.ModelAdmin):
@@ -15,7 +15,7 @@ def __init__(self, *args, **kwargs):
1515
super().__init__(*args, **kwargs)
1616
if 'instance' in kwargs:
1717
self.initial['file_review_fields'] = kwargs['instance'].get_file_review_fields()
18-
ApplicationForm = ApplicationApplyTemplate.get_form(kwargs['instance'].name)
18+
ApplicationForm = ApplicationApply.get_form_class(kwargs['instance'].name)
1919
choices = []
2020
for name, field in ApplicationForm().declared_fields.items():
2121
if isinstance(field, forms.FileField):
@@ -29,6 +29,10 @@ class Meta:
2929

3030
class ApplicationTypeConfigAdmin(admin.ModelAdmin):
3131
form = ApplicationTypeConfigAdminForm
32+
exclude = ('name', )
33+
34+
def has_add_permission(self, request, obj=None):
35+
return False
3236

3337

3438
class PromotionalCodeAdmin(admin.ModelAdmin):

application/forms.py

-445
This file was deleted.

application/forms/__init__.py

+4
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,4 @@
1+
from .hacker import HackerForm
2+
from .volunteer import VolunteerForm
3+
from .mentor import MentorForm
4+
from .sponsor import SponsorForm

application/forms/base.py

+134
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,134 @@
1+
from django import forms
2+
from django.conf import settings
3+
from django.core.exceptions import ValidationError
4+
from django.core.files.storage import FileSystemStorage
5+
from django.utils import timezone
6+
from django.utils.safestring import mark_safe
7+
from django.utils.translation import gettext_lazy as _
8+
9+
from app.mixins import BootstrapFormMixin
10+
from application.models import Application
11+
12+
13+
YEARS = [(year, str(year)) for year in range(timezone.now().year - 1, timezone.now().year + 6)]
14+
DEFAULT_YEAR = timezone.now().year + 1
15+
EXTENSIONS = getattr(settings, 'SUPPORTED_RESUME_EXTENSIONS', None)
16+
17+
HACK_NAME = getattr(settings, 'HACKATHON_NAME')
18+
EXTRA_NAME = [' 2016 Fall', ' 2016 Winter', ' 2017 Fall', ' 2017 Winter', ' 2018', ' 2019', ' 2021', ' 2022']
19+
PREVIOUS_HACKS = [(i, HACK_NAME + EXTRA_NAME[i]) for i in range(0, len(EXTRA_NAME))]
20+
HACK_DAYS = [(x, x) for x in ['Friday', 'Saturday', 'Sunday']]
21+
ENGLISH_LEVELS = [(x, x) for x in ['1', '2', '3', '4', '5']]
22+
23+
24+
class ApplicationForm(BootstrapFormMixin, forms.ModelForm):
25+
26+
diet_notice = forms.BooleanField(
27+
label=_('I authorize %s to use my food allergies and intolerances information to '
28+
'manage the catering service only.') % getattr(settings, 'HACKATHON_ORG')
29+
)
30+
31+
terms_and_conditions = forms.BooleanField(
32+
label=mark_safe(_('I\'ve read, understand and accept <a href="/terms_and_conditions" target="_blank">%s '
33+
'Terms & Conditions</a> and <a href="/privacy_and_cookies" target="_blank">%s '
34+
'Privacy and Cookies Policy</a>.' % (
35+
getattr(settings, 'HACKATHON_NAME', ''), getattr(settings, 'HACKATHON_NAME', '')
36+
)))
37+
)
38+
39+
exclude_save = ['terms_and_conditions', 'diet_notice']
40+
41+
def save(self, commit=True):
42+
model_fields = [field.name for field in self.Meta.model._meta.fields]
43+
extra_fields = [field for field in self.declared_fields if field not in model_fields and
44+
field not in self.exclude_save]
45+
files_fields = getattr(self, 'files', {})
46+
extra_data = {field: data for field, data in self.cleaned_data.items()
47+
if field in extra_fields and field not in files_fields.keys()}
48+
self.instance.form_data = extra_data
49+
instance = super().save(commit)
50+
if commit:
51+
self.save_files(instance=instance)
52+
return instance
53+
54+
def save_files(self, instance):
55+
files_fields = getattr(self, 'files', {})
56+
fs = FileSystemStorage()
57+
for field_name, file in files_fields.items():
58+
file_path = '%s/%s/%s/%s_%s.%s' % (instance.edition.name, instance.type.name, field_name,
59+
instance.get_full_name().replace(' ', '-'), instance.get_uuid,
60+
file.name.split('.')[-1])
61+
if fs.exists(file_path):
62+
fs.delete(file_path)
63+
fs.save(name=file_path, content=file)
64+
form_data = instance.form_data
65+
form_data[field_name] = {'type': 'file', 'path': file_path}
66+
instance.form_data = form_data
67+
if len(files_fields) > 0:
68+
instance.save()
69+
return files_fields.keys()
70+
71+
def get_hidden_edit_fields(self):
72+
return self.exclude_save.copy()
73+
74+
def __init__(self, *args, **kwargs):
75+
super().__init__(*args, **kwargs)
76+
self.initial.update(self.instance.form_data)
77+
instance = kwargs.get('instance', None)
78+
hidden_fields = self.get_hidden_edit_fields()
79+
if instance is not None and instance._state.db is not None: # instance in DB
80+
for hidden_field in hidden_fields:
81+
self.fields.get(hidden_field).required = False
82+
83+
def get_bootstrap_field_info(self):
84+
fields = super().get_bootstrap_field_info()
85+
instance = getattr(self, 'instance', None)
86+
if instance is None or instance._state.db is None: # instance not in DB
87+
policy_fields = self.get_policy_fields()
88+
fields.update({
89+
_('HackUPC Polices'): {
90+
'fields': policy_fields,
91+
'description': '<p style="color: margin-top: 1em;display: block;'
92+
'margin-bottom: 1em;line-height: 1.25em;">We, Hackers at UPC, '
93+
'process your information to organize an awesome hackathon. It '
94+
'will also include images and videos of yourself during the event. '
95+
'Your data will be used for admissions mainly.'
96+
'For more information on the processing of your '
97+
'personal data and on how to exercise your rights of access, '
98+
'rectification, suppression, limitation, portability and opposition '
99+
'please visit our Privacy and Cookies Policy.</p>'
100+
}})
101+
fields[next(iter(fields))]['fields'].append({'name': 'promotional_code'})
102+
return fields
103+
104+
def get_policy_fields(self):
105+
return [{'name': 'terms_and_conditions', 'space': 12}, {'name': 'diet_notice', 'space': 12}]
106+
107+
def clean_promotional_code(self):
108+
promotional_code = self.cleaned_data.get('promotional_code', None)
109+
if promotional_code is not None:
110+
if promotional_code.usages != -1 and promotional_code.application_set.count() >= promotional_code.usages:
111+
raise ValidationError('This code is out of usages or not for this type')
112+
return promotional_code
113+
114+
class Meta:
115+
model = Application
116+
description = ''
117+
exclude = ['user', 'uuid', 'data', 'submission_date', 'status_update_date', 'status', 'contacted_by', 'type',
118+
'last_modified', 'edition']
119+
help_texts = {
120+
'gender': _('This is for demographic purposes. You can skip this question if you want.'),
121+
'other_diet': _('Please fill here in your dietary requirements. '
122+
'We want to make sure we have food for you!'),
123+
'origin': "Please select one of the dropdown options or write 'Others'. If the dropdown doesn't show up,"
124+
" type following this schema: <strong>city, nation, country</strong>"
125+
}
126+
labels = {
127+
'gender': _('What gender do you identify as?'),
128+
'other_gender': _('Self-describe'),
129+
'tshirt_size': _('What\'s your t-shirt size?'),
130+
'diet': _('Dietary requirements'),
131+
}
132+
widgets = {
133+
'promotional_code': forms.HiddenInput
134+
}

application/forms/hacker.py

+114
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,114 @@
1+
from django import forms
2+
from django.conf import settings
3+
from django.core.validators import RegexValidator
4+
from django.templatetags.static import static
5+
from django.utils.safestring import mark_safe
6+
from django.utils.translation import gettext_lazy as _
7+
8+
from application.forms.base import ApplicationForm, DEFAULT_YEAR, YEARS, EXTENSIONS
9+
from application.validators import validate_file_extension
10+
11+
12+
# This class is linked to the instance of ApplicationTypeConfig where name = 'Hacker'
13+
class HackerForm(ApplicationForm):
14+
bootstrap_field_info = {
15+
'': {
16+
'fields': [{'name': 'university', 'space': 4}, {'name': 'degree', 'space': 4},
17+
{'name': 'lennyface', 'space': 4}, {'name': 'graduation_year', 'space': 8}]},
18+
_('Hackathons'): {
19+
'fields': [{'name': 'description', 'space': 6}, {'name': 'projects', 'space': 6},
20+
{'name': 'first_timer', 'space': 12}, ]},
21+
_("Show us what you've built"): {
22+
'fields': [{'name': 'github', 'space': 6}, {'name': 'devpost', 'space': 6},
23+
{'name': 'linkedin', 'space': 6}, {'name': 'site', 'space': 6},
24+
{'name': 'resume', 'space': 12}, ],
25+
'description': 'Some of our sponsors may use this information for recruitment purposes, '
26+
'so please include as much as you can.'},
27+
_('Traveling'): {
28+
'fields': [{'name': 'country', 'space': 6}, {'name': 'origin', 'space': 6}], }
29+
}
30+
31+
phone_number = forms.CharField(validators=[RegexValidator(regex=r'^\+?1?\d{9,15}$')], required=False,
32+
help_text=_("Phone number must be entered in the format: +#########'. "
33+
"Up to 15 digits allowed."),
34+
widget=forms.TextInput(attrs={'placeholder': '+#########'}))
35+
36+
origin = forms.CharField(max_length=300, label=_('From which city?'))
37+
38+
country = forms.CharField(max_length=300, label=_('From which country are you joining us?'))
39+
40+
# Is this your first hackathon?
41+
first_timer = forms.TypedChoiceField(
42+
required=True,
43+
label=_('Will %s be your first hackathon?' % getattr(settings, 'HACKATHON_NAME')),
44+
initial=False,
45+
coerce=lambda x: x == 'True',
46+
choices=((False, _('No')), (True, _('Yes'))),
47+
widget=forms.RadioSelect
48+
)
49+
50+
# Random lenny face
51+
lennyface = forms.CharField(max_length=300, initial='-.-', label=_('Describe yourself in one "lenny face"?'),
52+
help_text=mark_safe(
53+
_('tip: you can chose from here <a href="https://textsmili.es/" target="_blank"> '
54+
'https://textsmili.es/</a>')))
55+
56+
# University
57+
graduation_year = forms.IntegerField(initial=DEFAULT_YEAR,
58+
widget=forms.RadioSelect(choices=YEARS, attrs={'class': 'inline'}),
59+
label=_('What year will you graduate?'))
60+
university = forms.CharField(max_length=300, label=_('What university do you study at?'),
61+
help_text=_('Current or most recent school you attended.'))
62+
degree = forms.CharField(max_length=300, label=_('What\'s your major/degree?'),
63+
help_text=_('Current or most recent degree you\'ve received'))
64+
65+
# URLs
66+
github = forms.URLField(required=False,
67+
widget=forms.TextInput(attrs={'placeholder': 'https://github.com/johnBiene'}))
68+
devpost = forms.URLField(required=False,
69+
widget=forms.TextInput(attrs={'placeholder': 'https://devpost.com/JohnBiene'}))
70+
linkedin = forms.URLField(required=False,
71+
widget=forms.TextInput(attrs={'placeholder': 'https://www.linkedin.com/in/john_biene'}))
72+
site = forms.URLField(required=False, widget=forms.TextInput(attrs={'placeholder': 'https://biene.space'}))
73+
74+
# Explain a little bit what projects have you done lately
75+
projects = forms.CharField(required=False, max_length=500, widget=forms.Textarea(attrs={'rows': 3}), help_text=_(
76+
'You can talk about about past hackathons, personal projects, awards etc. (we love links) '
77+
'Show us your passion! :D'), label=_('What projects have you worked on?'))
78+
79+
# Why do you want to come to X?
80+
description = forms.CharField(max_length=500, widget=forms.Textarea(attrs={'rows': 3}),
81+
label=_('Why are you excited about %s?' % getattr(settings, 'HACKATHON_NAME')))
82+
83+
# CV info
84+
resume_share = forms.BooleanField(required=False, initial=False, label=_(
85+
'I authorize %s to share my CV with %s Sponsors.' % (getattr(settings, 'HACKATHON_ORG'),
86+
getattr(settings, 'HACKATHON_NAME'))))
87+
resume = forms.FileField(validators=[validate_file_extension], label=_('Upload your resume'), help_text=_(
88+
'Accepted file formats: %s' % (', '.join(EXTENSIONS) if EXTENSIONS else 'Any')))
89+
90+
def get_policy_fields(self):
91+
policy_fields = super().get_policy_fields()
92+
policy_fields.extend([{'name': 'resume_share', 'space': 12}])
93+
return policy_fields
94+
95+
def get_hidden_edit_fields(self):
96+
hidden_fields = super().get_hidden_edit_fields()
97+
hidden_fields.extend(['resume_share'])
98+
return hidden_fields
99+
100+
class Meta(ApplicationForm.Meta):
101+
description = _('You will join a team with which you will do a project in a weekend. '
102+
'You will meet new people and learn a lot, don\'t think about it and apply!')
103+
api_fields = {
104+
'country': {'url': static('data/countries.json'), 'restrict': True, 'others': True},
105+
'university': {'url': static('data/universities.json')},
106+
'degree': {'url': static('data/degrees.json')},
107+
}
108+
icon_link = {
109+
'resume': 'bi bi-file-pdf-fill',
110+
'github': 'bi bi-github',
111+
'devpost': 'bi bi-collection-fill',
112+
'linkedin': 'bi bi-linkedin',
113+
'site': 'bi bi-globe',
114+
}

application/forms/mentor.py

+73
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,73 @@
1+
from django import forms
2+
from django.conf import settings
3+
from django.templatetags.static import static
4+
from django.utils.translation import gettext_lazy as _
5+
6+
from application.forms.base import ApplicationForm
7+
8+
9+
class MentorForm(ApplicationForm):
10+
bootstrap_field_info = {
11+
'': {'fields': [
12+
{'name': 'university', 'space': 6}, {'name': 'degree', 'space': 6},
13+
{'name': 'country', 'space': 6}, {'name': 'origin', 'space': 6}, {'name': 'study_work', 'space': 6},
14+
{'name': 'company', 'space': 6, 'visible': {'study_work': 'True'}}]},
15+
'Hackathons': {
16+
'fields': [{'name': 'first_timer', 'space': 4},
17+
{'name': 'previous_roles', 'space': 4, 'visible': {'first_timer': 'False'}},
18+
{'name': 'more_information', 'space': 12}],
19+
'description': _('Tell us a bit about your experience and preferences in this type of event.')},
20+
}
21+
22+
university = forms.CharField(max_length=300, label=_('What university do you study at?'),
23+
help_text=_('Current or most recent school you attended.'))
24+
25+
degree = forms.CharField(max_length=300, label=_('What\'s your major/degree?'),
26+
help_text=_('Current or most recent degree you\'ve received'))
27+
28+
origin = forms.CharField(max_length=300, label=_('From which city?'))
29+
30+
country = forms.CharField(max_length=300, label=_('From which country are you joining us?'))
31+
32+
study_work = forms.TypedChoiceField(
33+
required=True,
34+
label='Are you studying or working?',
35+
coerce=lambda x: x == 'True',
36+
choices=((False, _('Study')), (True, _('Work'))),
37+
widget=forms.RadioSelect(attrs={'class': 'inline'})
38+
)
39+
40+
company = forms.CharField(required=False,
41+
help_text='Current or most recent company you attended',
42+
label='Where are you working at?')
43+
44+
first_timer = forms.TypedChoiceField(
45+
required=True,
46+
label=_('Will %s be your first hackathon?' % getattr(settings, 'HACKATHON_NAME')),
47+
initial=True,
48+
coerce=lambda x: x == 'True',
49+
choices=((False, _('No')), (True, _('Yes'))),
50+
widget=forms.RadioSelect
51+
)
52+
53+
previous_roles = forms.MultipleChoiceField(
54+
required=False,
55+
label=_('Did you participate as a hacker, mentor, or volunteer?'),
56+
widget=forms.CheckboxSelectMultiple,
57+
choices=(('Hacker', _('Hacker')), ('Mentor', _('Mentor')), ('Volunteer', _('Volunteer')))
58+
)
59+
60+
more_information = forms.CharField(
61+
required=False,
62+
label=_('There\'s something else we need to know?')
63+
)
64+
65+
class Meta(ApplicationForm.Meta):
66+
description = _('Help and motivate hackers with your knowledge. Either because you are passionate about it'
67+
', or if you\'ve graduated more than a year ago and can\'t participate as a hacker, '
68+
'apply now as a mentor!')
69+
api_fields = {
70+
'country': {'url': static('data/countries.json'), 'restrict': True, 'others': True},
71+
'university': {'url': static('data/universities.json')},
72+
'degree': {'url': static('data/degrees.json')},
73+
}

0 commit comments

Comments
 (0)