You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
 
 
 
 
 
 

318 lines
14 KiB

# -*- coding: utf-8 -*-
from django import forms
from django.conf import settings
from ckeditor.widgets import CKEditorWidget
from django.core.exceptions import ValidationError
from django.core.validators import validate_email, URLValidator
#models
from models import PlaceExposition, EXPOSITION_TYPE, Hall
from country.models import Country
from city.models import City
from proj.models import Settings
#functions
from functions.translate import populate_all, fill_trans_fields_all
from functions.files import check_tmp_files
from functions.form_check import is_positive_integer, translit_with_separator
from functions.custom_fields import LocationWidget
class ExpositionForm(forms.Form):
"""
Create Exposition form for creating place_exposition
__init__ uses for dynamic creates fields
save function saves data in PlaceExposition object. If it doesnt exist create new object
"""
types = [(item1, item2) for item1, item2 in EXPOSITION_TYPE]
type = forms.ChoiceField(required=False, choices=types)
country = forms.ModelChoiceField(label='Страна', queryset=Country.objects.all(), empty_label=None)
#creates select input with empty choices cause it will be filled with ajax
city = forms.ChoiceField(label='Город', choices=[('','')])
address = forms.CharField(label='Адресс', widget=LocationWidget)
phone = forms.CharField(label='Телефон', required=False,
widget=forms.TextInput(attrs={'placeholder': 'Введите телефон'}))
fax = forms.CharField(label='Факс', required=False,
widget=forms.TextInput(attrs={'placeholder': 'Введите факс'}))
web_page = forms.CharField(label='Веб-сайт', required=False,
widget=forms.TextInput(attrs={'placeholder': 'Введите адрес сайта'}))#
email = forms.CharField(label='Email', required=False,
widget=forms.TextInput(attrs={'placeholder': 'Введите email'}))#
#
foundation_year = forms.CharField(label='Год основания', required=False,
widget=forms.TextInput(attrs={'placeholder': 'Год основания'}))
total_area = forms.CharField(label='Общая выставочная площадь', required=False,
widget=forms.TextInput(attrs={'placeholder': 'Общая выст. площадь'}))
closed_area = forms.CharField(label='Закрытая выствочная площадь', required=False,
widget=forms.TextInput(attrs={'placeholder': 'Закр. выст. площадь'}))
open_area = forms.CharField(label='Открытая выставочная площадь', required=False,
widget=forms.TextInput(attrs={'placeholder': 'Откр. выст. площадь'}))
total_pavilions = forms.CharField(label='Количество павильонов', required=False,
widget=forms.TextInput(attrs={'placeholder': 'Количество павильонов'}))
total_halls = forms.CharField(label='Количество конференц залов', required=False,
widget=forms.TextInput(attrs={'placeholder': 'Конференц залы'}))
#
wifi = forms.BooleanField(label='Wi-fi', required=False)
bank = forms.BooleanField(label='Банк/Банкоматы', required=False)
children_room = forms.BooleanField(label='Детская комната', required=False)
disabled_service = forms.BooleanField(label='Сервис для инвалидов', required=False)
conference_centre = forms.BooleanField(label='Конгресс-центр', required=False)
business_centre = forms.BooleanField(label='Бизнес центр', required=False)
online_registration = forms.BooleanField(label='Онлайн регистрация', required=False)
cafe = forms.BooleanField(label='Кафе', required=False)
terminals = forms.BooleanField(label='Информационые терминалы', required=False)
parking = forms.BooleanField(label='Парковка', required=False)
press_centre = forms.BooleanField(label='Пресс-центр', required=False)
mobile_application = forms.BooleanField(label='Мобильное приложение', required=False)
#
key = forms.CharField(required=False, widget=forms.HiddenInput())
def __init__(self, *args, **kwargs):
"""
create dynamical translated fields fields
"""
super(ExpositionForm, self).__init__(*args, **kwargs)
# creates translated form fields, example: name_ru, name_en
# len(10) is a hack for detect if settings.LANGUAGES is not configured it return all langs
if len(settings.LANGUAGES) in range(10):
for lid, (code, name) in enumerate(settings.LANGUAGES):
# using enumerate for detect iteration number
# first iteration is a default lang so it required fields
required = True if lid == 0 else False
self.fields['name_%s' % code] = forms.CharField(label='Название', required=required)
self.fields['description_%s' % code] = forms.CharField(label='Полное описание', required=False, widget=CKEditorWidget)
self.fields['adress_%s' % code] = forms.CharField(label='Дополнительная инф по адресу', required=False, max_length=255,
widget=forms.TextInput(attrs={'style':'width: 550px'}))
#
self.fields['total_year_action_%s' % code] = forms.CharField(label='Количество мероприятий в год', required=False, widget=CKEditorWidget)
#meta data
self.fields['title_%s' % code] = forms.CharField(label='Тайтл', required=required, max_length=255,
widget=forms.TextInput(attrs={'style':'width: 550px'}))
self.fields['keywords_%s' % code] = forms.CharField(label='Дескрипшен', required=required, max_length=255,
widget=forms.TextInput(attrs={'style':'width: 550px'}))
self.fields['descriptions_%s' % code] = forms.CharField(label='Кейвордс', required=required, max_length=255,
widget=forms.TextInput(attrs={'style':'width: 550px'}))
def save(self, id=None):
"""
change PlaceExposition model object with id = id
N/A add new PlaceExposition model object
usage: form.save(obj) - if change place_exposition
form.save() - if add place_exposition
"""
data = self.cleaned_data
if not id:
place_exposition = PlaceExposition()
else:
place_exposition = PlaceExposition.objects.get(id=id)
#simple fields
place_exposition.url = translit_with_separator(data['name_ru'])
place_exposition.type = data['type']
place_exposition.address = data['address']
place_exposition.phone = data['phone']
place_exposition.fax = data['fax']
place_exposition.web_page = data['web_page']
place_exposition.email = data['email']
place_exposition.foundation_year = data['foundation_year']
place_exposition.total_area = data['total_area']
place_exposition.closed_area = data['closed_area']
place_exposition.open_area = data['open_area']
place_exposition.total_pavilions = data['total_pavilions']
place_exposition.total_halls = data['total_halls']
place_exposition.wifi = data['wifi']
place_exposition.bank = data['bank']
place_exposition.children_room = data['children_room']
place_exposition.disabled_service = data['disabled_service']
place_exposition.conference_centre = data['conference_centre']
place_exposition.business_centre = data['business_centre']
place_exposition.online_registration = data['online_registration']
place_exposition.cafe = data['cafe']
place_exposition.terminals = data['terminals']
place_exposition.parking = data['parking']
place_exposition.press_centre = data['press_centre']
place_exposition.mobile_application = data['mobile_application']
if data.get('country'):
place_exposition.country = Country.objects.get(id=data['country'].id)#.id cause select uses queryset
if data.get('city'):
place_exposition.city = City.objects.get(id=data['city'])
# uses because in the next loop data will be overwritten
place_exposition.save()
#will be saved populated fields
zero_fields = {}
#fills all translated fields with data
#if saves new object, will fill city object. otherwise existing object of City model
fill_trans_fields_all(PlaceExposition, place_exposition, data, id, zero_fields)
#autopopulate
#populate empty fields and fields which was already populated
place_exposition_id = getattr(place_exposition, 'id')
populate_all(PlaceExposition, data, place_exposition_id, zero_fields)
#save files
check_tmp_files(place_exposition, data['key'])
return PlaceExposition.objects.get(id=place_exposition_id)
def clean_name_ru(self):
"""
check name which must be unique because it generate slug field
"""
cleaned_data = super(ExpositionForm, self).clean()
name_ru = cleaned_data.get('name_ru')
try:
place_exposittion = PlaceExposition.objects.get(url=translit_with_separator(name_ru))
if(place_exposittion.url == translit_with_separator(name_ru)):
return name_ru
except:
return name_ru
raise ValidationError('Место проведения с таким названием уже существует')
def clean_web_page(self):
"""
web_page checking
"""
cleaned_data = super(ExpositionForm, self).clean()
web_page = cleaned_data.get('web_page')
if not web_page:
return ''
validate = URLValidator()
try:
validate(web_page)
except(ValidationError),e:
raise ValidationError(e.messages[0])
return web_page
def clean_email(self):
"""
email checking
"""
cleaned_data = super(ExpositionForm, self).clean()
email = cleaned_data.get('email')
if not email:
return ''
try:
validate_email(email)
except(ValidationError),e:
raise ValidationError(e.messages[0])
return email
def clean_phone(self):
"""
phone checking
"""
cleaned_data = super(ExpositionForm, self).clean()
phone = cleaned_data.get('phone')
if not phone:
return
deduct = ('-','(',')','.',' ')
for elem in deduct:
phone = phone.replace(elem, '')
if phone.isdigit():
return phone
else:
raise ValidationError('Введите правильный телефон')
def clean_fax(self):
"""
fax checking
"""
cleaned_data = super(ExpositionForm, self).clean()
fax = cleaned_data.get('fax')
if not fax:
return
deduct = ('-','(',')','.',' ')
for elem in deduct:
fax = fax.replace(elem, '')
if fax.isdigit():
return fax
else:
raise ValidationError('Введите правильный факс')
def clean_foundation_year(self):
"""
checking foundation_year
"""
cleaned_data = super(ExpositionForm, self).clean()
foundation_year = cleaned_data.get('foundation_year').strip()
return is_positive_integer(foundation_year)
def clean_total_area(self):
"""
checking foundation_year
"""
cleaned_data = super(ExpositionForm, self).clean()
total_area = cleaned_data.get('total_area').strip()
return is_positive_integer(total_area)
def clean_closed_area(self):
"""
checking closed_area
"""
cleaned_data = super(ExpositionForm, self).clean()
closed_area = cleaned_data.get('closed_area').strip()
return is_positive_integer(closed_area)
def clean_open_area(self):
"""
checking open_area
"""
cleaned_data = super(ExpositionForm, self).clean()
open_area = cleaned_data.get('open_area').strip()
return is_positive_integer(open_area)
def clean_total_pavilions(self):
"""
checking total_pavilions
"""
cleaned_data = super(ExpositionForm, self).clean()
total_pavilions = cleaned_data.get('total_pavilions').strip()
return is_positive_integer(total_pavilions)
def clean_total_halls(self):
"""
checking total_halls
"""
cleaned_data = super(ExpositionForm, self).clean()
total_halls = cleaned_data.get('total_halls').strip()
return is_positive_integer(total_halls)
class HallForm(forms.ModelForm):
"""
form for Hall model
uses ModelForm cause Hall doesnt have translated fields
"""
number = forms.CharField(widget=forms.TextInput(attrs={'style': 'width:30px'}),required=False)
capacity = forms.CharField(widget=forms.TextInput(attrs={'style': 'width:60px'}), required=False)
name = forms.CharField(required=False)
class Meta:
model = Hall
exclude = ('place_exposition',)
def clean_number(self):
cleaned_data = super(HallForm, self).clean()
number = cleaned_data.get('number').strip()
return is_positive_integer(number)
def clean_capacity(self):
cleaned_data = super(HallForm, self).clean()
capacity = cleaned_data.get('capacity').strip()
return is_positive_integer(capacity)