repo
stringlengths
7
55
path
stringlengths
4
127
func_name
stringlengths
1
88
original_string
stringlengths
75
19.8k
language
stringclasses
1 value
code
stringlengths
75
19.8k
code_tokens
listlengths
20
707
docstring
stringlengths
3
17.3k
docstring_tokens
listlengths
3
222
sha
stringlengths
40
40
url
stringlengths
87
242
partition
stringclasses
1 value
idx
int64
0
252k
django-danceschool/django-danceschool
danceschool/core/ajax.py
getEmailTemplate
def getEmailTemplate(request): ''' This function handles the Ajax call made when a user wants a specific email template ''' if request.method != 'POST': return HttpResponse(_('Error, no POST data.')) if not hasattr(request,'user'): return HttpResponse(_('Error, not authenticated.')) template_id = request.POST.get('template') if not template_id: return HttpResponse(_("Error, no template ID provided.")) try: this_template = EmailTemplate.objects.get(id=template_id) except ObjectDoesNotExist: return HttpResponse(_("Error getting template.")) if this_template.groupRequired and this_template.groupRequired not in request.user.groups.all(): return HttpResponse(_("Error, no permission to access this template.")) if this_template.hideFromForm: return HttpResponse(_("Error, no permission to access this template.")) return JsonResponse({ 'subject': this_template.subject, 'content': this_template.content, 'html_content': this_template.html_content, 'richTextChoice': this_template.richTextChoice, })
python
def getEmailTemplate(request): ''' This function handles the Ajax call made when a user wants a specific email template ''' if request.method != 'POST': return HttpResponse(_('Error, no POST data.')) if not hasattr(request,'user'): return HttpResponse(_('Error, not authenticated.')) template_id = request.POST.get('template') if not template_id: return HttpResponse(_("Error, no template ID provided.")) try: this_template = EmailTemplate.objects.get(id=template_id) except ObjectDoesNotExist: return HttpResponse(_("Error getting template.")) if this_template.groupRequired and this_template.groupRequired not in request.user.groups.all(): return HttpResponse(_("Error, no permission to access this template.")) if this_template.hideFromForm: return HttpResponse(_("Error, no permission to access this template.")) return JsonResponse({ 'subject': this_template.subject, 'content': this_template.content, 'html_content': this_template.html_content, 'richTextChoice': this_template.richTextChoice, })
[ "def", "getEmailTemplate", "(", "request", ")", ":", "if", "request", ".", "method", "!=", "'POST'", ":", "return", "HttpResponse", "(", "_", "(", "'Error, no POST data.'", ")", ")", "if", "not", "hasattr", "(", "request", ",", "'user'", ")", ":", "return", "HttpResponse", "(", "_", "(", "'Error, not authenticated.'", ")", ")", "template_id", "=", "request", ".", "POST", ".", "get", "(", "'template'", ")", "if", "not", "template_id", ":", "return", "HttpResponse", "(", "_", "(", "\"Error, no template ID provided.\"", ")", ")", "try", ":", "this_template", "=", "EmailTemplate", ".", "objects", ".", "get", "(", "id", "=", "template_id", ")", "except", "ObjectDoesNotExist", ":", "return", "HttpResponse", "(", "_", "(", "\"Error getting template.\"", ")", ")", "if", "this_template", ".", "groupRequired", "and", "this_template", ".", "groupRequired", "not", "in", "request", ".", "user", ".", "groups", ".", "all", "(", ")", ":", "return", "HttpResponse", "(", "_", "(", "\"Error, no permission to access this template.\"", ")", ")", "if", "this_template", ".", "hideFromForm", ":", "return", "HttpResponse", "(", "_", "(", "\"Error, no permission to access this template.\"", ")", ")", "return", "JsonResponse", "(", "{", "'subject'", ":", "this_template", ".", "subject", ",", "'content'", ":", "this_template", ".", "content", ",", "'html_content'", ":", "this_template", ".", "html_content", ",", "'richTextChoice'", ":", "this_template", ".", "richTextChoice", ",", "}", ")" ]
This function handles the Ajax call made when a user wants a specific email template
[ "This", "function", "handles", "the", "Ajax", "call", "made", "when", "a", "user", "wants", "a", "specific", "email", "template" ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/ajax.py#L106-L136
train
236,400
django-danceschool/django-danceschool
danceschool/vouchers/views.py
GiftCertificateCustomizeView.dispatch
def dispatch(self,request,*args,**kwargs): ''' Check that a valid Invoice ID has been passed in session data, and that said invoice is marked as paid. ''' paymentSession = request.session.get(INVOICE_VALIDATION_STR, {}) self.invoiceID = paymentSession.get('invoiceID') self.amount = paymentSession.get('amount',0) self.success_url = paymentSession.get('success_url',reverse('registration')) # Check that Invoice matching passed ID exists try: i = Invoice.objects.get(id=self.invoiceID) except ObjectDoesNotExist: return HttpResponseBadRequest(_('Invalid invoice information passed.')) if i.unpaid or i.amountPaid != self.amount: return HttpResponseBadRequest(_('Passed invoice is not paid.')) return super(GiftCertificateCustomizeView,self).dispatch(request,*args,**kwargs)
python
def dispatch(self,request,*args,**kwargs): ''' Check that a valid Invoice ID has been passed in session data, and that said invoice is marked as paid. ''' paymentSession = request.session.get(INVOICE_VALIDATION_STR, {}) self.invoiceID = paymentSession.get('invoiceID') self.amount = paymentSession.get('amount',0) self.success_url = paymentSession.get('success_url',reverse('registration')) # Check that Invoice matching passed ID exists try: i = Invoice.objects.get(id=self.invoiceID) except ObjectDoesNotExist: return HttpResponseBadRequest(_('Invalid invoice information passed.')) if i.unpaid or i.amountPaid != self.amount: return HttpResponseBadRequest(_('Passed invoice is not paid.')) return super(GiftCertificateCustomizeView,self).dispatch(request,*args,**kwargs)
[ "def", "dispatch", "(", "self", ",", "request", ",", "*", "args", ",", "*", "*", "kwargs", ")", ":", "paymentSession", "=", "request", ".", "session", ".", "get", "(", "INVOICE_VALIDATION_STR", ",", "{", "}", ")", "self", ".", "invoiceID", "=", "paymentSession", ".", "get", "(", "'invoiceID'", ")", "self", ".", "amount", "=", "paymentSession", ".", "get", "(", "'amount'", ",", "0", ")", "self", ".", "success_url", "=", "paymentSession", ".", "get", "(", "'success_url'", ",", "reverse", "(", "'registration'", ")", ")", "# Check that Invoice matching passed ID exists", "try", ":", "i", "=", "Invoice", ".", "objects", ".", "get", "(", "id", "=", "self", ".", "invoiceID", ")", "except", "ObjectDoesNotExist", ":", "return", "HttpResponseBadRequest", "(", "_", "(", "'Invalid invoice information passed.'", ")", ")", "if", "i", ".", "unpaid", "or", "i", ".", "amountPaid", "!=", "self", ".", "amount", ":", "return", "HttpResponseBadRequest", "(", "_", "(", "'Passed invoice is not paid.'", ")", ")", "return", "super", "(", "GiftCertificateCustomizeView", ",", "self", ")", ".", "dispatch", "(", "request", ",", "*", "args", ",", "*", "*", "kwargs", ")" ]
Check that a valid Invoice ID has been passed in session data, and that said invoice is marked as paid.
[ "Check", "that", "a", "valid", "Invoice", "ID", "has", "been", "passed", "in", "session", "data", "and", "that", "said", "invoice", "is", "marked", "as", "paid", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/vouchers/views.py#L31-L50
train
236,401
django-danceschool/django-danceschool
danceschool/vouchers/views.py
GiftCertificateCustomizeView.form_valid
def form_valid(self,form): ''' Create the gift certificate voucher with the indicated information and send the email as directed. ''' emailTo = form.cleaned_data.get('emailTo') emailType = form.cleaned_data.get('emailType') recipientName = form.cleaned_data.get('recipientName') fromName = form.cleaned_data.get('fromName') message = form.cleaned_data.get('message') logger.info('Processing gift certificate.') try: voucher = Voucher.create_new_code( prefix='GC_', name=_('Gift certificate: %s%s for %s' % (getConstant('general__currencySymbol'),self.amount, emailTo)), category=getConstant('vouchers__giftCertCategory'), originalAmount=self.amount, singleUse=False, forFirstTimeCustomersOnly=False, expirationDate=None, ) except IntegrityError: logger.error('Error creating gift certificate voucher for Invoice #%s' % self.invoiceId) emailErrorMessage(_('Gift certificate transaction not completed'), self.invoiceId) template = getConstant('vouchers__giftCertTemplate') # Attempt to attach a PDF of the gift certificate rf = RequestFactory() pdf_request = rf.get('/') pdf_kwargs = { 'currencySymbol': getConstant('general__currencySymbol'), 'businessName': getConstant('contact__businessName'), 'certificateAmount': voucher.originalAmount, 'certificateCode': voucher.voucherId, 'certificateMessage': message, 'recipientName': recipientName, 'fromName': fromName, } if recipientName: pdf_kwargs.update({}) attachment = GiftCertificatePDFView(request=pdf_request).get(request=pdf_request,**pdf_kwargs).content or None if attachment: attachment_name = 'gift_certificate.pdf' else: attachment_name = None # Send a confirmation email email_class = EmailRecipientMixin() email_class.email_recipient( subject=template.subject, content=template.content, send_html=template.send_html, html_content=template.html_content, from_address=template.defaultFromAddress, from_name=template.defaultFromName, cc=template.defaultCC, to=emailTo, currencySymbol=getConstant('general__currencySymbol'), businessName=getConstant('contact__businessName'), certificateAmount=voucher.originalAmount, certificateCode=voucher.voucherId, certificateMessage=message, recipientName=recipientName, fromName=fromName, emailType=emailType, recipient_name=recipientName, attachment_name=attachment_name, attachment=attachment ) # Remove the invoice session data self.request.session.pop(INVOICE_VALIDATION_STR,None) return HttpResponseRedirect(self.get_success_url())
python
def form_valid(self,form): ''' Create the gift certificate voucher with the indicated information and send the email as directed. ''' emailTo = form.cleaned_data.get('emailTo') emailType = form.cleaned_data.get('emailType') recipientName = form.cleaned_data.get('recipientName') fromName = form.cleaned_data.get('fromName') message = form.cleaned_data.get('message') logger.info('Processing gift certificate.') try: voucher = Voucher.create_new_code( prefix='GC_', name=_('Gift certificate: %s%s for %s' % (getConstant('general__currencySymbol'),self.amount, emailTo)), category=getConstant('vouchers__giftCertCategory'), originalAmount=self.amount, singleUse=False, forFirstTimeCustomersOnly=False, expirationDate=None, ) except IntegrityError: logger.error('Error creating gift certificate voucher for Invoice #%s' % self.invoiceId) emailErrorMessage(_('Gift certificate transaction not completed'), self.invoiceId) template = getConstant('vouchers__giftCertTemplate') # Attempt to attach a PDF of the gift certificate rf = RequestFactory() pdf_request = rf.get('/') pdf_kwargs = { 'currencySymbol': getConstant('general__currencySymbol'), 'businessName': getConstant('contact__businessName'), 'certificateAmount': voucher.originalAmount, 'certificateCode': voucher.voucherId, 'certificateMessage': message, 'recipientName': recipientName, 'fromName': fromName, } if recipientName: pdf_kwargs.update({}) attachment = GiftCertificatePDFView(request=pdf_request).get(request=pdf_request,**pdf_kwargs).content or None if attachment: attachment_name = 'gift_certificate.pdf' else: attachment_name = None # Send a confirmation email email_class = EmailRecipientMixin() email_class.email_recipient( subject=template.subject, content=template.content, send_html=template.send_html, html_content=template.html_content, from_address=template.defaultFromAddress, from_name=template.defaultFromName, cc=template.defaultCC, to=emailTo, currencySymbol=getConstant('general__currencySymbol'), businessName=getConstant('contact__businessName'), certificateAmount=voucher.originalAmount, certificateCode=voucher.voucherId, certificateMessage=message, recipientName=recipientName, fromName=fromName, emailType=emailType, recipient_name=recipientName, attachment_name=attachment_name, attachment=attachment ) # Remove the invoice session data self.request.session.pop(INVOICE_VALIDATION_STR,None) return HttpResponseRedirect(self.get_success_url())
[ "def", "form_valid", "(", "self", ",", "form", ")", ":", "emailTo", "=", "form", ".", "cleaned_data", ".", "get", "(", "'emailTo'", ")", "emailType", "=", "form", ".", "cleaned_data", ".", "get", "(", "'emailType'", ")", "recipientName", "=", "form", ".", "cleaned_data", ".", "get", "(", "'recipientName'", ")", "fromName", "=", "form", ".", "cleaned_data", ".", "get", "(", "'fromName'", ")", "message", "=", "form", ".", "cleaned_data", ".", "get", "(", "'message'", ")", "logger", ".", "info", "(", "'Processing gift certificate.'", ")", "try", ":", "voucher", "=", "Voucher", ".", "create_new_code", "(", "prefix", "=", "'GC_'", ",", "name", "=", "_", "(", "'Gift certificate: %s%s for %s'", "%", "(", "getConstant", "(", "'general__currencySymbol'", ")", ",", "self", ".", "amount", ",", "emailTo", ")", ")", ",", "category", "=", "getConstant", "(", "'vouchers__giftCertCategory'", ")", ",", "originalAmount", "=", "self", ".", "amount", ",", "singleUse", "=", "False", ",", "forFirstTimeCustomersOnly", "=", "False", ",", "expirationDate", "=", "None", ",", ")", "except", "IntegrityError", ":", "logger", ".", "error", "(", "'Error creating gift certificate voucher for Invoice #%s'", "%", "self", ".", "invoiceId", ")", "emailErrorMessage", "(", "_", "(", "'Gift certificate transaction not completed'", ")", ",", "self", ".", "invoiceId", ")", "template", "=", "getConstant", "(", "'vouchers__giftCertTemplate'", ")", "# Attempt to attach a PDF of the gift certificate", "rf", "=", "RequestFactory", "(", ")", "pdf_request", "=", "rf", ".", "get", "(", "'/'", ")", "pdf_kwargs", "=", "{", "'currencySymbol'", ":", "getConstant", "(", "'general__currencySymbol'", ")", ",", "'businessName'", ":", "getConstant", "(", "'contact__businessName'", ")", ",", "'certificateAmount'", ":", "voucher", ".", "originalAmount", ",", "'certificateCode'", ":", "voucher", ".", "voucherId", ",", "'certificateMessage'", ":", "message", ",", "'recipientName'", ":", "recipientName", ",", "'fromName'", ":", "fromName", ",", "}", "if", "recipientName", ":", "pdf_kwargs", ".", "update", "(", "{", "}", ")", "attachment", "=", "GiftCertificatePDFView", "(", "request", "=", "pdf_request", ")", ".", "get", "(", "request", "=", "pdf_request", ",", "*", "*", "pdf_kwargs", ")", ".", "content", "or", "None", "if", "attachment", ":", "attachment_name", "=", "'gift_certificate.pdf'", "else", ":", "attachment_name", "=", "None", "# Send a confirmation email", "email_class", "=", "EmailRecipientMixin", "(", ")", "email_class", ".", "email_recipient", "(", "subject", "=", "template", ".", "subject", ",", "content", "=", "template", ".", "content", ",", "send_html", "=", "template", ".", "send_html", ",", "html_content", "=", "template", ".", "html_content", ",", "from_address", "=", "template", ".", "defaultFromAddress", ",", "from_name", "=", "template", ".", "defaultFromName", ",", "cc", "=", "template", ".", "defaultCC", ",", "to", "=", "emailTo", ",", "currencySymbol", "=", "getConstant", "(", "'general__currencySymbol'", ")", ",", "businessName", "=", "getConstant", "(", "'contact__businessName'", ")", ",", "certificateAmount", "=", "voucher", ".", "originalAmount", ",", "certificateCode", "=", "voucher", ".", "voucherId", ",", "certificateMessage", "=", "message", ",", "recipientName", "=", "recipientName", ",", "fromName", "=", "fromName", ",", "emailType", "=", "emailType", ",", "recipient_name", "=", "recipientName", ",", "attachment_name", "=", "attachment_name", ",", "attachment", "=", "attachment", ")", "# Remove the invoice session data", "self", ".", "request", ".", "session", ".", "pop", "(", "INVOICE_VALIDATION_STR", ",", "None", ")", "return", "HttpResponseRedirect", "(", "self", ".", "get_success_url", "(", ")", ")" ]
Create the gift certificate voucher with the indicated information and send the email as directed.
[ "Create", "the", "gift", "certificate", "voucher", "with", "the", "indicated", "information", "and", "send", "the", "email", "as", "directed", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/vouchers/views.py#L52-L131
train
236,402
django-danceschool/django-danceschool
danceschool/core/tasks.py
updateSeriesRegistrationStatus
def updateSeriesRegistrationStatus(): ''' Every hour, check if the series that are currently open for registration should be closed. ''' from .models import Series if not getConstant('general__enableCronTasks'): return logger.info('Checking status of Series that are open for registration.') open_series = Series.objects.filter().filter(**{'registrationOpen': True}) for series in open_series: series.updateRegistrationStatus()
python
def updateSeriesRegistrationStatus(): ''' Every hour, check if the series that are currently open for registration should be closed. ''' from .models import Series if not getConstant('general__enableCronTasks'): return logger.info('Checking status of Series that are open for registration.') open_series = Series.objects.filter().filter(**{'registrationOpen': True}) for series in open_series: series.updateRegistrationStatus()
[ "def", "updateSeriesRegistrationStatus", "(", ")", ":", "from", ".", "models", "import", "Series", "if", "not", "getConstant", "(", "'general__enableCronTasks'", ")", ":", "return", "logger", ".", "info", "(", "'Checking status of Series that are open for registration.'", ")", "open_series", "=", "Series", ".", "objects", ".", "filter", "(", ")", ".", "filter", "(", "*", "*", "{", "'registrationOpen'", ":", "True", "}", ")", "for", "series", "in", "open_series", ":", "series", ".", "updateRegistrationStatus", "(", ")" ]
Every hour, check if the series that are currently open for registration should be closed.
[ "Every", "hour", "check", "if", "the", "series", "that", "are", "currently", "open", "for", "registration", "should", "be", "closed", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/tasks.py#L19-L34
train
236,403
django-danceschool/django-danceschool
danceschool/core/tasks.py
clearExpiredTemporaryRegistrations
def clearExpiredTemporaryRegistrations(): ''' Every hour, look for TemporaryRegistrations that have expired and delete them. To ensure that there are no issues that arise from slight differences between session expiration dates and TemporaryRegistration expiration dates, only delete instances that have been expired for one minute. ''' from .models import TemporaryRegistration if not getConstant('general__enableCronTasks'): return if getConstant('registration__deleteExpiredTemporaryRegistrations'): TemporaryRegistration.objects.filter(expirationDate__lte=timezone.now() - timedelta(minutes=1)).delete() call_command('clearsessions')
python
def clearExpiredTemporaryRegistrations(): ''' Every hour, look for TemporaryRegistrations that have expired and delete them. To ensure that there are no issues that arise from slight differences between session expiration dates and TemporaryRegistration expiration dates, only delete instances that have been expired for one minute. ''' from .models import TemporaryRegistration if not getConstant('general__enableCronTasks'): return if getConstant('registration__deleteExpiredTemporaryRegistrations'): TemporaryRegistration.objects.filter(expirationDate__lte=timezone.now() - timedelta(minutes=1)).delete() call_command('clearsessions')
[ "def", "clearExpiredTemporaryRegistrations", "(", ")", ":", "from", ".", "models", "import", "TemporaryRegistration", "if", "not", "getConstant", "(", "'general__enableCronTasks'", ")", ":", "return", "if", "getConstant", "(", "'registration__deleteExpiredTemporaryRegistrations'", ")", ":", "TemporaryRegistration", ".", "objects", ".", "filter", "(", "expirationDate__lte", "=", "timezone", ".", "now", "(", ")", "-", "timedelta", "(", "minutes", "=", "1", ")", ")", ".", "delete", "(", ")", "call_command", "(", "'clearsessions'", ")" ]
Every hour, look for TemporaryRegistrations that have expired and delete them. To ensure that there are no issues that arise from slight differences between session expiration dates and TemporaryRegistration expiration dates, only delete instances that have been expired for one minute.
[ "Every", "hour", "look", "for", "TemporaryRegistrations", "that", "have", "expired", "and", "delete", "them", ".", "To", "ensure", "that", "there", "are", "no", "issues", "that", "arise", "from", "slight", "differences", "between", "session", "expiration", "dates", "and", "TemporaryRegistration", "expiration", "dates", "only", "delete", "instances", "that", "have", "been", "expired", "for", "one", "minute", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/tasks.py#L38-L52
train
236,404
django-danceschool/django-danceschool
danceschool/financial/tasks.py
updateFinancialItems
def updateFinancialItems(): ''' Every hour, create any necessary revenue items and expense items for activities that need them. ''' if not getConstant('general__enableCronTasks'): return logger.info('Creating automatically-generated financial items.') if getConstant('financial__autoGenerateExpensesEventStaff'): createExpenseItemsForEvents() if getConstant('financial__autoGenerateExpensesVenueRental'): createExpenseItemsForVenueRental() if getConstant('financial__autoGenerateRevenueRegistrations'): createRevenueItemsForRegistrations()
python
def updateFinancialItems(): ''' Every hour, create any necessary revenue items and expense items for activities that need them. ''' if not getConstant('general__enableCronTasks'): return logger.info('Creating automatically-generated financial items.') if getConstant('financial__autoGenerateExpensesEventStaff'): createExpenseItemsForEvents() if getConstant('financial__autoGenerateExpensesVenueRental'): createExpenseItemsForVenueRental() if getConstant('financial__autoGenerateRevenueRegistrations'): createRevenueItemsForRegistrations()
[ "def", "updateFinancialItems", "(", ")", ":", "if", "not", "getConstant", "(", "'general__enableCronTasks'", ")", ":", "return", "logger", ".", "info", "(", "'Creating automatically-generated financial items.'", ")", "if", "getConstant", "(", "'financial__autoGenerateExpensesEventStaff'", ")", ":", "createExpenseItemsForEvents", "(", ")", "if", "getConstant", "(", "'financial__autoGenerateExpensesVenueRental'", ")", ":", "createExpenseItemsForVenueRental", "(", ")", "if", "getConstant", "(", "'financial__autoGenerateRevenueRegistrations'", ")", ":", "createRevenueItemsForRegistrations", "(", ")" ]
Every hour, create any necessary revenue items and expense items for activities that need them.
[ "Every", "hour", "create", "any", "necessary", "revenue", "items", "and", "expense", "items", "for", "activities", "that", "need", "them", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/tasks.py#L15-L30
train
236,405
django-danceschool/django-danceschool
danceschool/core/helpers.py
emailErrorMessage
def emailErrorMessage(subject,message): ''' Useful for sending error messages via email. ''' if not getConstant('email__enableErrorEmails'): logger.info('Not sending error email: error emails are not enabled.') return send_from = getConstant('email__errorEmailFrom') send_to = getConstant('email__errorEmailTo') if not send_from or not send_to: logger.error('Cannot send error emails because addresses have not been specified.') return try: send_mail(subject,message, send_from, [send_to], fail_silently=False) logger.debug('Error email sent.') except Exception as e: logger.error('Error email was not sent: %s' % e)
python
def emailErrorMessage(subject,message): ''' Useful for sending error messages via email. ''' if not getConstant('email__enableErrorEmails'): logger.info('Not sending error email: error emails are not enabled.') return send_from = getConstant('email__errorEmailFrom') send_to = getConstant('email__errorEmailTo') if not send_from or not send_to: logger.error('Cannot send error emails because addresses have not been specified.') return try: send_mail(subject,message, send_from, [send_to], fail_silently=False) logger.debug('Error email sent.') except Exception as e: logger.error('Error email was not sent: %s' % e)
[ "def", "emailErrorMessage", "(", "subject", ",", "message", ")", ":", "if", "not", "getConstant", "(", "'email__enableErrorEmails'", ")", ":", "logger", ".", "info", "(", "'Not sending error email: error emails are not enabled.'", ")", "return", "send_from", "=", "getConstant", "(", "'email__errorEmailFrom'", ")", "send_to", "=", "getConstant", "(", "'email__errorEmailTo'", ")", "if", "not", "send_from", "or", "not", "send_to", ":", "logger", ".", "error", "(", "'Cannot send error emails because addresses have not been specified.'", ")", "return", "try", ":", "send_mail", "(", "subject", ",", "message", ",", "send_from", ",", "[", "send_to", "]", ",", "fail_silently", "=", "False", ")", "logger", ".", "debug", "(", "'Error email sent.'", ")", "except", "Exception", "as", "e", ":", "logger", ".", "error", "(", "'Error email was not sent: %s'", "%", "e", ")" ]
Useful for sending error messages via email.
[ "Useful", "for", "sending", "error", "messages", "via", "email", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/helpers.py#L15-L36
train
236,406
django-danceschool/django-danceschool
danceschool/financial/views.py
FinancesByPeriodView.get
def get(self,request,*args,**kwargs): ''' Allow passing of basis and time limitations ''' try: year = int(self.kwargs.get('year')) except (ValueError, TypeError): year = getIntFromGet(request,'year') kwargs.update({ 'year': year, 'basis': request.GET.get('basis'), }) if kwargs.get('basis') not in EXPENSE_BASES.keys(): kwargs['basis'] = 'accrualDate' return super().get(request, *args, **kwargs)
python
def get(self,request,*args,**kwargs): ''' Allow passing of basis and time limitations ''' try: year = int(self.kwargs.get('year')) except (ValueError, TypeError): year = getIntFromGet(request,'year') kwargs.update({ 'year': year, 'basis': request.GET.get('basis'), }) if kwargs.get('basis') not in EXPENSE_BASES.keys(): kwargs['basis'] = 'accrualDate' return super().get(request, *args, **kwargs)
[ "def", "get", "(", "self", ",", "request", ",", "*", "args", ",", "*", "*", "kwargs", ")", ":", "try", ":", "year", "=", "int", "(", "self", ".", "kwargs", ".", "get", "(", "'year'", ")", ")", "except", "(", "ValueError", ",", "TypeError", ")", ":", "year", "=", "getIntFromGet", "(", "request", ",", "'year'", ")", "kwargs", ".", "update", "(", "{", "'year'", ":", "year", ",", "'basis'", ":", "request", ".", "GET", ".", "get", "(", "'basis'", ")", ",", "}", ")", "if", "kwargs", ".", "get", "(", "'basis'", ")", "not", "in", "EXPENSE_BASES", ".", "keys", "(", ")", ":", "kwargs", "[", "'basis'", "]", "=", "'accrualDate'", "return", "super", "(", ")", ".", "get", "(", "request", ",", "*", "args", ",", "*", "*", "kwargs", ")" ]
Allow passing of basis and time limitations
[ "Allow", "passing", "of", "basis", "and", "time", "limitations" ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/views.py#L303-L320
train
236,407
django-danceschool/django-danceschool
danceschool/financial/views.py
FinancialDetailView.get
def get(self,request,*args,**kwargs): ''' Pass any permissable GET data. URL parameters override GET parameters ''' try: year = int(self.kwargs.get('year')) except (ValueError, TypeError): year = getIntFromGet(request,'year') if self.kwargs.get('month'): try: month = int(self.kwargs.get('month')) except (ValueError, TypeError): try: month = list(month_name).index(self.kwargs.get('month').title()) except (ValueError, TypeError): month = None else: month = getIntFromGet(request, 'month') try: event_id = int(self.kwargs.get('event')) except (ValueError, TypeError): event_id = getIntFromGet(request, 'event') event = None if event_id: try: event = Event.objects.get(id=event_id) except ObjectDoesNotExist: pass kwargs.update({ 'year': year, 'month': month, 'startDate': getDateTimeFromGet(request,'startDate'), 'endDate': getDateTimeFromGet(request,'endDate'), 'basis': request.GET.get('basis'), 'event': event, }) if kwargs.get('basis') not in EXPENSE_BASES.keys(): kwargs['basis'] = 'accrualDate' context = self.get_context_data(**kwargs) return self.render_to_response(context)
python
def get(self,request,*args,**kwargs): ''' Pass any permissable GET data. URL parameters override GET parameters ''' try: year = int(self.kwargs.get('year')) except (ValueError, TypeError): year = getIntFromGet(request,'year') if self.kwargs.get('month'): try: month = int(self.kwargs.get('month')) except (ValueError, TypeError): try: month = list(month_name).index(self.kwargs.get('month').title()) except (ValueError, TypeError): month = None else: month = getIntFromGet(request, 'month') try: event_id = int(self.kwargs.get('event')) except (ValueError, TypeError): event_id = getIntFromGet(request, 'event') event = None if event_id: try: event = Event.objects.get(id=event_id) except ObjectDoesNotExist: pass kwargs.update({ 'year': year, 'month': month, 'startDate': getDateTimeFromGet(request,'startDate'), 'endDate': getDateTimeFromGet(request,'endDate'), 'basis': request.GET.get('basis'), 'event': event, }) if kwargs.get('basis') not in EXPENSE_BASES.keys(): kwargs['basis'] = 'accrualDate' context = self.get_context_data(**kwargs) return self.render_to_response(context)
[ "def", "get", "(", "self", ",", "request", ",", "*", "args", ",", "*", "*", "kwargs", ")", ":", "try", ":", "year", "=", "int", "(", "self", ".", "kwargs", ".", "get", "(", "'year'", ")", ")", "except", "(", "ValueError", ",", "TypeError", ")", ":", "year", "=", "getIntFromGet", "(", "request", ",", "'year'", ")", "if", "self", ".", "kwargs", ".", "get", "(", "'month'", ")", ":", "try", ":", "month", "=", "int", "(", "self", ".", "kwargs", ".", "get", "(", "'month'", ")", ")", "except", "(", "ValueError", ",", "TypeError", ")", ":", "try", ":", "month", "=", "list", "(", "month_name", ")", ".", "index", "(", "self", ".", "kwargs", ".", "get", "(", "'month'", ")", ".", "title", "(", ")", ")", "except", "(", "ValueError", ",", "TypeError", ")", ":", "month", "=", "None", "else", ":", "month", "=", "getIntFromGet", "(", "request", ",", "'month'", ")", "try", ":", "event_id", "=", "int", "(", "self", ".", "kwargs", ".", "get", "(", "'event'", ")", ")", "except", "(", "ValueError", ",", "TypeError", ")", ":", "event_id", "=", "getIntFromGet", "(", "request", ",", "'event'", ")", "event", "=", "None", "if", "event_id", ":", "try", ":", "event", "=", "Event", ".", "objects", ".", "get", "(", "id", "=", "event_id", ")", "except", "ObjectDoesNotExist", ":", "pass", "kwargs", ".", "update", "(", "{", "'year'", ":", "year", ",", "'month'", ":", "month", ",", "'startDate'", ":", "getDateTimeFromGet", "(", "request", ",", "'startDate'", ")", ",", "'endDate'", ":", "getDateTimeFromGet", "(", "request", ",", "'endDate'", ")", ",", "'basis'", ":", "request", ".", "GET", ".", "get", "(", "'basis'", ")", ",", "'event'", ":", "event", ",", "}", ")", "if", "kwargs", ".", "get", "(", "'basis'", ")", "not", "in", "EXPENSE_BASES", ".", "keys", "(", ")", ":", "kwargs", "[", "'basis'", "]", "=", "'accrualDate'", "context", "=", "self", ".", "get_context_data", "(", "*", "*", "kwargs", ")", "return", "self", ".", "render_to_response", "(", "context", ")" ]
Pass any permissable GET data. URL parameters override GET parameters
[ "Pass", "any", "permissable", "GET", "data", ".", "URL", "parameters", "override", "GET", "parameters" ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/views.py#L428-L473
train
236,408
django-danceschool/django-danceschool
danceschool/financial/views.py
CompensationActionView.get_form_kwargs
def get_form_kwargs(self, **kwargs): ''' pass the list of staff members along to the form ''' kwargs = super(CompensationActionView, self).get_form_kwargs(**kwargs) kwargs['staffmembers'] = self.queryset return kwargs
python
def get_form_kwargs(self, **kwargs): ''' pass the list of staff members along to the form ''' kwargs = super(CompensationActionView, self).get_form_kwargs(**kwargs) kwargs['staffmembers'] = self.queryset return kwargs
[ "def", "get_form_kwargs", "(", "self", ",", "*", "*", "kwargs", ")", ":", "kwargs", "=", "super", "(", "CompensationActionView", ",", "self", ")", ".", "get_form_kwargs", "(", "*", "*", "kwargs", ")", "kwargs", "[", "'staffmembers'", "]", "=", "self", ".", "queryset", "return", "kwargs" ]
pass the list of staff members along to the form
[ "pass", "the", "list", "of", "staff", "members", "along", "to", "the", "form" ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/views.py#L631-L635
train
236,409
django-danceschool/django-danceschool
danceschool/private_events/forms.py
EventOccurrenceCustomFormSet.setReminder
def setReminder(self,occurrence): ''' This function is called to create the actual reminders for each occurrence that is created. ''' sendReminderTo = self[0].cleaned_data['sendReminderTo'] sendReminderWhen = self[0].cleaned_data['sendReminderWhen'] sendReminderGroup = self[0].cleaned_data['sendReminderGroup'] sendReminderUsers = self[0].cleaned_data['sendReminderUsers'] # Set the new reminder's time new_reminder_time = occurrence.startTime - timedelta(minutes=int(float(sendReminderWhen))) new_reminder = EventReminder(eventOccurrence=occurrence,time=new_reminder_time) new_reminder.save() # Set reminders based on the choice the user made if sendReminderTo == 'all': user_set = User.objects.filter(Q(staffmember__isnull=False) | Q(is_staff=True)) elif sendReminderTo == 'me': user_set = User.objects.filter(id=occurrence.event.submissionUser.id) elif sendReminderTo == 'users': user_set = User.objects.filter(**{'id__in': sendReminderUsers}) elif sendReminderTo == 'group': user_set = User.objects.filter(**{'groups': sendReminderGroup}) else: user_set = [] for user in user_set: new_reminder.notifyList.add(user)
python
def setReminder(self,occurrence): ''' This function is called to create the actual reminders for each occurrence that is created. ''' sendReminderTo = self[0].cleaned_data['sendReminderTo'] sendReminderWhen = self[0].cleaned_data['sendReminderWhen'] sendReminderGroup = self[0].cleaned_data['sendReminderGroup'] sendReminderUsers = self[0].cleaned_data['sendReminderUsers'] # Set the new reminder's time new_reminder_time = occurrence.startTime - timedelta(minutes=int(float(sendReminderWhen))) new_reminder = EventReminder(eventOccurrence=occurrence,time=new_reminder_time) new_reminder.save() # Set reminders based on the choice the user made if sendReminderTo == 'all': user_set = User.objects.filter(Q(staffmember__isnull=False) | Q(is_staff=True)) elif sendReminderTo == 'me': user_set = User.objects.filter(id=occurrence.event.submissionUser.id) elif sendReminderTo == 'users': user_set = User.objects.filter(**{'id__in': sendReminderUsers}) elif sendReminderTo == 'group': user_set = User.objects.filter(**{'groups': sendReminderGroup}) else: user_set = [] for user in user_set: new_reminder.notifyList.add(user)
[ "def", "setReminder", "(", "self", ",", "occurrence", ")", ":", "sendReminderTo", "=", "self", "[", "0", "]", ".", "cleaned_data", "[", "'sendReminderTo'", "]", "sendReminderWhen", "=", "self", "[", "0", "]", ".", "cleaned_data", "[", "'sendReminderWhen'", "]", "sendReminderGroup", "=", "self", "[", "0", "]", ".", "cleaned_data", "[", "'sendReminderGroup'", "]", "sendReminderUsers", "=", "self", "[", "0", "]", ".", "cleaned_data", "[", "'sendReminderUsers'", "]", "# Set the new reminder's time\r", "new_reminder_time", "=", "occurrence", ".", "startTime", "-", "timedelta", "(", "minutes", "=", "int", "(", "float", "(", "sendReminderWhen", ")", ")", ")", "new_reminder", "=", "EventReminder", "(", "eventOccurrence", "=", "occurrence", ",", "time", "=", "new_reminder_time", ")", "new_reminder", ".", "save", "(", ")", "# Set reminders based on the choice the user made\r", "if", "sendReminderTo", "==", "'all'", ":", "user_set", "=", "User", ".", "objects", ".", "filter", "(", "Q", "(", "staffmember__isnull", "=", "False", ")", "|", "Q", "(", "is_staff", "=", "True", ")", ")", "elif", "sendReminderTo", "==", "'me'", ":", "user_set", "=", "User", ".", "objects", ".", "filter", "(", "id", "=", "occurrence", ".", "event", ".", "submissionUser", ".", "id", ")", "elif", "sendReminderTo", "==", "'users'", ":", "user_set", "=", "User", ".", "objects", ".", "filter", "(", "*", "*", "{", "'id__in'", ":", "sendReminderUsers", "}", ")", "elif", "sendReminderTo", "==", "'group'", ":", "user_set", "=", "User", ".", "objects", ".", "filter", "(", "*", "*", "{", "'groups'", ":", "sendReminderGroup", "}", ")", "else", ":", "user_set", "=", "[", "]", "for", "user", "in", "user_set", ":", "new_reminder", ".", "notifyList", ".", "add", "(", "user", ")" ]
This function is called to create the actual reminders for each occurrence that is created.
[ "This", "function", "is", "called", "to", "create", "the", "actual", "reminders", "for", "each", "occurrence", "that", "is", "created", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/private_events/forms.py#L181-L208
train
236,410
django-danceschool/django-danceschool
danceschool/core/utils/requests.py
getIntFromGet
def getIntFromGet(request,key): ''' This function just parses the request GET data for the requested key, and returns it as an integer, returning none if the key is not available or is in incorrect format. ''' try: return int(request.GET.get(key)) except (ValueError, TypeError): return None
python
def getIntFromGet(request,key): ''' This function just parses the request GET data for the requested key, and returns it as an integer, returning none if the key is not available or is in incorrect format. ''' try: return int(request.GET.get(key)) except (ValueError, TypeError): return None
[ "def", "getIntFromGet", "(", "request", ",", "key", ")", ":", "try", ":", "return", "int", "(", "request", ".", "GET", ".", "get", "(", "key", ")", ")", "except", "(", "ValueError", ",", "TypeError", ")", ":", "return", "None" ]
This function just parses the request GET data for the requested key, and returns it as an integer, returning none if the key is not available or is in incorrect format.
[ "This", "function", "just", "parses", "the", "request", "GET", "data", "for", "the", "requested", "key", "and", "returns", "it", "as", "an", "integer", "returning", "none", "if", "the", "key", "is", "not", "available", "or", "is", "in", "incorrect", "format", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/utils/requests.py#L7-L16
train
236,411
django-danceschool/django-danceschool
danceschool/core/utils/requests.py
getDateTimeFromGet
def getDateTimeFromGet(request,key): ''' This function just parses the request GET data for the requested key, and returns it in datetime format, returning none if the key is not available or is in incorrect format. ''' if request.GET.get(key,''): try: return ensure_timezone(datetime.strptime(unquote(request.GET.get(key,'')),'%Y-%m-%d')) except (ValueError, TypeError): pass return None
python
def getDateTimeFromGet(request,key): ''' This function just parses the request GET data for the requested key, and returns it in datetime format, returning none if the key is not available or is in incorrect format. ''' if request.GET.get(key,''): try: return ensure_timezone(datetime.strptime(unquote(request.GET.get(key,'')),'%Y-%m-%d')) except (ValueError, TypeError): pass return None
[ "def", "getDateTimeFromGet", "(", "request", ",", "key", ")", ":", "if", "request", ".", "GET", ".", "get", "(", "key", ",", "''", ")", ":", "try", ":", "return", "ensure_timezone", "(", "datetime", ".", "strptime", "(", "unquote", "(", "request", ".", "GET", ".", "get", "(", "key", ",", "''", ")", ")", ",", "'%Y-%m-%d'", ")", ")", "except", "(", "ValueError", ",", "TypeError", ")", ":", "pass", "return", "None" ]
This function just parses the request GET data for the requested key, and returns it in datetime format, returning none if the key is not available or is in incorrect format.
[ "This", "function", "just", "parses", "the", "request", "GET", "data", "for", "the", "requested", "key", "and", "returns", "it", "in", "datetime", "format", "returning", "none", "if", "the", "key", "is", "not", "available", "or", "is", "in", "incorrect", "format", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/utils/requests.py#L19-L30
train
236,412
django-danceschool/django-danceschool
danceschool/private_lessons/handlers.py
finalizePrivateLessonRegistration
def finalizePrivateLessonRegistration(sender,**kwargs): ''' Once a private lesson registration is finalized, mark the slots that were used to book the private lesson as booked and associate them with the final registration. No need to notify students in this instance because they are already receiving a notification of their registration. ''' finalReg = kwargs.pop('registration') for er in finalReg.eventregistration_set.filter( event__privatelessonevent__isnull=False ): er.event.finalizeBooking(eventRegistration=er,notifyStudent=False)
python
def finalizePrivateLessonRegistration(sender,**kwargs): ''' Once a private lesson registration is finalized, mark the slots that were used to book the private lesson as booked and associate them with the final registration. No need to notify students in this instance because they are already receiving a notification of their registration. ''' finalReg = kwargs.pop('registration') for er in finalReg.eventregistration_set.filter( event__privatelessonevent__isnull=False ): er.event.finalizeBooking(eventRegistration=er,notifyStudent=False)
[ "def", "finalizePrivateLessonRegistration", "(", "sender", ",", "*", "*", "kwargs", ")", ":", "finalReg", "=", "kwargs", ".", "pop", "(", "'registration'", ")", "for", "er", "in", "finalReg", ".", "eventregistration_set", ".", "filter", "(", "event__privatelessonevent__isnull", "=", "False", ")", ":", "er", ".", "event", ".", "finalizeBooking", "(", "eventRegistration", "=", "er", ",", "notifyStudent", "=", "False", ")" ]
Once a private lesson registration is finalized, mark the slots that were used to book the private lesson as booked and associate them with the final registration. No need to notify students in this instance because they are already receiving a notification of their registration.
[ "Once", "a", "private", "lesson", "registration", "is", "finalized", "mark", "the", "slots", "that", "were", "used", "to", "book", "the", "private", "lesson", "as", "booked", "and", "associate", "them", "with", "the", "final", "registration", ".", "No", "need", "to", "notify", "students", "in", "this", "instance", "because", "they", "are", "already", "receiving", "a", "notification", "of", "their", "registration", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/private_lessons/handlers.py#L6-L19
train
236,413
django-danceschool/django-danceschool
danceschool/financial/admin.py
resetStaffCompensationInfo
def resetStaffCompensationInfo(self, request, queryset): ''' This action is added to the list for staff member to permit bulk reseting to category defaults of compensation information for staff members. ''' selected = request.POST.getlist(admin.ACTION_CHECKBOX_NAME) ct = ContentType.objects.get_for_model(queryset.model) return HttpResponseRedirect(reverse('resetCompensationRules') + "?ct=%s&ids=%s" % (ct.pk, ",".join(selected)))
python
def resetStaffCompensationInfo(self, request, queryset): ''' This action is added to the list for staff member to permit bulk reseting to category defaults of compensation information for staff members. ''' selected = request.POST.getlist(admin.ACTION_CHECKBOX_NAME) ct = ContentType.objects.get_for_model(queryset.model) return HttpResponseRedirect(reverse('resetCompensationRules') + "?ct=%s&ids=%s" % (ct.pk, ",".join(selected)))
[ "def", "resetStaffCompensationInfo", "(", "self", ",", "request", ",", "queryset", ")", ":", "selected", "=", "request", ".", "POST", ".", "getlist", "(", "admin", ".", "ACTION_CHECKBOX_NAME", ")", "ct", "=", "ContentType", ".", "objects", ".", "get_for_model", "(", "queryset", ".", "model", ")", "return", "HttpResponseRedirect", "(", "reverse", "(", "'resetCompensationRules'", ")", "+", "\"?ct=%s&ids=%s\"", "%", "(", "ct", ".", "pk", ",", "\",\"", ".", "join", "(", "selected", ")", ")", ")" ]
This action is added to the list for staff member to permit bulk reseting to category defaults of compensation information for staff members.
[ "This", "action", "is", "added", "to", "the", "list", "for", "staff", "member", "to", "permit", "bulk", "reseting", "to", "category", "defaults", "of", "compensation", "information", "for", "staff", "members", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/admin.py#L382-L389
train
236,414
django-danceschool/django-danceschool
danceschool/financial/admin.py
RepeatedExpenseRuleChildAdmin.get_fieldsets
def get_fieldsets(self, request, obj=None): ''' Override polymorphic default to put the subclass-specific fields first ''' # If subclass declares fieldsets, this is respected if (hasattr(self, 'declared_fieldset') and self.declared_fieldsets) \ or not self.base_fieldsets: return super(PolymorphicChildModelAdmin, self).get_fieldsets(request, obj) other_fields = self.get_subclass_fields(request, obj) if other_fields: return ( (self.extra_fieldset_title, {'fields': other_fields}), ) + self.base_fieldsets else: return self.base_fieldsets
python
def get_fieldsets(self, request, obj=None): ''' Override polymorphic default to put the subclass-specific fields first ''' # If subclass declares fieldsets, this is respected if (hasattr(self, 'declared_fieldset') and self.declared_fieldsets) \ or not self.base_fieldsets: return super(PolymorphicChildModelAdmin, self).get_fieldsets(request, obj) other_fields = self.get_subclass_fields(request, obj) if other_fields: return ( (self.extra_fieldset_title, {'fields': other_fields}), ) + self.base_fieldsets else: return self.base_fieldsets
[ "def", "get_fieldsets", "(", "self", ",", "request", ",", "obj", "=", "None", ")", ":", "# If subclass declares fieldsets, this is respected", "if", "(", "hasattr", "(", "self", ",", "'declared_fieldset'", ")", "and", "self", ".", "declared_fieldsets", ")", "or", "not", "self", ".", "base_fieldsets", ":", "return", "super", "(", "PolymorphicChildModelAdmin", ",", "self", ")", ".", "get_fieldsets", "(", "request", ",", "obj", ")", "other_fields", "=", "self", ".", "get_subclass_fields", "(", "request", ",", "obj", ")", "if", "other_fields", ":", "return", "(", "(", "self", ".", "extra_fieldset_title", ",", "{", "'fields'", ":", "other_fields", "}", ")", ",", ")", "+", "self", ".", "base_fieldsets", "else", ":", "return", "self", ".", "base_fieldsets" ]
Override polymorphic default to put the subclass-specific fields first
[ "Override", "polymorphic", "default", "to", "put", "the", "subclass", "-", "specific", "fields", "first" ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/admin.py#L427-L441
train
236,415
django-danceschool/django-danceschool
danceschool/core/management/commands/setupschool.py
Command.pattern_input
def pattern_input(self, question, message='Invalid entry', pattern='^[a-zA-Z0-9_ ]+$', default='',required=True): ''' Method for input disallowing special characters, with optionally specifiable regex pattern and error message. ''' result = '' requiredFlag = True while (not result and requiredFlag): result = input('%s: ' % question) if result and pattern and not re.match(pattern, result): self.stdout.write(self.style.ERROR(message)) result = '' elif not result and default: # Return default for fields with default return default elif not result and required: # Ask again for required fields self.stdout.write(self.style.ERROR('Answer is required.')) elif not required: # No need to re-ask for non-required fields requiredFlag = False return result
python
def pattern_input(self, question, message='Invalid entry', pattern='^[a-zA-Z0-9_ ]+$', default='',required=True): ''' Method for input disallowing special characters, with optionally specifiable regex pattern and error message. ''' result = '' requiredFlag = True while (not result and requiredFlag): result = input('%s: ' % question) if result and pattern and not re.match(pattern, result): self.stdout.write(self.style.ERROR(message)) result = '' elif not result and default: # Return default for fields with default return default elif not result and required: # Ask again for required fields self.stdout.write(self.style.ERROR('Answer is required.')) elif not required: # No need to re-ask for non-required fields requiredFlag = False return result
[ "def", "pattern_input", "(", "self", ",", "question", ",", "message", "=", "'Invalid entry'", ",", "pattern", "=", "'^[a-zA-Z0-9_ ]+$'", ",", "default", "=", "''", ",", "required", "=", "True", ")", ":", "result", "=", "''", "requiredFlag", "=", "True", "while", "(", "not", "result", "and", "requiredFlag", ")", ":", "result", "=", "input", "(", "'%s: '", "%", "question", ")", "if", "result", "and", "pattern", "and", "not", "re", ".", "match", "(", "pattern", ",", "result", ")", ":", "self", ".", "stdout", ".", "write", "(", "self", ".", "style", ".", "ERROR", "(", "message", ")", ")", "result", "=", "''", "elif", "not", "result", "and", "default", ":", "# Return default for fields with default", "return", "default", "elif", "not", "result", "and", "required", ":", "# Ask again for required fields", "self", ".", "stdout", ".", "write", "(", "self", ".", "style", ".", "ERROR", "(", "'Answer is required.'", ")", ")", "elif", "not", "required", ":", "# No need to re-ask for non-required fields", "requiredFlag", "=", "False", "return", "result" ]
Method for input disallowing special characters, with optionally specifiable regex pattern and error message.
[ "Method", "for", "input", "disallowing", "special", "characters", "with", "optionally", "specifiable", "regex", "pattern", "and", "error", "message", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/management/commands/setupschool.py#L36-L58
train
236,416
django-danceschool/django-danceschool
danceschool/core/management/commands/setupschool.py
Command.float_input
def float_input(self, question, message='Invalid entry', default=None, required=True): ''' Method for floating point inputs with optionally specifiable error message. ''' float_result = None requiredFlag = True while (float_result is None and requiredFlag): result = input('%s: ' % question) if not result and not required: float_result = None requiredFlag = False if not result and default: float_result = default if float_result is None and requiredFlag: try: float_result = float(result) except ValueError: self.stdout.write(self.style.ERROR(message)) float_result = None return float_result
python
def float_input(self, question, message='Invalid entry', default=None, required=True): ''' Method for floating point inputs with optionally specifiable error message. ''' float_result = None requiredFlag = True while (float_result is None and requiredFlag): result = input('%s: ' % question) if not result and not required: float_result = None requiredFlag = False if not result and default: float_result = default if float_result is None and requiredFlag: try: float_result = float(result) except ValueError: self.stdout.write(self.style.ERROR(message)) float_result = None return float_result
[ "def", "float_input", "(", "self", ",", "question", ",", "message", "=", "'Invalid entry'", ",", "default", "=", "None", ",", "required", "=", "True", ")", ":", "float_result", "=", "None", "requiredFlag", "=", "True", "while", "(", "float_result", "is", "None", "and", "requiredFlag", ")", ":", "result", "=", "input", "(", "'%s: '", "%", "question", ")", "if", "not", "result", "and", "not", "required", ":", "float_result", "=", "None", "requiredFlag", "=", "False", "if", "not", "result", "and", "default", ":", "float_result", "=", "default", "if", "float_result", "is", "None", "and", "requiredFlag", ":", "try", ":", "float_result", "=", "float", "(", "result", ")", "except", "ValueError", ":", "self", ".", "stdout", ".", "write", "(", "self", ".", "style", ".", "ERROR", "(", "message", ")", ")", "float_result", "=", "None", "return", "float_result" ]
Method for floating point inputs with optionally specifiable error message.
[ "Method", "for", "floating", "point", "inputs", "with", "optionally", "specifiable", "error", "message", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/management/commands/setupschool.py#L60-L81
train
236,417
django-danceschool/django-danceschool
danceschool/core/utils/timezone.py
ensure_timezone
def ensure_timezone(dateTime,timeZone=None): ''' Since this project is designed to be used in both time-zone aware and naive environments, this utility just returns a datetime as either aware or naive depending on whether time zone support is enabled. ''' if is_aware(dateTime) and not getattr(settings,'USE_TZ',False): return make_naive(dateTime,timezone=timeZone) if is_naive(dateTime) and getattr(settings,'USE_TZ',False): return make_aware(dateTime,timezone=timeZone) # If neither condition is met, then we can return what was passed return dateTime
python
def ensure_timezone(dateTime,timeZone=None): ''' Since this project is designed to be used in both time-zone aware and naive environments, this utility just returns a datetime as either aware or naive depending on whether time zone support is enabled. ''' if is_aware(dateTime) and not getattr(settings,'USE_TZ',False): return make_naive(dateTime,timezone=timeZone) if is_naive(dateTime) and getattr(settings,'USE_TZ',False): return make_aware(dateTime,timezone=timeZone) # If neither condition is met, then we can return what was passed return dateTime
[ "def", "ensure_timezone", "(", "dateTime", ",", "timeZone", "=", "None", ")", ":", "if", "is_aware", "(", "dateTime", ")", "and", "not", "getattr", "(", "settings", ",", "'USE_TZ'", ",", "False", ")", ":", "return", "make_naive", "(", "dateTime", ",", "timezone", "=", "timeZone", ")", "if", "is_naive", "(", "dateTime", ")", "and", "getattr", "(", "settings", ",", "'USE_TZ'", ",", "False", ")", ":", "return", "make_aware", "(", "dateTime", ",", "timezone", "=", "timeZone", ")", "# If neither condition is met, then we can return what was passed\r", "return", "dateTime" ]
Since this project is designed to be used in both time-zone aware and naive environments, this utility just returns a datetime as either aware or naive depending on whether time zone support is enabled.
[ "Since", "this", "project", "is", "designed", "to", "be", "used", "in", "both", "time", "-", "zone", "aware", "and", "naive", "environments", "this", "utility", "just", "returns", "a", "datetime", "as", "either", "aware", "or", "naive", "depending", "on", "whether", "time", "zone", "support", "is", "enabled", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/utils/timezone.py#L5-L17
train
236,418
django-danceschool/django-danceschool
danceschool/financial/migrations/0012_auto_20181216_1615.py
update_payTo
def update_payTo(apps, schema_editor): ''' With the new TransactionParty model, the senders and recipients of financial transactions are held in one place. So, we need to loop through old ExpenseItems, RevenueItems, and GenericRepeatedExpense and move their old party references to the new party model. ''' TransactionParty = apps.get_model('financial', 'TransactionParty') ExpenseItem = apps.get_model('financial', 'ExpenseItem') RevenueItem = apps.get_model('financial', 'RevenueItem') GenericRepeatedExpense = apps.get_model('financial', 'GenericRepeatedExpense') # First, update expense items and Generic repeated expense rules for item in chain( ExpenseItem.objects.filter( Q(payToUser__isnull=False) | Q(payToLocation__isnull=False) | Q(payToName__isnull=False) ), GenericRepeatedExpense.objects.filter( Q(payToUser__isnull=False) | Q(payToLocation__isnull=False) | Q(payToName__isnull=False) ), ): if getattr(item, 'payToUser', None): party = TransactionParty.objects.get_or_create( user=item.payToUser, defaults={ 'name': getFullName(item.payToUser), 'staffMember': getattr(item.payToUser, 'staffmember', None), } )[0] elif getattr(item, 'payToLocation', None): party = TransactionParty.objects.get_or_create( location=item.payToLocation, defaults={ 'name': item.payToLocation.name, } )[0] elif getattr(item, 'payToName', None): party = createPartyFromName(apps, item.payToName) item.payTo = party item.save() # Finally, update revenue items for item in RevenueItem.objects.filter( Q(receivedFromName__isnull=False) ): party = createPartyFromName(apps, item.receivedFromName) item.receivedFrom = party item.save()
python
def update_payTo(apps, schema_editor): ''' With the new TransactionParty model, the senders and recipients of financial transactions are held in one place. So, we need to loop through old ExpenseItems, RevenueItems, and GenericRepeatedExpense and move their old party references to the new party model. ''' TransactionParty = apps.get_model('financial', 'TransactionParty') ExpenseItem = apps.get_model('financial', 'ExpenseItem') RevenueItem = apps.get_model('financial', 'RevenueItem') GenericRepeatedExpense = apps.get_model('financial', 'GenericRepeatedExpense') # First, update expense items and Generic repeated expense rules for item in chain( ExpenseItem.objects.filter( Q(payToUser__isnull=False) | Q(payToLocation__isnull=False) | Q(payToName__isnull=False) ), GenericRepeatedExpense.objects.filter( Q(payToUser__isnull=False) | Q(payToLocation__isnull=False) | Q(payToName__isnull=False) ), ): if getattr(item, 'payToUser', None): party = TransactionParty.objects.get_or_create( user=item.payToUser, defaults={ 'name': getFullName(item.payToUser), 'staffMember': getattr(item.payToUser, 'staffmember', None), } )[0] elif getattr(item, 'payToLocation', None): party = TransactionParty.objects.get_or_create( location=item.payToLocation, defaults={ 'name': item.payToLocation.name, } )[0] elif getattr(item, 'payToName', None): party = createPartyFromName(apps, item.payToName) item.payTo = party item.save() # Finally, update revenue items for item in RevenueItem.objects.filter( Q(receivedFromName__isnull=False) ): party = createPartyFromName(apps, item.receivedFromName) item.receivedFrom = party item.save()
[ "def", "update_payTo", "(", "apps", ",", "schema_editor", ")", ":", "TransactionParty", "=", "apps", ".", "get_model", "(", "'financial'", ",", "'TransactionParty'", ")", "ExpenseItem", "=", "apps", ".", "get_model", "(", "'financial'", ",", "'ExpenseItem'", ")", "RevenueItem", "=", "apps", ".", "get_model", "(", "'financial'", ",", "'RevenueItem'", ")", "GenericRepeatedExpense", "=", "apps", ".", "get_model", "(", "'financial'", ",", "'GenericRepeatedExpense'", ")", "# First, update expense items and Generic repeated expense rules", "for", "item", "in", "chain", "(", "ExpenseItem", ".", "objects", ".", "filter", "(", "Q", "(", "payToUser__isnull", "=", "False", ")", "|", "Q", "(", "payToLocation__isnull", "=", "False", ")", "|", "Q", "(", "payToName__isnull", "=", "False", ")", ")", ",", "GenericRepeatedExpense", ".", "objects", ".", "filter", "(", "Q", "(", "payToUser__isnull", "=", "False", ")", "|", "Q", "(", "payToLocation__isnull", "=", "False", ")", "|", "Q", "(", "payToName__isnull", "=", "False", ")", ")", ",", ")", ":", "if", "getattr", "(", "item", ",", "'payToUser'", ",", "None", ")", ":", "party", "=", "TransactionParty", ".", "objects", ".", "get_or_create", "(", "user", "=", "item", ".", "payToUser", ",", "defaults", "=", "{", "'name'", ":", "getFullName", "(", "item", ".", "payToUser", ")", ",", "'staffMember'", ":", "getattr", "(", "item", ".", "payToUser", ",", "'staffmember'", ",", "None", ")", ",", "}", ")", "[", "0", "]", "elif", "getattr", "(", "item", ",", "'payToLocation'", ",", "None", ")", ":", "party", "=", "TransactionParty", ".", "objects", ".", "get_or_create", "(", "location", "=", "item", ".", "payToLocation", ",", "defaults", "=", "{", "'name'", ":", "item", ".", "payToLocation", ".", "name", ",", "}", ")", "[", "0", "]", "elif", "getattr", "(", "item", ",", "'payToName'", ",", "None", ")", ":", "party", "=", "createPartyFromName", "(", "apps", ",", "item", ".", "payToName", ")", "item", ".", "payTo", "=", "party", "item", ".", "save", "(", ")", "# Finally, update revenue items", "for", "item", "in", "RevenueItem", ".", "objects", ".", "filter", "(", "Q", "(", "receivedFromName__isnull", "=", "False", ")", ")", ":", "party", "=", "createPartyFromName", "(", "apps", ",", "item", ".", "receivedFromName", ")", "item", ".", "receivedFrom", "=", "party", "item", ".", "save", "(", ")" ]
With the new TransactionParty model, the senders and recipients of financial transactions are held in one place. So, we need to loop through old ExpenseItems, RevenueItems, and GenericRepeatedExpense and move their old party references to the new party model.
[ "With", "the", "new", "TransactionParty", "model", "the", "senders", "and", "recipients", "of", "financial", "transactions", "are", "held", "in", "one", "place", ".", "So", "we", "need", "to", "loop", "through", "old", "ExpenseItems", "RevenueItems", "and", "GenericRepeatedExpense", "and", "move", "their", "old", "party", "references", "to", "the", "new", "party", "model", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/migrations/0012_auto_20181216_1615.py#L71-L119
train
236,419
django-danceschool/django-danceschool
danceschool/discounts/migrations/0005_auto_20170830_1159.py
create_initial_category
def create_initial_category(apps, schema_editor): ''' Create a default category for existing discounts ''' DiscountCategory = apps.get_model('discounts','DiscountCategory') db_alias = schema_editor.connection.alias DiscountCategory.objects.using(db_alias).create( id=1,name='General Discounts',order=1,cannotCombine=False )
python
def create_initial_category(apps, schema_editor): ''' Create a default category for existing discounts ''' DiscountCategory = apps.get_model('discounts','DiscountCategory') db_alias = schema_editor.connection.alias DiscountCategory.objects.using(db_alias).create( id=1,name='General Discounts',order=1,cannotCombine=False )
[ "def", "create_initial_category", "(", "apps", ",", "schema_editor", ")", ":", "DiscountCategory", "=", "apps", ".", "get_model", "(", "'discounts'", ",", "'DiscountCategory'", ")", "db_alias", "=", "schema_editor", ".", "connection", ".", "alias", "DiscountCategory", ".", "objects", ".", "using", "(", "db_alias", ")", ".", "create", "(", "id", "=", "1", ",", "name", "=", "'General Discounts'", ",", "order", "=", "1", ",", "cannotCombine", "=", "False", ")" ]
Create a default category for existing discounts
[ "Create", "a", "default", "category", "for", "existing", "discounts" ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/discounts/migrations/0005_auto_20170830_1159.py#L10-L16
train
236,420
django-danceschool/django-danceschool
danceschool/core/classreg.py
ClassRegistrationView.dispatch
def dispatch(self, request, *args, **kwargs): ''' Check that registration is online before proceeding. If this is a POST request, determine whether the response should be provided in JSON form. ''' self.returnJson = (request.POST.get('json') in ['true', True]) regonline = getConstant('registration__registrationEnabled') if not regonline: returnUrl = reverse('registrationOffline') if self.returnJson: return JsonResponse({'status': 'success', 'redirect': returnUrl}) return HttpResponseRedirect(returnUrl) return super().dispatch(request, *args, **kwargs)
python
def dispatch(self, request, *args, **kwargs): ''' Check that registration is online before proceeding. If this is a POST request, determine whether the response should be provided in JSON form. ''' self.returnJson = (request.POST.get('json') in ['true', True]) regonline = getConstant('registration__registrationEnabled') if not regonline: returnUrl = reverse('registrationOffline') if self.returnJson: return JsonResponse({'status': 'success', 'redirect': returnUrl}) return HttpResponseRedirect(returnUrl) return super().dispatch(request, *args, **kwargs)
[ "def", "dispatch", "(", "self", ",", "request", ",", "*", "args", ",", "*", "*", "kwargs", ")", ":", "self", ".", "returnJson", "=", "(", "request", ".", "POST", ".", "get", "(", "'json'", ")", "in", "[", "'true'", ",", "True", "]", ")", "regonline", "=", "getConstant", "(", "'registration__registrationEnabled'", ")", "if", "not", "regonline", ":", "returnUrl", "=", "reverse", "(", "'registrationOffline'", ")", "if", "self", ".", "returnJson", ":", "return", "JsonResponse", "(", "{", "'status'", ":", "'success'", ",", "'redirect'", ":", "returnUrl", "}", ")", "return", "HttpResponseRedirect", "(", "returnUrl", ")", "return", "super", "(", ")", ".", "dispatch", "(", "request", ",", "*", "args", ",", "*", "*", "kwargs", ")" ]
Check that registration is online before proceeding. If this is a POST request, determine whether the response should be provided in JSON form.
[ "Check", "that", "registration", "is", "online", "before", "proceeding", ".", "If", "this", "is", "a", "POST", "request", "determine", "whether", "the", "response", "should", "be", "provided", "in", "JSON", "form", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/classreg.py#L65-L80
train
236,421
django-danceschool/django-danceschool
danceschool/core/classreg.py
ClassRegistrationView.get_context_data
def get_context_data(self,**kwargs): ''' Add the event and series listing data ''' context = self.get_listing() context['showDescriptionRule'] = getConstant('registration__showDescriptionRule') or 'all' context.update(kwargs) # Update the site session data so that registration processes know to send return links to # the registration page. set_return_page() is in SiteHistoryMixin. self.set_return_page('registration',_('Registration')) return super(ClassRegistrationView,self).get_context_data(**context)
python
def get_context_data(self,**kwargs): ''' Add the event and series listing data ''' context = self.get_listing() context['showDescriptionRule'] = getConstant('registration__showDescriptionRule') or 'all' context.update(kwargs) # Update the site session data so that registration processes know to send return links to # the registration page. set_return_page() is in SiteHistoryMixin. self.set_return_page('registration',_('Registration')) return super(ClassRegistrationView,self).get_context_data(**context)
[ "def", "get_context_data", "(", "self", ",", "*", "*", "kwargs", ")", ":", "context", "=", "self", ".", "get_listing", "(", ")", "context", "[", "'showDescriptionRule'", "]", "=", "getConstant", "(", "'registration__showDescriptionRule'", ")", "or", "'all'", "context", ".", "update", "(", "kwargs", ")", "# Update the site session data so that registration processes know to send return links to", "# the registration page. set_return_page() is in SiteHistoryMixin.", "self", ".", "set_return_page", "(", "'registration'", ",", "_", "(", "'Registration'", ")", ")", "return", "super", "(", "ClassRegistrationView", ",", "self", ")", ".", "get_context_data", "(", "*", "*", "context", ")" ]
Add the event and series listing data
[ "Add", "the", "event", "and", "series", "listing", "data" ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/classreg.py#L82-L92
train
236,422
django-danceschool/django-danceschool
danceschool/core/classreg.py
ClassRegistrationView.get_form_kwargs
def get_form_kwargs(self, **kwargs): ''' Tell the form which fields to render ''' kwargs = super(ClassRegistrationView, self).get_form_kwargs(**kwargs) kwargs['user'] = self.request.user if hasattr(self.request,'user') else None listing = self.get_listing() kwargs.update({ 'openEvents': listing['openEvents'], 'closedEvents': listing['closedEvents'], }) return kwargs
python
def get_form_kwargs(self, **kwargs): ''' Tell the form which fields to render ''' kwargs = super(ClassRegistrationView, self).get_form_kwargs(**kwargs) kwargs['user'] = self.request.user if hasattr(self.request,'user') else None listing = self.get_listing() kwargs.update({ 'openEvents': listing['openEvents'], 'closedEvents': listing['closedEvents'], }) return kwargs
[ "def", "get_form_kwargs", "(", "self", ",", "*", "*", "kwargs", ")", ":", "kwargs", "=", "super", "(", "ClassRegistrationView", ",", "self", ")", ".", "get_form_kwargs", "(", "*", "*", "kwargs", ")", "kwargs", "[", "'user'", "]", "=", "self", ".", "request", ".", "user", "if", "hasattr", "(", "self", ".", "request", ",", "'user'", ")", "else", "None", "listing", "=", "self", ".", "get_listing", "(", ")", "kwargs", ".", "update", "(", "{", "'openEvents'", ":", "listing", "[", "'openEvents'", "]", ",", "'closedEvents'", ":", "listing", "[", "'closedEvents'", "]", ",", "}", ")", "return", "kwargs" ]
Tell the form which fields to render
[ "Tell", "the", "form", "which", "fields", "to", "render" ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/classreg.py#L94-L105
train
236,423
django-danceschool/django-danceschool
danceschool/core/classreg.py
ClassRegistrationView.get_allEvents
def get_allEvents(self): ''' Splitting this method out to get the set of events to filter allows one to subclass for different subsets of events without copying other logic ''' if not hasattr(self,'allEvents'): timeFilters = {'endTime__gte': timezone.now()} if getConstant('registration__displayLimitDays') or 0 > 0: timeFilters['startTime__lte'] = timezone.now() + timedelta(days=getConstant('registration__displayLimitDays')) # Get the Event listing here to avoid duplicate queries self.allEvents = Event.objects.filter( **timeFilters ).filter( Q(instance_of=PublicEvent) | Q(instance_of=Series) ).annotate( **self.get_annotations() ).exclude( Q(status=Event.RegStatus.hidden) | Q(status=Event.RegStatus.regHidden) | Q(status=Event.RegStatus.linkOnly) ).order_by(*self.get_ordering()) return self.allEvents
python
def get_allEvents(self): ''' Splitting this method out to get the set of events to filter allows one to subclass for different subsets of events without copying other logic ''' if not hasattr(self,'allEvents'): timeFilters = {'endTime__gte': timezone.now()} if getConstant('registration__displayLimitDays') or 0 > 0: timeFilters['startTime__lte'] = timezone.now() + timedelta(days=getConstant('registration__displayLimitDays')) # Get the Event listing here to avoid duplicate queries self.allEvents = Event.objects.filter( **timeFilters ).filter( Q(instance_of=PublicEvent) | Q(instance_of=Series) ).annotate( **self.get_annotations() ).exclude( Q(status=Event.RegStatus.hidden) | Q(status=Event.RegStatus.regHidden) | Q(status=Event.RegStatus.linkOnly) ).order_by(*self.get_ordering()) return self.allEvents
[ "def", "get_allEvents", "(", "self", ")", ":", "if", "not", "hasattr", "(", "self", ",", "'allEvents'", ")", ":", "timeFilters", "=", "{", "'endTime__gte'", ":", "timezone", ".", "now", "(", ")", "}", "if", "getConstant", "(", "'registration__displayLimitDays'", ")", "or", "0", ">", "0", ":", "timeFilters", "[", "'startTime__lte'", "]", "=", "timezone", ".", "now", "(", ")", "+", "timedelta", "(", "days", "=", "getConstant", "(", "'registration__displayLimitDays'", ")", ")", "# Get the Event listing here to avoid duplicate queries", "self", ".", "allEvents", "=", "Event", ".", "objects", ".", "filter", "(", "*", "*", "timeFilters", ")", ".", "filter", "(", "Q", "(", "instance_of", "=", "PublicEvent", ")", "|", "Q", "(", "instance_of", "=", "Series", ")", ")", ".", "annotate", "(", "*", "*", "self", ".", "get_annotations", "(", ")", ")", ".", "exclude", "(", "Q", "(", "status", "=", "Event", ".", "RegStatus", ".", "hidden", ")", "|", "Q", "(", "status", "=", "Event", ".", "RegStatus", ".", "regHidden", ")", "|", "Q", "(", "status", "=", "Event", ".", "RegStatus", ".", "linkOnly", ")", ")", ".", "order_by", "(", "*", "self", ".", "get_ordering", "(", ")", ")", "return", "self", ".", "allEvents" ]
Splitting this method out to get the set of events to filter allows one to subclass for different subsets of events without copying other logic
[ "Splitting", "this", "method", "out", "to", "get", "the", "set", "of", "events", "to", "filter", "allows", "one", "to", "subclass", "for", "different", "subsets", "of", "events", "without", "copying", "other", "logic" ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/classreg.py#L228-L254
train
236,424
django-danceschool/django-danceschool
danceschool/core/classreg.py
ClassRegistrationView.get_listing
def get_listing(self): ''' This function gets all of the information that we need to either render or validate the form. It is structured to avoid duplicate DB queries ''' if not hasattr(self,'listing'): allEvents = self.get_allEvents() openEvents = allEvents.filter(registrationOpen=True) closedEvents = allEvents.filter(registrationOpen=False) publicEvents = allEvents.instance_of(PublicEvent) allSeries = allEvents.instance_of(Series) self.listing = { 'allEvents': allEvents, 'openEvents': openEvents, 'closedEvents': closedEvents, 'publicEvents': publicEvents, 'allSeries': allSeries, 'regOpenEvents': publicEvents.filter(registrationOpen=True).filter( Q(publicevent__category__isnull=True) | Q(publicevent__category__separateOnRegistrationPage=False) ), 'regClosedEvents': publicEvents.filter(registrationOpen=False).filter( Q(publicevent__category__isnull=True) | Q(publicevent__category__separateOnRegistrationPage=False) ), 'categorySeparateEvents': publicEvents.filter( publicevent__category__separateOnRegistrationPage=True ).order_by('publicevent__category'), 'regOpenSeries': allSeries.filter(registrationOpen=True).filter( Q(series__category__isnull=True) | Q(series__category__separateOnRegistrationPage=False) ), 'regClosedSeries': allSeries.filter(registrationOpen=False).filter( Q(series__category__isnull=True) | Q(series__category__separateOnRegistrationPage=False) ), 'categorySeparateSeries': allSeries.filter( series__category__separateOnRegistrationPage=True ).order_by('series__category'), } return self.listing
python
def get_listing(self): ''' This function gets all of the information that we need to either render or validate the form. It is structured to avoid duplicate DB queries ''' if not hasattr(self,'listing'): allEvents = self.get_allEvents() openEvents = allEvents.filter(registrationOpen=True) closedEvents = allEvents.filter(registrationOpen=False) publicEvents = allEvents.instance_of(PublicEvent) allSeries = allEvents.instance_of(Series) self.listing = { 'allEvents': allEvents, 'openEvents': openEvents, 'closedEvents': closedEvents, 'publicEvents': publicEvents, 'allSeries': allSeries, 'regOpenEvents': publicEvents.filter(registrationOpen=True).filter( Q(publicevent__category__isnull=True) | Q(publicevent__category__separateOnRegistrationPage=False) ), 'regClosedEvents': publicEvents.filter(registrationOpen=False).filter( Q(publicevent__category__isnull=True) | Q(publicevent__category__separateOnRegistrationPage=False) ), 'categorySeparateEvents': publicEvents.filter( publicevent__category__separateOnRegistrationPage=True ).order_by('publicevent__category'), 'regOpenSeries': allSeries.filter(registrationOpen=True).filter( Q(series__category__isnull=True) | Q(series__category__separateOnRegistrationPage=False) ), 'regClosedSeries': allSeries.filter(registrationOpen=False).filter( Q(series__category__isnull=True) | Q(series__category__separateOnRegistrationPage=False) ), 'categorySeparateSeries': allSeries.filter( series__category__separateOnRegistrationPage=True ).order_by('series__category'), } return self.listing
[ "def", "get_listing", "(", "self", ")", ":", "if", "not", "hasattr", "(", "self", ",", "'listing'", ")", ":", "allEvents", "=", "self", ".", "get_allEvents", "(", ")", "openEvents", "=", "allEvents", ".", "filter", "(", "registrationOpen", "=", "True", ")", "closedEvents", "=", "allEvents", ".", "filter", "(", "registrationOpen", "=", "False", ")", "publicEvents", "=", "allEvents", ".", "instance_of", "(", "PublicEvent", ")", "allSeries", "=", "allEvents", ".", "instance_of", "(", "Series", ")", "self", ".", "listing", "=", "{", "'allEvents'", ":", "allEvents", ",", "'openEvents'", ":", "openEvents", ",", "'closedEvents'", ":", "closedEvents", ",", "'publicEvents'", ":", "publicEvents", ",", "'allSeries'", ":", "allSeries", ",", "'regOpenEvents'", ":", "publicEvents", ".", "filter", "(", "registrationOpen", "=", "True", ")", ".", "filter", "(", "Q", "(", "publicevent__category__isnull", "=", "True", ")", "|", "Q", "(", "publicevent__category__separateOnRegistrationPage", "=", "False", ")", ")", ",", "'regClosedEvents'", ":", "publicEvents", ".", "filter", "(", "registrationOpen", "=", "False", ")", ".", "filter", "(", "Q", "(", "publicevent__category__isnull", "=", "True", ")", "|", "Q", "(", "publicevent__category__separateOnRegistrationPage", "=", "False", ")", ")", ",", "'categorySeparateEvents'", ":", "publicEvents", ".", "filter", "(", "publicevent__category__separateOnRegistrationPage", "=", "True", ")", ".", "order_by", "(", "'publicevent__category'", ")", ",", "'regOpenSeries'", ":", "allSeries", ".", "filter", "(", "registrationOpen", "=", "True", ")", ".", "filter", "(", "Q", "(", "series__category__isnull", "=", "True", ")", "|", "Q", "(", "series__category__separateOnRegistrationPage", "=", "False", ")", ")", ",", "'regClosedSeries'", ":", "allSeries", ".", "filter", "(", "registrationOpen", "=", "False", ")", ".", "filter", "(", "Q", "(", "series__category__isnull", "=", "True", ")", "|", "Q", "(", "series__category__separateOnRegistrationPage", "=", "False", ")", ")", ",", "'categorySeparateSeries'", ":", "allSeries", ".", "filter", "(", "series__category__separateOnRegistrationPage", "=", "True", ")", ".", "order_by", "(", "'series__category'", ")", ",", "}", "return", "self", ".", "listing" ]
This function gets all of the information that we need to either render or validate the form. It is structured to avoid duplicate DB queries
[ "This", "function", "gets", "all", "of", "the", "information", "that", "we", "need", "to", "either", "render", "or", "validate", "the", "form", ".", "It", "is", "structured", "to", "avoid", "duplicate", "DB", "queries" ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/classreg.py#L256-L295
train
236,425
django-danceschool/django-danceschool
danceschool/core/classreg.py
RegistrationSummaryView.dispatch
def dispatch(self,request,*args,**kwargs): ''' Always check that the temporary registration has not expired ''' regSession = self.request.session.get(REG_VALIDATION_STR,{}) if not regSession: return HttpResponseRedirect(reverse('registration')) try: reg = TemporaryRegistration.objects.get( id=self.request.session[REG_VALIDATION_STR].get('temporaryRegistrationId') ) except ObjectDoesNotExist: messages.error(request,_('Invalid registration identifier passed to summary view.')) return HttpResponseRedirect(reverse('registration')) expiry = parse_datetime( self.request.session[REG_VALIDATION_STR].get('temporaryRegistrationExpiry',''), ) if not expiry or expiry < timezone.now(): messages.info(request,_('Your registration session has expired. Please try again.')) return HttpResponseRedirect(reverse('registration')) # If OK, pass the registration and proceed kwargs.update({ 'reg': reg, }) return super(RegistrationSummaryView,self).dispatch(request, *args, **kwargs)
python
def dispatch(self,request,*args,**kwargs): ''' Always check that the temporary registration has not expired ''' regSession = self.request.session.get(REG_VALIDATION_STR,{}) if not regSession: return HttpResponseRedirect(reverse('registration')) try: reg = TemporaryRegistration.objects.get( id=self.request.session[REG_VALIDATION_STR].get('temporaryRegistrationId') ) except ObjectDoesNotExist: messages.error(request,_('Invalid registration identifier passed to summary view.')) return HttpResponseRedirect(reverse('registration')) expiry = parse_datetime( self.request.session[REG_VALIDATION_STR].get('temporaryRegistrationExpiry',''), ) if not expiry or expiry < timezone.now(): messages.info(request,_('Your registration session has expired. Please try again.')) return HttpResponseRedirect(reverse('registration')) # If OK, pass the registration and proceed kwargs.update({ 'reg': reg, }) return super(RegistrationSummaryView,self).dispatch(request, *args, **kwargs)
[ "def", "dispatch", "(", "self", ",", "request", ",", "*", "args", ",", "*", "*", "kwargs", ")", ":", "regSession", "=", "self", ".", "request", ".", "session", ".", "get", "(", "REG_VALIDATION_STR", ",", "{", "}", ")", "if", "not", "regSession", ":", "return", "HttpResponseRedirect", "(", "reverse", "(", "'registration'", ")", ")", "try", ":", "reg", "=", "TemporaryRegistration", ".", "objects", ".", "get", "(", "id", "=", "self", ".", "request", ".", "session", "[", "REG_VALIDATION_STR", "]", ".", "get", "(", "'temporaryRegistrationId'", ")", ")", "except", "ObjectDoesNotExist", ":", "messages", ".", "error", "(", "request", ",", "_", "(", "'Invalid registration identifier passed to summary view.'", ")", ")", "return", "HttpResponseRedirect", "(", "reverse", "(", "'registration'", ")", ")", "expiry", "=", "parse_datetime", "(", "self", ".", "request", ".", "session", "[", "REG_VALIDATION_STR", "]", ".", "get", "(", "'temporaryRegistrationExpiry'", ",", "''", ")", ",", ")", "if", "not", "expiry", "or", "expiry", "<", "timezone", ".", "now", "(", ")", ":", "messages", ".", "info", "(", "request", ",", "_", "(", "'Your registration session has expired. Please try again.'", ")", ")", "return", "HttpResponseRedirect", "(", "reverse", "(", "'registration'", ")", ")", "# If OK, pass the registration and proceed", "kwargs", ".", "update", "(", "{", "'reg'", ":", "reg", ",", "}", ")", "return", "super", "(", "RegistrationSummaryView", ",", "self", ")", ".", "dispatch", "(", "request", ",", "*", "args", ",", "*", "*", "kwargs", ")" ]
Always check that the temporary registration has not expired
[ "Always", "check", "that", "the", "temporary", "registration", "has", "not", "expired" ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/classreg.py#L321-L347
train
236,426
django-danceschool/django-danceschool
danceschool/core/classreg.py
RegistrationSummaryView.get_context_data
def get_context_data(self,**kwargs): ''' Pass the initial kwargs, then update with the needed registration info. ''' context_data = super(RegistrationSummaryView,self).get_context_data(**kwargs) regSession = self.request.session[REG_VALIDATION_STR] reg_id = regSession["temp_reg_id"] reg = TemporaryRegistration.objects.get(id=reg_id) discount_codes = regSession.get('discount_codes',None) discount_amount = regSession.get('total_discount_amount',0) voucher_names = regSession.get('voucher_names',[]) total_voucher_amount = regSession.get('total_voucher_amount',0) addons = regSession.get('addons',[]) if reg.priceWithDiscount == 0: # Create a new Invoice if one does not already exist. new_invoice = Invoice.get_or_create_from_registration(reg,status=Invoice.PaymentStatus.paid) new_invoice.processPayment(0,0,forceFinalize=True) isFree = True else: isFree = False context_data.update({ 'registration': reg, "totalPrice": reg.totalPrice, 'subtotal': reg.priceWithDiscount, 'taxes': reg.addTaxes, "netPrice": reg.priceWithDiscountAndTaxes, "addonItems": addons, "discount_codes": discount_codes, "discount_code_amount": discount_amount, "voucher_names": voucher_names, "total_voucher_amount": total_voucher_amount, "total_discount_amount": discount_amount + total_voucher_amount, "currencyCode": getConstant('general__currencyCode'), 'payAtDoor': reg.payAtDoor, 'is_free': isFree, }) if self.request.user: door_permission = self.request.user.has_perm('core.accept_door_payments') invoice_permission = self.request.user.has_perm('core.send_invoices') if door_permission or invoice_permission: context_data['form'] = DoorAmountForm( user=self.request.user, doorPortion=door_permission, invoicePortion=invoice_permission, payerEmail=reg.email, discountAmount=max(reg.totalPrice - reg.priceWithDiscount,0), ) return context_data
python
def get_context_data(self,**kwargs): ''' Pass the initial kwargs, then update with the needed registration info. ''' context_data = super(RegistrationSummaryView,self).get_context_data(**kwargs) regSession = self.request.session[REG_VALIDATION_STR] reg_id = regSession["temp_reg_id"] reg = TemporaryRegistration.objects.get(id=reg_id) discount_codes = regSession.get('discount_codes',None) discount_amount = regSession.get('total_discount_amount',0) voucher_names = regSession.get('voucher_names',[]) total_voucher_amount = regSession.get('total_voucher_amount',0) addons = regSession.get('addons',[]) if reg.priceWithDiscount == 0: # Create a new Invoice if one does not already exist. new_invoice = Invoice.get_or_create_from_registration(reg,status=Invoice.PaymentStatus.paid) new_invoice.processPayment(0,0,forceFinalize=True) isFree = True else: isFree = False context_data.update({ 'registration': reg, "totalPrice": reg.totalPrice, 'subtotal': reg.priceWithDiscount, 'taxes': reg.addTaxes, "netPrice": reg.priceWithDiscountAndTaxes, "addonItems": addons, "discount_codes": discount_codes, "discount_code_amount": discount_amount, "voucher_names": voucher_names, "total_voucher_amount": total_voucher_amount, "total_discount_amount": discount_amount + total_voucher_amount, "currencyCode": getConstant('general__currencyCode'), 'payAtDoor': reg.payAtDoor, 'is_free': isFree, }) if self.request.user: door_permission = self.request.user.has_perm('core.accept_door_payments') invoice_permission = self.request.user.has_perm('core.send_invoices') if door_permission or invoice_permission: context_data['form'] = DoorAmountForm( user=self.request.user, doorPortion=door_permission, invoicePortion=invoice_permission, payerEmail=reg.email, discountAmount=max(reg.totalPrice - reg.priceWithDiscount,0), ) return context_data
[ "def", "get_context_data", "(", "self", ",", "*", "*", "kwargs", ")", ":", "context_data", "=", "super", "(", "RegistrationSummaryView", ",", "self", ")", ".", "get_context_data", "(", "*", "*", "kwargs", ")", "regSession", "=", "self", ".", "request", ".", "session", "[", "REG_VALIDATION_STR", "]", "reg_id", "=", "regSession", "[", "\"temp_reg_id\"", "]", "reg", "=", "TemporaryRegistration", ".", "objects", ".", "get", "(", "id", "=", "reg_id", ")", "discount_codes", "=", "regSession", ".", "get", "(", "'discount_codes'", ",", "None", ")", "discount_amount", "=", "regSession", ".", "get", "(", "'total_discount_amount'", ",", "0", ")", "voucher_names", "=", "regSession", ".", "get", "(", "'voucher_names'", ",", "[", "]", ")", "total_voucher_amount", "=", "regSession", ".", "get", "(", "'total_voucher_amount'", ",", "0", ")", "addons", "=", "regSession", ".", "get", "(", "'addons'", ",", "[", "]", ")", "if", "reg", ".", "priceWithDiscount", "==", "0", ":", "# Create a new Invoice if one does not already exist.", "new_invoice", "=", "Invoice", ".", "get_or_create_from_registration", "(", "reg", ",", "status", "=", "Invoice", ".", "PaymentStatus", ".", "paid", ")", "new_invoice", ".", "processPayment", "(", "0", ",", "0", ",", "forceFinalize", "=", "True", ")", "isFree", "=", "True", "else", ":", "isFree", "=", "False", "context_data", ".", "update", "(", "{", "'registration'", ":", "reg", ",", "\"totalPrice\"", ":", "reg", ".", "totalPrice", ",", "'subtotal'", ":", "reg", ".", "priceWithDiscount", ",", "'taxes'", ":", "reg", ".", "addTaxes", ",", "\"netPrice\"", ":", "reg", ".", "priceWithDiscountAndTaxes", ",", "\"addonItems\"", ":", "addons", ",", "\"discount_codes\"", ":", "discount_codes", ",", "\"discount_code_amount\"", ":", "discount_amount", ",", "\"voucher_names\"", ":", "voucher_names", ",", "\"total_voucher_amount\"", ":", "total_voucher_amount", ",", "\"total_discount_amount\"", ":", "discount_amount", "+", "total_voucher_amount", ",", "\"currencyCode\"", ":", "getConstant", "(", "'general__currencyCode'", ")", ",", "'payAtDoor'", ":", "reg", ".", "payAtDoor", ",", "'is_free'", ":", "isFree", ",", "}", ")", "if", "self", ".", "request", ".", "user", ":", "door_permission", "=", "self", ".", "request", ".", "user", ".", "has_perm", "(", "'core.accept_door_payments'", ")", "invoice_permission", "=", "self", ".", "request", ".", "user", ".", "has_perm", "(", "'core.send_invoices'", ")", "if", "door_permission", "or", "invoice_permission", ":", "context_data", "[", "'form'", "]", "=", "DoorAmountForm", "(", "user", "=", "self", ".", "request", ".", "user", ",", "doorPortion", "=", "door_permission", ",", "invoicePortion", "=", "invoice_permission", ",", "payerEmail", "=", "reg", ".", "email", ",", "discountAmount", "=", "max", "(", "reg", ".", "totalPrice", "-", "reg", ".", "priceWithDiscount", ",", "0", ")", ",", ")", "return", "context_data" ]
Pass the initial kwargs, then update with the needed registration info.
[ "Pass", "the", "initial", "kwargs", "then", "update", "with", "the", "needed", "registration", "info", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/classreg.py#L440-L492
train
236,427
django-danceschool/django-danceschool
danceschool/core/classreg.py
StudentInfoView.dispatch
def dispatch(self, request, *args, **kwargs): ''' Require session data to be set to proceed, otherwise go back to step 1. Because they have the same expiration date, this also implies that the TemporaryRegistration object is not yet expired. ''' if REG_VALIDATION_STR not in request.session: return HttpResponseRedirect(reverse('registration')) try: self.temporaryRegistration = TemporaryRegistration.objects.get( id=self.request.session[REG_VALIDATION_STR].get('temporaryRegistrationId') ) except ObjectDoesNotExist: messages.error(request,_('Invalid registration identifier passed to sign-up form.')) return HttpResponseRedirect(reverse('registration')) expiry = parse_datetime( self.request.session[REG_VALIDATION_STR].get('temporaryRegistrationExpiry',''), ) if not expiry or expiry < timezone.now(): messages.info(request,_('Your registration session has expired. Please try again.')) return HttpResponseRedirect(reverse('registration')) return super(StudentInfoView,self).dispatch(request,*args,**kwargs)
python
def dispatch(self, request, *args, **kwargs): ''' Require session data to be set to proceed, otherwise go back to step 1. Because they have the same expiration date, this also implies that the TemporaryRegistration object is not yet expired. ''' if REG_VALIDATION_STR not in request.session: return HttpResponseRedirect(reverse('registration')) try: self.temporaryRegistration = TemporaryRegistration.objects.get( id=self.request.session[REG_VALIDATION_STR].get('temporaryRegistrationId') ) except ObjectDoesNotExist: messages.error(request,_('Invalid registration identifier passed to sign-up form.')) return HttpResponseRedirect(reverse('registration')) expiry = parse_datetime( self.request.session[REG_VALIDATION_STR].get('temporaryRegistrationExpiry',''), ) if not expiry or expiry < timezone.now(): messages.info(request,_('Your registration session has expired. Please try again.')) return HttpResponseRedirect(reverse('registration')) return super(StudentInfoView,self).dispatch(request,*args,**kwargs)
[ "def", "dispatch", "(", "self", ",", "request", ",", "*", "args", ",", "*", "*", "kwargs", ")", ":", "if", "REG_VALIDATION_STR", "not", "in", "request", ".", "session", ":", "return", "HttpResponseRedirect", "(", "reverse", "(", "'registration'", ")", ")", "try", ":", "self", ".", "temporaryRegistration", "=", "TemporaryRegistration", ".", "objects", ".", "get", "(", "id", "=", "self", ".", "request", ".", "session", "[", "REG_VALIDATION_STR", "]", ".", "get", "(", "'temporaryRegistrationId'", ")", ")", "except", "ObjectDoesNotExist", ":", "messages", ".", "error", "(", "request", ",", "_", "(", "'Invalid registration identifier passed to sign-up form.'", ")", ")", "return", "HttpResponseRedirect", "(", "reverse", "(", "'registration'", ")", ")", "expiry", "=", "parse_datetime", "(", "self", ".", "request", ".", "session", "[", "REG_VALIDATION_STR", "]", ".", "get", "(", "'temporaryRegistrationExpiry'", ",", "''", ")", ",", ")", "if", "not", "expiry", "or", "expiry", "<", "timezone", ".", "now", "(", ")", ":", "messages", ".", "info", "(", "request", ",", "_", "(", "'Your registration session has expired. Please try again.'", ")", ")", "return", "HttpResponseRedirect", "(", "reverse", "(", "'registration'", ")", ")", "return", "super", "(", "StudentInfoView", ",", "self", ")", ".", "dispatch", "(", "request", ",", "*", "args", ",", "*", "*", "kwargs", ")" ]
Require session data to be set to proceed, otherwise go back to step 1. Because they have the same expiration date, this also implies that the TemporaryRegistration object is not yet expired.
[ "Require", "session", "data", "to", "be", "set", "to", "proceed", "otherwise", "go", "back", "to", "step", "1", ".", "Because", "they", "have", "the", "same", "expiration", "date", "this", "also", "implies", "that", "the", "TemporaryRegistration", "object", "is", "not", "yet", "expired", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/classreg.py#L557-L581
train
236,428
django-danceschool/django-danceschool
danceschool/core/classreg.py
StudentInfoView.form_valid
def form_valid(self,form): ''' Even if this form is valid, the handlers for this form may have added messages to the request. In that case, then the page should be handled as if the form were invalid. Otherwise, update the session data with the form data and then move to the next view ''' reg = self.temporaryRegistration # The session expires after a period of inactivity that is specified in preferences. expiry = timezone.now() + timedelta(minutes=getConstant('registration__sessionExpiryMinutes')) self.request.session[REG_VALIDATION_STR]["temporaryRegistrationExpiry"] = \ expiry.strftime('%Y-%m-%dT%H:%M:%S%z') self.request.session.modified = True # Update the expiration date for this registration, and pass in the data from # this form. reg.expirationDate = expiry reg.firstName = form.cleaned_data.pop('firstName') reg.lastName = form.cleaned_data.pop('lastName') reg.email = form.cleaned_data.pop('email') reg.phone = form.cleaned_data.pop('phone', None) reg.student = form.cleaned_data.pop('student',False) reg.comments = form.cleaned_data.pop('comments',None) reg.howHeardAboutUs = form.cleaned_data.pop('howHeardAboutUs',None) # Anything else in the form goes to the TemporaryRegistration data. reg.data.update(form.cleaned_data) reg.save() # This signal (formerly the post_temporary_registration signal) allows # vouchers to be applied temporarily, and it can be used for other tasks post_student_info.send(sender=StudentInfoView,registration=reg) return HttpResponseRedirect(self.get_success_url())
python
def form_valid(self,form): ''' Even if this form is valid, the handlers for this form may have added messages to the request. In that case, then the page should be handled as if the form were invalid. Otherwise, update the session data with the form data and then move to the next view ''' reg = self.temporaryRegistration # The session expires after a period of inactivity that is specified in preferences. expiry = timezone.now() + timedelta(minutes=getConstant('registration__sessionExpiryMinutes')) self.request.session[REG_VALIDATION_STR]["temporaryRegistrationExpiry"] = \ expiry.strftime('%Y-%m-%dT%H:%M:%S%z') self.request.session.modified = True # Update the expiration date for this registration, and pass in the data from # this form. reg.expirationDate = expiry reg.firstName = form.cleaned_data.pop('firstName') reg.lastName = form.cleaned_data.pop('lastName') reg.email = form.cleaned_data.pop('email') reg.phone = form.cleaned_data.pop('phone', None) reg.student = form.cleaned_data.pop('student',False) reg.comments = form.cleaned_data.pop('comments',None) reg.howHeardAboutUs = form.cleaned_data.pop('howHeardAboutUs',None) # Anything else in the form goes to the TemporaryRegistration data. reg.data.update(form.cleaned_data) reg.save() # This signal (formerly the post_temporary_registration signal) allows # vouchers to be applied temporarily, and it can be used for other tasks post_student_info.send(sender=StudentInfoView,registration=reg) return HttpResponseRedirect(self.get_success_url())
[ "def", "form_valid", "(", "self", ",", "form", ")", ":", "reg", "=", "self", ".", "temporaryRegistration", "# The session expires after a period of inactivity that is specified in preferences.", "expiry", "=", "timezone", ".", "now", "(", ")", "+", "timedelta", "(", "minutes", "=", "getConstant", "(", "'registration__sessionExpiryMinutes'", ")", ")", "self", ".", "request", ".", "session", "[", "REG_VALIDATION_STR", "]", "[", "\"temporaryRegistrationExpiry\"", "]", "=", "expiry", ".", "strftime", "(", "'%Y-%m-%dT%H:%M:%S%z'", ")", "self", ".", "request", ".", "session", ".", "modified", "=", "True", "# Update the expiration date for this registration, and pass in the data from", "# this form.", "reg", ".", "expirationDate", "=", "expiry", "reg", ".", "firstName", "=", "form", ".", "cleaned_data", ".", "pop", "(", "'firstName'", ")", "reg", ".", "lastName", "=", "form", ".", "cleaned_data", ".", "pop", "(", "'lastName'", ")", "reg", ".", "email", "=", "form", ".", "cleaned_data", ".", "pop", "(", "'email'", ")", "reg", ".", "phone", "=", "form", ".", "cleaned_data", ".", "pop", "(", "'phone'", ",", "None", ")", "reg", ".", "student", "=", "form", ".", "cleaned_data", ".", "pop", "(", "'student'", ",", "False", ")", "reg", ".", "comments", "=", "form", ".", "cleaned_data", ".", "pop", "(", "'comments'", ",", "None", ")", "reg", ".", "howHeardAboutUs", "=", "form", ".", "cleaned_data", ".", "pop", "(", "'howHeardAboutUs'", ",", "None", ")", "# Anything else in the form goes to the TemporaryRegistration data.", "reg", ".", "data", ".", "update", "(", "form", ".", "cleaned_data", ")", "reg", ".", "save", "(", ")", "# This signal (formerly the post_temporary_registration signal) allows", "# vouchers to be applied temporarily, and it can be used for other tasks", "post_student_info", ".", "send", "(", "sender", "=", "StudentInfoView", ",", "registration", "=", "reg", ")", "return", "HttpResponseRedirect", "(", "self", ".", "get_success_url", "(", ")", ")" ]
Even if this form is valid, the handlers for this form may have added messages to the request. In that case, then the page should be handled as if the form were invalid. Otherwise, update the session data with the form data and then move to the next view
[ "Even", "if", "this", "form", "is", "valid", "the", "handlers", "for", "this", "form", "may", "have", "added", "messages", "to", "the", "request", ".", "In", "that", "case", "then", "the", "page", "should", "be", "handled", "as", "if", "the", "form", "were", "invalid", ".", "Otherwise", "update", "the", "session", "data", "with", "the", "form", "data", "and", "then", "move", "to", "the", "next", "view" ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/classreg.py#L666-L699
train
236,429
django-danceschool/django-danceschool
danceschool/core/handlers.py
linkUserToMostRecentCustomer
def linkUserToMostRecentCustomer(sender,**kwargs): ''' If a new primary email address has just been confirmed, check if the user associated with that email has an associated customer object yet. If not, then look for the customer with that email address who most recently registered for something and that is not associated with another user. Automatically associate the User with with Customer, and if missing, fill in the user's name information with the Customer's name. This way, when a new or existing customer creates a user account, they are seamlessly linked to their most recent existing registration at the time they verify their email address. ''' email_address = kwargs.get('email_address',None) if not email_address or not email_address.primary or not email_address.verified: return user = email_address.user if not hasattr(user, 'customer'): last_reg = Registration.objects.filter( customer__email=email_address.email, customer__user__isnull=True, dateTime__isnull=False ).order_by('-dateTime').first() if last_reg: customer = last_reg.customer customer.user = user customer.save() if not user.first_name and not user.last_name: user.first_name = customer.first_name user.last_name = customer.last_name user.save()
python
def linkUserToMostRecentCustomer(sender,**kwargs): ''' If a new primary email address has just been confirmed, check if the user associated with that email has an associated customer object yet. If not, then look for the customer with that email address who most recently registered for something and that is not associated with another user. Automatically associate the User with with Customer, and if missing, fill in the user's name information with the Customer's name. This way, when a new or existing customer creates a user account, they are seamlessly linked to their most recent existing registration at the time they verify their email address. ''' email_address = kwargs.get('email_address',None) if not email_address or not email_address.primary or not email_address.verified: return user = email_address.user if not hasattr(user, 'customer'): last_reg = Registration.objects.filter( customer__email=email_address.email, customer__user__isnull=True, dateTime__isnull=False ).order_by('-dateTime').first() if last_reg: customer = last_reg.customer customer.user = user customer.save() if not user.first_name and not user.last_name: user.first_name = customer.first_name user.last_name = customer.last_name user.save()
[ "def", "linkUserToMostRecentCustomer", "(", "sender", ",", "*", "*", "kwargs", ")", ":", "email_address", "=", "kwargs", ".", "get", "(", "'email_address'", ",", "None", ")", "if", "not", "email_address", "or", "not", "email_address", ".", "primary", "or", "not", "email_address", ".", "verified", ":", "return", "user", "=", "email_address", ".", "user", "if", "not", "hasattr", "(", "user", ",", "'customer'", ")", ":", "last_reg", "=", "Registration", ".", "objects", ".", "filter", "(", "customer__email", "=", "email_address", ".", "email", ",", "customer__user__isnull", "=", "True", ",", "dateTime__isnull", "=", "False", ")", ".", "order_by", "(", "'-dateTime'", ")", ".", "first", "(", ")", "if", "last_reg", ":", "customer", "=", "last_reg", ".", "customer", "customer", ".", "user", "=", "user", "customer", ".", "save", "(", ")", "if", "not", "user", ".", "first_name", "and", "not", "user", ".", "last_name", ":", "user", ".", "first_name", "=", "customer", ".", "first_name", "user", ".", "last_name", "=", "customer", ".", "last_name", "user", ".", "save", "(", ")" ]
If a new primary email address has just been confirmed, check if the user associated with that email has an associated customer object yet. If not, then look for the customer with that email address who most recently registered for something and that is not associated with another user. Automatically associate the User with with Customer, and if missing, fill in the user's name information with the Customer's name. This way, when a new or existing customer creates a user account, they are seamlessly linked to their most recent existing registration at the time they verify their email address.
[ "If", "a", "new", "primary", "email", "address", "has", "just", "been", "confirmed", "check", "if", "the", "user", "associated", "with", "that", "email", "has", "an", "associated", "customer", "object", "yet", ".", "If", "not", "then", "look", "for", "the", "customer", "with", "that", "email", "address", "who", "most", "recently", "registered", "for", "something", "and", "that", "is", "not", "associated", "with", "another", "user", ".", "Automatically", "associate", "the", "User", "with", "with", "Customer", "and", "if", "missing", "fill", "in", "the", "user", "s", "name", "information", "with", "the", "Customer", "s", "name", ".", "This", "way", "when", "a", "new", "or", "existing", "customer", "creates", "a", "user", "account", "they", "are", "seamlessly", "linked", "to", "their", "most", "recent", "existing", "registration", "at", "the", "time", "they", "verify", "their", "email", "address", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/handlers.py#L17-L51
train
236,430
django-danceschool/django-danceschool
danceschool/core/handlers.py
linkCustomerToVerifiedUser
def linkCustomerToVerifiedUser(sender, **kwargs): """ If a Registration is processed in which the associated Customer does not yet have a User, then check to see if the Customer's email address has been verified as belonging to a specific User, and if that User has an associated Customer. If such a User is found, then associated this Customer with that User. This way, if a new User verifies their email account before they have submitted any Registrations, their Customer account is seamlessly linked when they do complete their first Registration. """ registration = kwargs.get('registration', None) if not registration or (hasattr(registration.customer,'user') and registration.customer.user): return logger.debug('Checking for User for Customer with no associated registration.') customer = registration.customer try: verified_email = EmailAddress.objects.get( email=customer.email, verified=True, primary=True, user__customer__isnull=True ) logger.info("Found user %s to associate with customer %s.", verified_email.user.id, customer.id) customer.user = verified_email.user customer.save() if not customer.user.first_name and not customer.user.last_name: customer.user.first_name = customer.first_name customer.user.last_name = customer.last_name customer.user.save() except ObjectDoesNotExist: logger.info("No user found to associate with customer %s.", customer.id) except MultipleObjectsReturned: # This should never happen, as email should be unique in the db table account_emailaddress. # If it does, something's broken in the database or Django. errmsg = "Something's not right with the database: more than one entry found on the database for the email %s. \ This duplicate key value violates unique constraint \"account_emailaddress_email_key\". \ The email field should be unique for each account.\n" logger.exception(errmsg, customer.email)
python
def linkCustomerToVerifiedUser(sender, **kwargs): """ If a Registration is processed in which the associated Customer does not yet have a User, then check to see if the Customer's email address has been verified as belonging to a specific User, and if that User has an associated Customer. If such a User is found, then associated this Customer with that User. This way, if a new User verifies their email account before they have submitted any Registrations, their Customer account is seamlessly linked when they do complete their first Registration. """ registration = kwargs.get('registration', None) if not registration or (hasattr(registration.customer,'user') and registration.customer.user): return logger.debug('Checking for User for Customer with no associated registration.') customer = registration.customer try: verified_email = EmailAddress.objects.get( email=customer.email, verified=True, primary=True, user__customer__isnull=True ) logger.info("Found user %s to associate with customer %s.", verified_email.user.id, customer.id) customer.user = verified_email.user customer.save() if not customer.user.first_name and not customer.user.last_name: customer.user.first_name = customer.first_name customer.user.last_name = customer.last_name customer.user.save() except ObjectDoesNotExist: logger.info("No user found to associate with customer %s.", customer.id) except MultipleObjectsReturned: # This should never happen, as email should be unique in the db table account_emailaddress. # If it does, something's broken in the database or Django. errmsg = "Something's not right with the database: more than one entry found on the database for the email %s. \ This duplicate key value violates unique constraint \"account_emailaddress_email_key\". \ The email field should be unique for each account.\n" logger.exception(errmsg, customer.email)
[ "def", "linkCustomerToVerifiedUser", "(", "sender", ",", "*", "*", "kwargs", ")", ":", "registration", "=", "kwargs", ".", "get", "(", "'registration'", ",", "None", ")", "if", "not", "registration", "or", "(", "hasattr", "(", "registration", ".", "customer", ",", "'user'", ")", "and", "registration", ".", "customer", ".", "user", ")", ":", "return", "logger", ".", "debug", "(", "'Checking for User for Customer with no associated registration.'", ")", "customer", "=", "registration", ".", "customer", "try", ":", "verified_email", "=", "EmailAddress", ".", "objects", ".", "get", "(", "email", "=", "customer", ".", "email", ",", "verified", "=", "True", ",", "primary", "=", "True", ",", "user__customer__isnull", "=", "True", ")", "logger", ".", "info", "(", "\"Found user %s to associate with customer %s.\"", ",", "verified_email", ".", "user", ".", "id", ",", "customer", ".", "id", ")", "customer", ".", "user", "=", "verified_email", ".", "user", "customer", ".", "save", "(", ")", "if", "not", "customer", ".", "user", ".", "first_name", "and", "not", "customer", ".", "user", ".", "last_name", ":", "customer", ".", "user", ".", "first_name", "=", "customer", ".", "first_name", "customer", ".", "user", ".", "last_name", "=", "customer", ".", "last_name", "customer", ".", "user", ".", "save", "(", ")", "except", "ObjectDoesNotExist", ":", "logger", ".", "info", "(", "\"No user found to associate with customer %s.\"", ",", "customer", ".", "id", ")", "except", "MultipleObjectsReturned", ":", "# This should never happen, as email should be unique in the db table account_emailaddress.", "# If it does, something's broken in the database or Django.", "errmsg", "=", "\"Something's not right with the database: more than one entry found on the database for the email %s. \\\n This duplicate key value violates unique constraint \\\"account_emailaddress_email_key\\\". \\\n The email field should be unique for each account.\\n\"", "logger", ".", "exception", "(", "errmsg", ",", "customer", ".", "email", ")" ]
If a Registration is processed in which the associated Customer does not yet have a User, then check to see if the Customer's email address has been verified as belonging to a specific User, and if that User has an associated Customer. If such a User is found, then associated this Customer with that User. This way, if a new User verifies their email account before they have submitted any Registrations, their Customer account is seamlessly linked when they do complete their first Registration.
[ "If", "a", "Registration", "is", "processed", "in", "which", "the", "associated", "Customer", "does", "not", "yet", "have", "a", "User", "then", "check", "to", "see", "if", "the", "Customer", "s", "email", "address", "has", "been", "verified", "as", "belonging", "to", "a", "specific", "User", "and", "if", "that", "User", "has", "an", "associated", "Customer", ".", "If", "such", "a", "User", "is", "found", "then", "associated", "this", "Customer", "with", "that", "User", ".", "This", "way", "if", "a", "new", "User", "verifies", "their", "email", "account", "before", "they", "have", "submitted", "any", "Registrations", "their", "Customer", "account", "is", "seamlessly", "linked", "when", "they", "do", "complete", "their", "first", "Registration", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/handlers.py#L55-L99
train
236,431
django-danceschool/django-danceschool
danceschool/core/autocomplete_light_registry.py
StaffMemberAutoComplete.create_object
def create_object(self, text): ''' Allow creation of staff members using a full name string. ''' if self.create_field == 'fullName': firstName = text.split(' ')[0] lastName = ' '.join(text.split(' ')[1:]) return self.get_queryset().create(**{'firstName': firstName, 'lastName': lastName}) else: return super(StaffMemberAutoComplete,self).create_object(text)
python
def create_object(self, text): ''' Allow creation of staff members using a full name string. ''' if self.create_field == 'fullName': firstName = text.split(' ')[0] lastName = ' '.join(text.split(' ')[1:]) return self.get_queryset().create(**{'firstName': firstName, 'lastName': lastName}) else: return super(StaffMemberAutoComplete,self).create_object(text)
[ "def", "create_object", "(", "self", ",", "text", ")", ":", "if", "self", ".", "create_field", "==", "'fullName'", ":", "firstName", "=", "text", ".", "split", "(", "' '", ")", "[", "0", "]", "lastName", "=", "' '", ".", "join", "(", "text", ".", "split", "(", "' '", ")", "[", "1", ":", "]", ")", "return", "self", ".", "get_queryset", "(", ")", ".", "create", "(", "*", "*", "{", "'firstName'", ":", "firstName", ",", "'lastName'", ":", "lastName", "}", ")", "else", ":", "return", "super", "(", "StaffMemberAutoComplete", ",", "self", ")", ".", "create_object", "(", "text", ")" ]
Allow creation of staff members using a full name string.
[ "Allow", "creation", "of", "staff", "members", "using", "a", "full", "name", "string", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/autocomplete_light_registry.py#L125-L132
train
236,432
django-danceschool/django-danceschool
danceschool/banlist/handlers.py
checkBanlist
def checkBanlist(sender, **kwargs): ''' Check that this individual is not on the ban list. ''' if not getConstant('registration__enableBanList'): return logger.debug('Signal to check RegistrationContactForm handled by banlist app.') formData = kwargs.get('formData', {}) first = formData.get('firstName') last = formData.get('lastName') email = formData.get('email') request = kwargs.get('request', {}) session = getattr(request, 'session', {}).get(REG_VALIDATION_STR, {}) registrationId = getattr(kwargs.get('registration', None), 'id', None) records = BannedPerson.objects.exclude( disabled=True ).exclude( expirationDate__lte=timezone.now() ).filter( (Q(firstName__iexact=first) & Q(lastName__iexact=last)) | Q(bannedemail__email__iexact=email) ) if not records.exists(): return # Generate an "error code" to reference so that it is easier to lookup # the record on why they were flagged. flagCode = ''.join(random.choice(string.ascii_uppercase) for x in range(8)) ip = get_client_ip(request) respondTo = getConstant('registration__banListContactEmail') or getConstant('contact__businessEmail') for record in records: flagRecord = BanFlaggedRecord.objects.create( flagCode=flagCode, person=record, ipAddress=ip, data={'session': session, 'formData': formData, 'registrationId': registrationId} ) notify = getConstant('registration__banListNotificationEmail') if notify: send_from = getConstant('contact__businessEmail') subject = _('Notice of attempted registration by banned individual') message = _( 'This is an automated notification that the following individual has attempted ' + 'to register for a class series or event:\n\n' + 'Name: %s\n' % record.fullName + 'Email: %s\n' % email + 'Date/Time: %s\n' % flagRecord.dateTime + 'IP Address: %s\n\n' % ip + 'This individual has been prevented from finalizing their registration, and they ' + 'have been asked to notify the school at %s with code %s to proceed.' % (respondTo, flagCode) ) sendEmail(subject, message, send_from, to=[notify]) message = ugettext('There appears to be an issue with this registration. ' 'Please contact %s to proceed with the registration process. ' 'You may reference the error code %s.' % (respondTo, flagCode)) if request.user.has_perm('banlist.ignore_ban'): messages.warning(request, message) else: raise ValidationError(message)
python
def checkBanlist(sender, **kwargs): ''' Check that this individual is not on the ban list. ''' if not getConstant('registration__enableBanList'): return logger.debug('Signal to check RegistrationContactForm handled by banlist app.') formData = kwargs.get('formData', {}) first = formData.get('firstName') last = formData.get('lastName') email = formData.get('email') request = kwargs.get('request', {}) session = getattr(request, 'session', {}).get(REG_VALIDATION_STR, {}) registrationId = getattr(kwargs.get('registration', None), 'id', None) records = BannedPerson.objects.exclude( disabled=True ).exclude( expirationDate__lte=timezone.now() ).filter( (Q(firstName__iexact=first) & Q(lastName__iexact=last)) | Q(bannedemail__email__iexact=email) ) if not records.exists(): return # Generate an "error code" to reference so that it is easier to lookup # the record on why they were flagged. flagCode = ''.join(random.choice(string.ascii_uppercase) for x in range(8)) ip = get_client_ip(request) respondTo = getConstant('registration__banListContactEmail') or getConstant('contact__businessEmail') for record in records: flagRecord = BanFlaggedRecord.objects.create( flagCode=flagCode, person=record, ipAddress=ip, data={'session': session, 'formData': formData, 'registrationId': registrationId} ) notify = getConstant('registration__banListNotificationEmail') if notify: send_from = getConstant('contact__businessEmail') subject = _('Notice of attempted registration by banned individual') message = _( 'This is an automated notification that the following individual has attempted ' + 'to register for a class series or event:\n\n' + 'Name: %s\n' % record.fullName + 'Email: %s\n' % email + 'Date/Time: %s\n' % flagRecord.dateTime + 'IP Address: %s\n\n' % ip + 'This individual has been prevented from finalizing their registration, and they ' + 'have been asked to notify the school at %s with code %s to proceed.' % (respondTo, flagCode) ) sendEmail(subject, message, send_from, to=[notify]) message = ugettext('There appears to be an issue with this registration. ' 'Please contact %s to proceed with the registration process. ' 'You may reference the error code %s.' % (respondTo, flagCode)) if request.user.has_perm('banlist.ignore_ban'): messages.warning(request, message) else: raise ValidationError(message)
[ "def", "checkBanlist", "(", "sender", ",", "*", "*", "kwargs", ")", ":", "if", "not", "getConstant", "(", "'registration__enableBanList'", ")", ":", "return", "logger", ".", "debug", "(", "'Signal to check RegistrationContactForm handled by banlist app.'", ")", "formData", "=", "kwargs", ".", "get", "(", "'formData'", ",", "{", "}", ")", "first", "=", "formData", ".", "get", "(", "'firstName'", ")", "last", "=", "formData", ".", "get", "(", "'lastName'", ")", "email", "=", "formData", ".", "get", "(", "'email'", ")", "request", "=", "kwargs", ".", "get", "(", "'request'", ",", "{", "}", ")", "session", "=", "getattr", "(", "request", ",", "'session'", ",", "{", "}", ")", ".", "get", "(", "REG_VALIDATION_STR", ",", "{", "}", ")", "registrationId", "=", "getattr", "(", "kwargs", ".", "get", "(", "'registration'", ",", "None", ")", ",", "'id'", ",", "None", ")", "records", "=", "BannedPerson", ".", "objects", ".", "exclude", "(", "disabled", "=", "True", ")", ".", "exclude", "(", "expirationDate__lte", "=", "timezone", ".", "now", "(", ")", ")", ".", "filter", "(", "(", "Q", "(", "firstName__iexact", "=", "first", ")", "&", "Q", "(", "lastName__iexact", "=", "last", ")", ")", "|", "Q", "(", "bannedemail__email__iexact", "=", "email", ")", ")", "if", "not", "records", ".", "exists", "(", ")", ":", "return", "# Generate an \"error code\" to reference so that it is easier to lookup\r", "# the record on why they were flagged.\r", "flagCode", "=", "''", ".", "join", "(", "random", ".", "choice", "(", "string", ".", "ascii_uppercase", ")", "for", "x", "in", "range", "(", "8", ")", ")", "ip", "=", "get_client_ip", "(", "request", ")", "respondTo", "=", "getConstant", "(", "'registration__banListContactEmail'", ")", "or", "getConstant", "(", "'contact__businessEmail'", ")", "for", "record", "in", "records", ":", "flagRecord", "=", "BanFlaggedRecord", ".", "objects", ".", "create", "(", "flagCode", "=", "flagCode", ",", "person", "=", "record", ",", "ipAddress", "=", "ip", ",", "data", "=", "{", "'session'", ":", "session", ",", "'formData'", ":", "formData", ",", "'registrationId'", ":", "registrationId", "}", ")", "notify", "=", "getConstant", "(", "'registration__banListNotificationEmail'", ")", "if", "notify", ":", "send_from", "=", "getConstant", "(", "'contact__businessEmail'", ")", "subject", "=", "_", "(", "'Notice of attempted registration by banned individual'", ")", "message", "=", "_", "(", "'This is an automated notification that the following individual has attempted '", "+", "'to register for a class series or event:\\n\\n'", "+", "'Name: %s\\n'", "%", "record", ".", "fullName", "+", "'Email: %s\\n'", "%", "email", "+", "'Date/Time: %s\\n'", "%", "flagRecord", ".", "dateTime", "+", "'IP Address: %s\\n\\n'", "%", "ip", "+", "'This individual has been prevented from finalizing their registration, and they '", "+", "'have been asked to notify the school at %s with code %s to proceed.'", "%", "(", "respondTo", ",", "flagCode", ")", ")", "sendEmail", "(", "subject", ",", "message", ",", "send_from", ",", "to", "=", "[", "notify", "]", ")", "message", "=", "ugettext", "(", "'There appears to be an issue with this registration. '", "'Please contact %s to proceed with the registration process. '", "'You may reference the error code %s.'", "%", "(", "respondTo", ",", "flagCode", ")", ")", "if", "request", ".", "user", ".", "has_perm", "(", "'banlist.ignore_ban'", ")", ":", "messages", ".", "warning", "(", "request", ",", "message", ")", "else", ":", "raise", "ValidationError", "(", "message", ")" ]
Check that this individual is not on the ban list.
[ "Check", "that", "this", "individual", "is", "not", "on", "the", "ban", "list", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/banlist/handlers.py#L35-L105
train
236,433
django-danceschool/django-danceschool
danceschool/financial/models.py
TransactionParty.clean
def clean(self): ''' Verify that the user and staffMember are not mismatched. Location can only be specified if user and staffMember are not. ''' if self.staffMember and self.staffMember.userAccount and \ self.user and not self.staffMember.userAccount == self.user: raise ValidationError(_('Transaction party user does not match staff member user.')) if self.location and (self.user or self.staffMember): raise ValidationError(_('Transaction party may not be both a Location and a User or StaffMember.'))
python
def clean(self): ''' Verify that the user and staffMember are not mismatched. Location can only be specified if user and staffMember are not. ''' if self.staffMember and self.staffMember.userAccount and \ self.user and not self.staffMember.userAccount == self.user: raise ValidationError(_('Transaction party user does not match staff member user.')) if self.location and (self.user or self.staffMember): raise ValidationError(_('Transaction party may not be both a Location and a User or StaffMember.'))
[ "def", "clean", "(", "self", ")", ":", "if", "self", ".", "staffMember", "and", "self", ".", "staffMember", ".", "userAccount", "and", "self", ".", "user", "and", "not", "self", ".", "staffMember", ".", "userAccount", "==", "self", ".", "user", ":", "raise", "ValidationError", "(", "_", "(", "'Transaction party user does not match staff member user.'", ")", ")", "if", "self", ".", "location", "and", "(", "self", ".", "user", "or", "self", ".", "staffMember", ")", ":", "raise", "ValidationError", "(", "_", "(", "'Transaction party may not be both a Location and a User or StaffMember.'", ")", ")" ]
Verify that the user and staffMember are not mismatched. Location can only be specified if user and staffMember are not.
[ "Verify", "that", "the", "user", "and", "staffMember", "are", "not", "mismatched", ".", "Location", "can", "only", "be", "specified", "if", "user", "and", "staffMember", "are", "not", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/models.py#L83-L94
train
236,434
django-danceschool/django-danceschool
danceschool/financial/models.py
TransactionParty.save
def save(self, updateBy=None, *args, **kwargs): ''' Verify that the user and staffMember are populated with linked information, and ensure that the name is properly specified. ''' if ( self.staffMember and self.staffMember.userAccount and not self.user ) or ( isinstance(updateBy,StaffMember) and self.staffMember.userAccount ): self.user = self.staffMember.userAccount elif ( self.user and getattr(self.user,'staffmember',None) and not self.staffMember ) or ( isinstance(updateBy,User) and getattr(self.user,'staffmember',None) ): self.staffMember = self.user.staffmember # Don't replace the name if it has been given, but do fill it out if it is blank. if not self.name: if self.user and self.user.get_full_name(): self.name = self.user.get_full_name() elif self.staffMember: self.name = self.staffMember.fullName or self.staffMember.privateEmail elif self.location: self.name = self.location.name super(TransactionParty, self).save(*args, **kwargs)
python
def save(self, updateBy=None, *args, **kwargs): ''' Verify that the user and staffMember are populated with linked information, and ensure that the name is properly specified. ''' if ( self.staffMember and self.staffMember.userAccount and not self.user ) or ( isinstance(updateBy,StaffMember) and self.staffMember.userAccount ): self.user = self.staffMember.userAccount elif ( self.user and getattr(self.user,'staffmember',None) and not self.staffMember ) or ( isinstance(updateBy,User) and getattr(self.user,'staffmember',None) ): self.staffMember = self.user.staffmember # Don't replace the name if it has been given, but do fill it out if it is blank. if not self.name: if self.user and self.user.get_full_name(): self.name = self.user.get_full_name() elif self.staffMember: self.name = self.staffMember.fullName or self.staffMember.privateEmail elif self.location: self.name = self.location.name super(TransactionParty, self).save(*args, **kwargs)
[ "def", "save", "(", "self", ",", "updateBy", "=", "None", ",", "*", "args", ",", "*", "*", "kwargs", ")", ":", "if", "(", "self", ".", "staffMember", "and", "self", ".", "staffMember", ".", "userAccount", "and", "not", "self", ".", "user", ")", "or", "(", "isinstance", "(", "updateBy", ",", "StaffMember", ")", "and", "self", ".", "staffMember", ".", "userAccount", ")", ":", "self", ".", "user", "=", "self", ".", "staffMember", ".", "userAccount", "elif", "(", "self", ".", "user", "and", "getattr", "(", "self", ".", "user", ",", "'staffmember'", ",", "None", ")", "and", "not", "self", ".", "staffMember", ")", "or", "(", "isinstance", "(", "updateBy", ",", "User", ")", "and", "getattr", "(", "self", ".", "user", ",", "'staffmember'", ",", "None", ")", ")", ":", "self", ".", "staffMember", "=", "self", ".", "user", ".", "staffmember", "# Don't replace the name if it has been given, but do fill it out if it is blank.", "if", "not", "self", ".", "name", ":", "if", "self", ".", "user", "and", "self", ".", "user", ".", "get_full_name", "(", ")", ":", "self", ".", "name", "=", "self", ".", "user", ".", "get_full_name", "(", ")", "elif", "self", ".", "staffMember", ":", "self", ".", "name", "=", "self", ".", "staffMember", ".", "fullName", "or", "self", ".", "staffMember", ".", "privateEmail", "elif", "self", ".", "location", ":", "self", ".", "name", "=", "self", ".", "location", ".", "name", "super", "(", "TransactionParty", ",", "self", ")", ".", "save", "(", "*", "args", ",", "*", "*", "kwargs", ")" ]
Verify that the user and staffMember are populated with linked information, and ensure that the name is properly specified.
[ "Verify", "that", "the", "user", "and", "staffMember", "are", "populated", "with", "linked", "information", "and", "ensure", "that", "the", "name", "is", "properly", "specified", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/models.py#L96-L124
train
236,435
django-danceschool/django-danceschool
danceschool/financial/models.py
RepeatedExpenseRule.ruleName
def ruleName(self): ''' This should be overridden for child classes ''' return '%s %s' % (self.rentalRate, self.RateRuleChoices.values.get(self.applyRateRule,self.applyRateRule))
python
def ruleName(self): ''' This should be overridden for child classes ''' return '%s %s' % (self.rentalRate, self.RateRuleChoices.values.get(self.applyRateRule,self.applyRateRule))
[ "def", "ruleName", "(", "self", ")", ":", "return", "'%s %s'", "%", "(", "self", ".", "rentalRate", ",", "self", ".", "RateRuleChoices", ".", "values", ".", "get", "(", "self", ".", "applyRateRule", ",", "self", ".", "applyRateRule", ")", ")" ]
This should be overridden for child classes
[ "This", "should", "be", "overridden", "for", "child", "classes" ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/models.py#L416-L418
train
236,436
django-danceschool/django-danceschool
danceschool/financial/models.py
RoomRentalInfo.ruleName
def ruleName(self): ''' overrides from parent class ''' return _('%s at %s' % (self.room.name, self.room.location.name))
python
def ruleName(self): ''' overrides from parent class ''' return _('%s at %s' % (self.room.name, self.room.location.name))
[ "def", "ruleName", "(", "self", ")", ":", "return", "_", "(", "'%s at %s'", "%", "(", "self", ".", "room", ".", "name", ",", "self", ".", "room", ".", "location", ".", "name", ")", ")" ]
overrides from parent class
[ "overrides", "from", "parent", "class" ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/models.py#L469-L471
train
236,437
django-danceschool/django-danceschool
danceschool/financial/models.py
GenericRepeatedExpense.clean
def clean(self): ''' priorDays is required for Generic Repeated Expenses to avoid infinite loops ''' if not self.priorDays and not self.startDate: raise ValidationError(_( 'Either a start date or an "up to __ days in the past" limit is required ' + 'for repeated expense rules that are not associated with a venue or a staff member.' )) super(GenericRepeatedExpense,self).clean()
python
def clean(self): ''' priorDays is required for Generic Repeated Expenses to avoid infinite loops ''' if not self.priorDays and not self.startDate: raise ValidationError(_( 'Either a start date or an "up to __ days in the past" limit is required ' + 'for repeated expense rules that are not associated with a venue or a staff member.' )) super(GenericRepeatedExpense,self).clean()
[ "def", "clean", "(", "self", ")", ":", "if", "not", "self", ".", "priorDays", "and", "not", "self", ".", "startDate", ":", "raise", "ValidationError", "(", "_", "(", "'Either a start date or an \"up to __ days in the past\" limit is required '", "+", "'for repeated expense rules that are not associated with a venue or a staff member.'", ")", ")", "super", "(", "GenericRepeatedExpense", ",", "self", ")", ".", "clean", "(", ")" ]
priorDays is required for Generic Repeated Expenses to avoid infinite loops
[ "priorDays", "is", "required", "for", "Generic", "Repeated", "Expenses", "to", "avoid", "infinite", "loops" ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/models.py#L585-L592
train
236,438
django-danceschool/django-danceschool
danceschool/financial/models.py
ExpenseItem.save
def save(self, *args, **kwargs): ''' This custom save method ensures that an expense is not attributed to multiple categories. It also ensures that the series and event properties are always associated with any type of expense of that series or event. ''' # Set the approval and payment dates if they have just been approved/paid. if not hasattr(self,'__paid') or not hasattr(self,'__approved'): if self.approved and not self.approvalDate: self.approvalDate = timezone.now() if self.paid and not self.paymentDate: self.paymentDate = timezone.now() else: if self.approved and not self.approvalDate and not self.__approvalDate: self.approvalDate = timezone.now() if self.paid and not self.paymentDate and not self.__paymentDate: self.paymentDate = timezone.now() # Fill out the series and event properties to permit easy calculation of # revenues and expenses by series or by event. if self.expenseRule and not self.payTo: this_loc = getattr(self.expenseRule,'location',None) this_member = getattr(self.expenseRule,'location',None) if this_loc: self.payTo = TransactionParty.objects.get_or_create( location=this_loc, defaults={'name': this_loc.name} )[0] elif this_member: self.payTo = TransactionParty.objects.get_or_create( staffMember=this_member, defaults={ 'name': this_member.fullName, 'user': getattr(this_member,'userAccount',None) } )[0] # Set the accrual date. The method for events ensures that the accrualDate month # is the same as the reported month of the series/event by accruing to the end date of the last # class or occurrence in that month. if not self.accrualDate: if self.event and self.event.month: self.accrualDate = self.event.eventoccurrence_set.order_by('endTime').filter(**{'endTime__month': self.event.month}).last().endTime elif self.submissionDate: self.accrualDate = self.submissionDate else: self.submissionDate = timezone.now() self.accrualDate = self.submissionDate # Set the total for hourly work if self.hours and not self.wageRate and not self.total and not getattr(getattr(self,'payTo',None),'location',None) and self.category: self.wageRate = self.category.defaultRate elif self.hours and not self.wageRate and not self.total and getattr(getattr(self,'payTo',None),'location',None): self.wageRate = self.payTo.location.rentalRate if self.hours and self.wageRate and not self.total: self.total = self.hours * self.wageRate super(ExpenseItem, self).save(*args, **kwargs) self.__approved = self.approved self.__paid = self.paid self.__approvalDate = self.approvalDate self.__paymentDate = self.paymentDate # If a file is attached, ensure that it is not public, and that it is saved in the 'Expense Receipts' folder if self.attachment: try: self.attachment.folder = Folder.objects.get(name=_('Expense Receipts')) except ObjectDoesNotExist: pass self.attachment.is_public = False self.attachment.save()
python
def save(self, *args, **kwargs): ''' This custom save method ensures that an expense is not attributed to multiple categories. It also ensures that the series and event properties are always associated with any type of expense of that series or event. ''' # Set the approval and payment dates if they have just been approved/paid. if not hasattr(self,'__paid') or not hasattr(self,'__approved'): if self.approved and not self.approvalDate: self.approvalDate = timezone.now() if self.paid and not self.paymentDate: self.paymentDate = timezone.now() else: if self.approved and not self.approvalDate and not self.__approvalDate: self.approvalDate = timezone.now() if self.paid and not self.paymentDate and not self.__paymentDate: self.paymentDate = timezone.now() # Fill out the series and event properties to permit easy calculation of # revenues and expenses by series or by event. if self.expenseRule and not self.payTo: this_loc = getattr(self.expenseRule,'location',None) this_member = getattr(self.expenseRule,'location',None) if this_loc: self.payTo = TransactionParty.objects.get_or_create( location=this_loc, defaults={'name': this_loc.name} )[0] elif this_member: self.payTo = TransactionParty.objects.get_or_create( staffMember=this_member, defaults={ 'name': this_member.fullName, 'user': getattr(this_member,'userAccount',None) } )[0] # Set the accrual date. The method for events ensures that the accrualDate month # is the same as the reported month of the series/event by accruing to the end date of the last # class or occurrence in that month. if not self.accrualDate: if self.event and self.event.month: self.accrualDate = self.event.eventoccurrence_set.order_by('endTime').filter(**{'endTime__month': self.event.month}).last().endTime elif self.submissionDate: self.accrualDate = self.submissionDate else: self.submissionDate = timezone.now() self.accrualDate = self.submissionDate # Set the total for hourly work if self.hours and not self.wageRate and not self.total and not getattr(getattr(self,'payTo',None),'location',None) and self.category: self.wageRate = self.category.defaultRate elif self.hours and not self.wageRate and not self.total and getattr(getattr(self,'payTo',None),'location',None): self.wageRate = self.payTo.location.rentalRate if self.hours and self.wageRate and not self.total: self.total = self.hours * self.wageRate super(ExpenseItem, self).save(*args, **kwargs) self.__approved = self.approved self.__paid = self.paid self.__approvalDate = self.approvalDate self.__paymentDate = self.paymentDate # If a file is attached, ensure that it is not public, and that it is saved in the 'Expense Receipts' folder if self.attachment: try: self.attachment.folder = Folder.objects.get(name=_('Expense Receipts')) except ObjectDoesNotExist: pass self.attachment.is_public = False self.attachment.save()
[ "def", "save", "(", "self", ",", "*", "args", ",", "*", "*", "kwargs", ")", ":", "# Set the approval and payment dates if they have just been approved/paid.", "if", "not", "hasattr", "(", "self", ",", "'__paid'", ")", "or", "not", "hasattr", "(", "self", ",", "'__approved'", ")", ":", "if", "self", ".", "approved", "and", "not", "self", ".", "approvalDate", ":", "self", ".", "approvalDate", "=", "timezone", ".", "now", "(", ")", "if", "self", ".", "paid", "and", "not", "self", ".", "paymentDate", ":", "self", ".", "paymentDate", "=", "timezone", ".", "now", "(", ")", "else", ":", "if", "self", ".", "approved", "and", "not", "self", ".", "approvalDate", "and", "not", "self", ".", "__approvalDate", ":", "self", ".", "approvalDate", "=", "timezone", ".", "now", "(", ")", "if", "self", ".", "paid", "and", "not", "self", ".", "paymentDate", "and", "not", "self", ".", "__paymentDate", ":", "self", ".", "paymentDate", "=", "timezone", ".", "now", "(", ")", "# Fill out the series and event properties to permit easy calculation of", "# revenues and expenses by series or by event.", "if", "self", ".", "expenseRule", "and", "not", "self", ".", "payTo", ":", "this_loc", "=", "getattr", "(", "self", ".", "expenseRule", ",", "'location'", ",", "None", ")", "this_member", "=", "getattr", "(", "self", ".", "expenseRule", ",", "'location'", ",", "None", ")", "if", "this_loc", ":", "self", ".", "payTo", "=", "TransactionParty", ".", "objects", ".", "get_or_create", "(", "location", "=", "this_loc", ",", "defaults", "=", "{", "'name'", ":", "this_loc", ".", "name", "}", ")", "[", "0", "]", "elif", "this_member", ":", "self", ".", "payTo", "=", "TransactionParty", ".", "objects", ".", "get_or_create", "(", "staffMember", "=", "this_member", ",", "defaults", "=", "{", "'name'", ":", "this_member", ".", "fullName", ",", "'user'", ":", "getattr", "(", "this_member", ",", "'userAccount'", ",", "None", ")", "}", ")", "[", "0", "]", "# Set the accrual date. The method for events ensures that the accrualDate month", "# is the same as the reported month of the series/event by accruing to the end date of the last", "# class or occurrence in that month.", "if", "not", "self", ".", "accrualDate", ":", "if", "self", ".", "event", "and", "self", ".", "event", ".", "month", ":", "self", ".", "accrualDate", "=", "self", ".", "event", ".", "eventoccurrence_set", ".", "order_by", "(", "'endTime'", ")", ".", "filter", "(", "*", "*", "{", "'endTime__month'", ":", "self", ".", "event", ".", "month", "}", ")", ".", "last", "(", ")", ".", "endTime", "elif", "self", ".", "submissionDate", ":", "self", ".", "accrualDate", "=", "self", ".", "submissionDate", "else", ":", "self", ".", "submissionDate", "=", "timezone", ".", "now", "(", ")", "self", ".", "accrualDate", "=", "self", ".", "submissionDate", "# Set the total for hourly work", "if", "self", ".", "hours", "and", "not", "self", ".", "wageRate", "and", "not", "self", ".", "total", "and", "not", "getattr", "(", "getattr", "(", "self", ",", "'payTo'", ",", "None", ")", ",", "'location'", ",", "None", ")", "and", "self", ".", "category", ":", "self", ".", "wageRate", "=", "self", ".", "category", ".", "defaultRate", "elif", "self", ".", "hours", "and", "not", "self", ".", "wageRate", "and", "not", "self", ".", "total", "and", "getattr", "(", "getattr", "(", "self", ",", "'payTo'", ",", "None", ")", ",", "'location'", ",", "None", ")", ":", "self", ".", "wageRate", "=", "self", ".", "payTo", ".", "location", ".", "rentalRate", "if", "self", ".", "hours", "and", "self", ".", "wageRate", "and", "not", "self", ".", "total", ":", "self", ".", "total", "=", "self", ".", "hours", "*", "self", ".", "wageRate", "super", "(", "ExpenseItem", ",", "self", ")", ".", "save", "(", "*", "args", ",", "*", "*", "kwargs", ")", "self", ".", "__approved", "=", "self", ".", "approved", "self", ".", "__paid", "=", "self", ".", "paid", "self", ".", "__approvalDate", "=", "self", ".", "approvalDate", "self", ".", "__paymentDate", "=", "self", ".", "paymentDate", "# If a file is attached, ensure that it is not public, and that it is saved in the 'Expense Receipts' folder", "if", "self", ".", "attachment", ":", "try", ":", "self", ".", "attachment", ".", "folder", "=", "Folder", ".", "objects", ".", "get", "(", "name", "=", "_", "(", "'Expense Receipts'", ")", ")", "except", "ObjectDoesNotExist", ":", "pass", "self", ".", "attachment", ".", "is_public", "=", "False", "self", ".", "attachment", ".", "save", "(", ")" ]
This custom save method ensures that an expense is not attributed to multiple categories. It also ensures that the series and event properties are always associated with any type of expense of that series or event.
[ "This", "custom", "save", "method", "ensures", "that", "an", "expense", "is", "not", "attributed", "to", "multiple", "categories", ".", "It", "also", "ensures", "that", "the", "series", "and", "event", "properties", "are", "always", "associated", "with", "any", "type", "of", "expense", "of", "that", "series", "or", "event", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/models.py#L724-L796
train
236,439
django-danceschool/django-danceschool
danceschool/financial/models.py
RevenueItem.relatedItems
def relatedItems(self): ''' If this item is associated with a registration, then return all other items associated with the same registration. ''' if self.registration: return self.registration.revenueitem_set.exclude(pk=self.pk)
python
def relatedItems(self): ''' If this item is associated with a registration, then return all other items associated with the same registration. ''' if self.registration: return self.registration.revenueitem_set.exclude(pk=self.pk)
[ "def", "relatedItems", "(", "self", ")", ":", "if", "self", ".", "registration", ":", "return", "self", ".", "registration", ".", "revenueitem_set", ".", "exclude", "(", "pk", "=", "self", ".", "pk", ")" ]
If this item is associated with a registration, then return all other items associated with the same registration.
[ "If", "this", "item", "is", "associated", "with", "a", "registration", "then", "return", "all", "other", "items", "associated", "with", "the", "same", "registration", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/models.py#L874-L880
train
236,440
django-danceschool/django-danceschool
danceschool/financial/models.py
RevenueItem.save
def save(self, *args, **kwargs): ''' This custom save method ensures that a revenue item is not attributed to multiple categories. It also ensures that the series and event properties are always associated with any type of revenue of that series or event. ''' # Set the received date if the payment was just marked received if not hasattr(self,'__received'): if self.received and not self.receivedDate: self.receivedDate = timezone.now() else: if self.received and not self.receivedDate and not self.__receivedDate: self.receivedDate = timezone.now() # Set the accrual date. The method for series/events ensures that the accrualDate month # is the same as the reported month of the event/series by accruing to the start date of the first # occurrence in that month. if not self.accrualDate: if self.invoiceItem and self.invoiceItem.finalEventRegistration: min_event_time = self.invoiceItem.finalEventRegistration.event.eventoccurrence_set.filter(**{'startTime__month':self.invoiceItem.finalEventRegistration.event.month}).first().startTime self.accrualDate = min_event_time elif self.event: self.accrualDate = self.event.eventoccurrence_set.order_by('startTime').filter(**{'startTime__month': self.event.month}).last().startTime elif self.invoiceItem: self.accrualDate = self.invoiceItem.invoice.creationDate elif self.receivedDate: self.accrualDate = self.receivedDate elif self.submissionDate: self.accrualDate = self.submissionDate else: self.submissionDate = timezone.now() self.accrualDate = self.submissionDate # Now, set the registration property and check that this item is not attributed # to multiple categories. if self.invoiceItem and self.invoiceItem.finalEventRegistration: self.event = self.invoiceItem.finalEventRegistration.event elif self.invoiceItem and self.invoiceItem.temporaryEventRegistration: self.event = self.invoiceItem.temporaryEventRegistration.event # If no grossTotal is reported, use the net total. If no net total is reported, use the grossTotal if self.grossTotal is None and self.total: self.grossTotal = self.total if self.total is None and self.grossTotal: self.total = self.grossTotal super(RevenueItem, self).save(*args, **kwargs) self.__received = self.received self.__receivedDate = self.receivedDate # If a file is attached, ensure that it is not public, and that it is saved in the 'Expense Receipts' folder if self.attachment: try: self.attachment.folder = Folder.objects.get(name=_('Revenue Receipts')) except ObjectDoesNotExist: pass self.attachment.is_public = False self.attachment.save()
python
def save(self, *args, **kwargs): ''' This custom save method ensures that a revenue item is not attributed to multiple categories. It also ensures that the series and event properties are always associated with any type of revenue of that series or event. ''' # Set the received date if the payment was just marked received if not hasattr(self,'__received'): if self.received and not self.receivedDate: self.receivedDate = timezone.now() else: if self.received and not self.receivedDate and not self.__receivedDate: self.receivedDate = timezone.now() # Set the accrual date. The method for series/events ensures that the accrualDate month # is the same as the reported month of the event/series by accruing to the start date of the first # occurrence in that month. if not self.accrualDate: if self.invoiceItem and self.invoiceItem.finalEventRegistration: min_event_time = self.invoiceItem.finalEventRegistration.event.eventoccurrence_set.filter(**{'startTime__month':self.invoiceItem.finalEventRegistration.event.month}).first().startTime self.accrualDate = min_event_time elif self.event: self.accrualDate = self.event.eventoccurrence_set.order_by('startTime').filter(**{'startTime__month': self.event.month}).last().startTime elif self.invoiceItem: self.accrualDate = self.invoiceItem.invoice.creationDate elif self.receivedDate: self.accrualDate = self.receivedDate elif self.submissionDate: self.accrualDate = self.submissionDate else: self.submissionDate = timezone.now() self.accrualDate = self.submissionDate # Now, set the registration property and check that this item is not attributed # to multiple categories. if self.invoiceItem and self.invoiceItem.finalEventRegistration: self.event = self.invoiceItem.finalEventRegistration.event elif self.invoiceItem and self.invoiceItem.temporaryEventRegistration: self.event = self.invoiceItem.temporaryEventRegistration.event # If no grossTotal is reported, use the net total. If no net total is reported, use the grossTotal if self.grossTotal is None and self.total: self.grossTotal = self.total if self.total is None and self.grossTotal: self.total = self.grossTotal super(RevenueItem, self).save(*args, **kwargs) self.__received = self.received self.__receivedDate = self.receivedDate # If a file is attached, ensure that it is not public, and that it is saved in the 'Expense Receipts' folder if self.attachment: try: self.attachment.folder = Folder.objects.get(name=_('Revenue Receipts')) except ObjectDoesNotExist: pass self.attachment.is_public = False self.attachment.save()
[ "def", "save", "(", "self", ",", "*", "args", ",", "*", "*", "kwargs", ")", ":", "# Set the received date if the payment was just marked received", "if", "not", "hasattr", "(", "self", ",", "'__received'", ")", ":", "if", "self", ".", "received", "and", "not", "self", ".", "receivedDate", ":", "self", ".", "receivedDate", "=", "timezone", ".", "now", "(", ")", "else", ":", "if", "self", ".", "received", "and", "not", "self", ".", "receivedDate", "and", "not", "self", ".", "__receivedDate", ":", "self", ".", "receivedDate", "=", "timezone", ".", "now", "(", ")", "# Set the accrual date. The method for series/events ensures that the accrualDate month", "# is the same as the reported month of the event/series by accruing to the start date of the first", "# occurrence in that month.", "if", "not", "self", ".", "accrualDate", ":", "if", "self", ".", "invoiceItem", "and", "self", ".", "invoiceItem", ".", "finalEventRegistration", ":", "min_event_time", "=", "self", ".", "invoiceItem", ".", "finalEventRegistration", ".", "event", ".", "eventoccurrence_set", ".", "filter", "(", "*", "*", "{", "'startTime__month'", ":", "self", ".", "invoiceItem", ".", "finalEventRegistration", ".", "event", ".", "month", "}", ")", ".", "first", "(", ")", ".", "startTime", "self", ".", "accrualDate", "=", "min_event_time", "elif", "self", ".", "event", ":", "self", ".", "accrualDate", "=", "self", ".", "event", ".", "eventoccurrence_set", ".", "order_by", "(", "'startTime'", ")", ".", "filter", "(", "*", "*", "{", "'startTime__month'", ":", "self", ".", "event", ".", "month", "}", ")", ".", "last", "(", ")", ".", "startTime", "elif", "self", ".", "invoiceItem", ":", "self", ".", "accrualDate", "=", "self", ".", "invoiceItem", ".", "invoice", ".", "creationDate", "elif", "self", ".", "receivedDate", ":", "self", ".", "accrualDate", "=", "self", ".", "receivedDate", "elif", "self", ".", "submissionDate", ":", "self", ".", "accrualDate", "=", "self", ".", "submissionDate", "else", ":", "self", ".", "submissionDate", "=", "timezone", ".", "now", "(", ")", "self", ".", "accrualDate", "=", "self", ".", "submissionDate", "# Now, set the registration property and check that this item is not attributed", "# to multiple categories.", "if", "self", ".", "invoiceItem", "and", "self", ".", "invoiceItem", ".", "finalEventRegistration", ":", "self", ".", "event", "=", "self", ".", "invoiceItem", ".", "finalEventRegistration", ".", "event", "elif", "self", ".", "invoiceItem", "and", "self", ".", "invoiceItem", ".", "temporaryEventRegistration", ":", "self", ".", "event", "=", "self", ".", "invoiceItem", ".", "temporaryEventRegistration", ".", "event", "# If no grossTotal is reported, use the net total. If no net total is reported, use the grossTotal", "if", "self", ".", "grossTotal", "is", "None", "and", "self", ".", "total", ":", "self", ".", "grossTotal", "=", "self", ".", "total", "if", "self", ".", "total", "is", "None", "and", "self", ".", "grossTotal", ":", "self", ".", "total", "=", "self", ".", "grossTotal", "super", "(", "RevenueItem", ",", "self", ")", ".", "save", "(", "*", "args", ",", "*", "*", "kwargs", ")", "self", ".", "__received", "=", "self", ".", "received", "self", ".", "__receivedDate", "=", "self", ".", "receivedDate", "# If a file is attached, ensure that it is not public, and that it is saved in the 'Expense Receipts' folder", "if", "self", ".", "attachment", ":", "try", ":", "self", ".", "attachment", ".", "folder", "=", "Folder", ".", "objects", ".", "get", "(", "name", "=", "_", "(", "'Revenue Receipts'", ")", ")", "except", "ObjectDoesNotExist", ":", "pass", "self", ".", "attachment", ".", "is_public", "=", "False", "self", ".", "attachment", ".", "save", "(", ")" ]
This custom save method ensures that a revenue item is not attributed to multiple categories. It also ensures that the series and event properties are always associated with any type of revenue of that series or event.
[ "This", "custom", "save", "method", "ensures", "that", "a", "revenue", "item", "is", "not", "attributed", "to", "multiple", "categories", ".", "It", "also", "ensures", "that", "the", "series", "and", "event", "properties", "are", "always", "associated", "with", "any", "type", "of", "revenue", "of", "that", "series", "or", "event", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/models.py#L891-L949
train
236,441
django-danceschool/django-danceschool
danceschool/private_lessons/forms.py
SlotCreationForm.clean
def clean(self): ''' Only allow submission if there are not already slots in the submitted window, and only allow rooms associated with the chosen location. ''' super(SlotCreationForm,self).clean() startDate = self.cleaned_data.get('startDate') endDate = self.cleaned_data.get('endDate') startTime = self.cleaned_data.get('startTime') endTime = self.cleaned_data.get('endTime') instructor = self.cleaned_data.get('instructorId') existingSlots = InstructorAvailabilitySlot.objects.filter( instructor=instructor, startTime__gt=( ensure_localtime(datetime.combine(startDate,startTime)) - timedelta(minutes=getConstant('privateLessons__lessonLengthInterval')) ), startTime__lt=ensure_localtime(datetime.combine(endDate,endTime)), ) if existingSlots.exists(): raise ValidationError(_('Newly created slots cannot overlap existing slots for this instructor.'),code='invalid')
python
def clean(self): ''' Only allow submission if there are not already slots in the submitted window, and only allow rooms associated with the chosen location. ''' super(SlotCreationForm,self).clean() startDate = self.cleaned_data.get('startDate') endDate = self.cleaned_data.get('endDate') startTime = self.cleaned_data.get('startTime') endTime = self.cleaned_data.get('endTime') instructor = self.cleaned_data.get('instructorId') existingSlots = InstructorAvailabilitySlot.objects.filter( instructor=instructor, startTime__gt=( ensure_localtime(datetime.combine(startDate,startTime)) - timedelta(minutes=getConstant('privateLessons__lessonLengthInterval')) ), startTime__lt=ensure_localtime(datetime.combine(endDate,endTime)), ) if existingSlots.exists(): raise ValidationError(_('Newly created slots cannot overlap existing slots for this instructor.'),code='invalid')
[ "def", "clean", "(", "self", ")", ":", "super", "(", "SlotCreationForm", ",", "self", ")", ".", "clean", "(", ")", "startDate", "=", "self", ".", "cleaned_data", ".", "get", "(", "'startDate'", ")", "endDate", "=", "self", ".", "cleaned_data", ".", "get", "(", "'endDate'", ")", "startTime", "=", "self", ".", "cleaned_data", ".", "get", "(", "'startTime'", ")", "endTime", "=", "self", ".", "cleaned_data", ".", "get", "(", "'endTime'", ")", "instructor", "=", "self", ".", "cleaned_data", ".", "get", "(", "'instructorId'", ")", "existingSlots", "=", "InstructorAvailabilitySlot", ".", "objects", ".", "filter", "(", "instructor", "=", "instructor", ",", "startTime__gt", "=", "(", "ensure_localtime", "(", "datetime", ".", "combine", "(", "startDate", ",", "startTime", ")", ")", "-", "timedelta", "(", "minutes", "=", "getConstant", "(", "'privateLessons__lessonLengthInterval'", ")", ")", ")", ",", "startTime__lt", "=", "ensure_localtime", "(", "datetime", ".", "combine", "(", "endDate", ",", "endTime", ")", ")", ",", ")", "if", "existingSlots", ".", "exists", "(", ")", ":", "raise", "ValidationError", "(", "_", "(", "'Newly created slots cannot overlap existing slots for this instructor.'", ")", ",", "code", "=", "'invalid'", ")" ]
Only allow submission if there are not already slots in the submitted window, and only allow rooms associated with the chosen location.
[ "Only", "allow", "submission", "if", "there", "are", "not", "already", "slots", "in", "the", "submitted", "window", "and", "only", "allow", "rooms", "associated", "with", "the", "chosen", "location", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/private_lessons/forms.py#L70-L94
train
236,442
django-danceschool/django-danceschool
danceschool/financial/autocomplete_light_registry.py
get_method_list
def get_method_list(): ''' Include manual methods by default ''' methods = [str(_('Cash')),str(_('Check')),str(_('Bank/Debit Card')),str(_('Other'))] methods += ExpenseItem.objects.order_by().values_list('paymentMethod',flat=True).distinct() methods += RevenueItem.objects.order_by().values_list('paymentMethod',flat=True).distinct() methods_list = list(set(methods)) if None in methods_list: methods_list.remove(None) return methods_list
python
def get_method_list(): ''' Include manual methods by default ''' methods = [str(_('Cash')),str(_('Check')),str(_('Bank/Debit Card')),str(_('Other'))] methods += ExpenseItem.objects.order_by().values_list('paymentMethod',flat=True).distinct() methods += RevenueItem.objects.order_by().values_list('paymentMethod',flat=True).distinct() methods_list = list(set(methods)) if None in methods_list: methods_list.remove(None) return methods_list
[ "def", "get_method_list", "(", ")", ":", "methods", "=", "[", "str", "(", "_", "(", "'Cash'", ")", ")", ",", "str", "(", "_", "(", "'Check'", ")", ")", ",", "str", "(", "_", "(", "'Bank/Debit Card'", ")", ")", ",", "str", "(", "_", "(", "'Other'", ")", ")", "]", "methods", "+=", "ExpenseItem", ".", "objects", ".", "order_by", "(", ")", ".", "values_list", "(", "'paymentMethod'", ",", "flat", "=", "True", ")", ".", "distinct", "(", ")", "methods", "+=", "RevenueItem", ".", "objects", ".", "order_by", "(", ")", ".", "values_list", "(", "'paymentMethod'", ",", "flat", "=", "True", ")", ".", "distinct", "(", ")", "methods_list", "=", "list", "(", "set", "(", "methods", ")", ")", "if", "None", "in", "methods_list", ":", "methods_list", ".", "remove", "(", "None", ")", "return", "methods_list" ]
Include manual methods by default
[ "Include", "manual", "methods", "by", "default" ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/autocomplete_light_registry.py#L11-L23
train
236,443
django-danceschool/django-danceschool
danceschool/financial/autocomplete_light_registry.py
TransactionPartyAutoComplete.get_create_option
def get_create_option(self, context, q): """Form the correct create_option to append to results.""" create_option = [] display_create_option = False if self.create_field and q: page_obj = context.get('page_obj', None) if page_obj is None or page_obj.number == 1: display_create_option = True if display_create_option and self.has_add_permission(self.request): ''' Generate querysets of Locations, StaffMembers, and Users that match the query string. ''' for s in Location.objects.filter( Q( Q(name__istartswith=q) & Q(transactionparty__isnull=True) ) ): create_option += [{ 'id': 'Location_%s' % s.id, 'text': _('Generate from location "%(location)s"') % {'location': s.name}, 'create_id': True, }] for s in StaffMember.objects.filter( Q( (Q(firstName__istartswith=q) | Q(lastName__istartswith=q)) & Q(transactionparty__isnull=True) ) ): create_option += [{ 'id': 'StaffMember_%s' % s.id, 'text': _('Generate from staff member "%(staff_member)s"') % {'staff_member': s.fullName}, 'create_id': True, }] for s in User.objects.filter( Q( (Q(first_name__istartswith=q) | Q(last_name__istartswith=q)) & Q(staffmember__isnull=True) & Q(transactionparty__isnull=True) ) ): create_option += [{ 'id': 'User_%s' % s.id, 'text': _('Generate from user "%(user)s"') % {'user': s.get_full_name()}, 'create_id': True, }] # Finally, allow creation from a name only. create_option += [{ 'id': q, 'text': _('Create "%(new_value)s"') % {'new_value': q}, 'create_id': True, }] return create_option
python
def get_create_option(self, context, q): """Form the correct create_option to append to results.""" create_option = [] display_create_option = False if self.create_field and q: page_obj = context.get('page_obj', None) if page_obj is None or page_obj.number == 1: display_create_option = True if display_create_option and self.has_add_permission(self.request): ''' Generate querysets of Locations, StaffMembers, and Users that match the query string. ''' for s in Location.objects.filter( Q( Q(name__istartswith=q) & Q(transactionparty__isnull=True) ) ): create_option += [{ 'id': 'Location_%s' % s.id, 'text': _('Generate from location "%(location)s"') % {'location': s.name}, 'create_id': True, }] for s in StaffMember.objects.filter( Q( (Q(firstName__istartswith=q) | Q(lastName__istartswith=q)) & Q(transactionparty__isnull=True) ) ): create_option += [{ 'id': 'StaffMember_%s' % s.id, 'text': _('Generate from staff member "%(staff_member)s"') % {'staff_member': s.fullName}, 'create_id': True, }] for s in User.objects.filter( Q( (Q(first_name__istartswith=q) | Q(last_name__istartswith=q)) & Q(staffmember__isnull=True) & Q(transactionparty__isnull=True) ) ): create_option += [{ 'id': 'User_%s' % s.id, 'text': _('Generate from user "%(user)s"') % {'user': s.get_full_name()}, 'create_id': True, }] # Finally, allow creation from a name only. create_option += [{ 'id': q, 'text': _('Create "%(new_value)s"') % {'new_value': q}, 'create_id': True, }] return create_option
[ "def", "get_create_option", "(", "self", ",", "context", ",", "q", ")", ":", "create_option", "=", "[", "]", "display_create_option", "=", "False", "if", "self", ".", "create_field", "and", "q", ":", "page_obj", "=", "context", ".", "get", "(", "'page_obj'", ",", "None", ")", "if", "page_obj", "is", "None", "or", "page_obj", ".", "number", "==", "1", ":", "display_create_option", "=", "True", "if", "display_create_option", "and", "self", ".", "has_add_permission", "(", "self", ".", "request", ")", ":", "'''\r\n Generate querysets of Locations, StaffMembers, and Users that \r\n match the query string.\r\n '''", "for", "s", "in", "Location", ".", "objects", ".", "filter", "(", "Q", "(", "Q", "(", "name__istartswith", "=", "q", ")", "&", "Q", "(", "transactionparty__isnull", "=", "True", ")", ")", ")", ":", "create_option", "+=", "[", "{", "'id'", ":", "'Location_%s'", "%", "s", ".", "id", ",", "'text'", ":", "_", "(", "'Generate from location \"%(location)s\"'", ")", "%", "{", "'location'", ":", "s", ".", "name", "}", ",", "'create_id'", ":", "True", ",", "}", "]", "for", "s", "in", "StaffMember", ".", "objects", ".", "filter", "(", "Q", "(", "(", "Q", "(", "firstName__istartswith", "=", "q", ")", "|", "Q", "(", "lastName__istartswith", "=", "q", ")", ")", "&", "Q", "(", "transactionparty__isnull", "=", "True", ")", ")", ")", ":", "create_option", "+=", "[", "{", "'id'", ":", "'StaffMember_%s'", "%", "s", ".", "id", ",", "'text'", ":", "_", "(", "'Generate from staff member \"%(staff_member)s\"'", ")", "%", "{", "'staff_member'", ":", "s", ".", "fullName", "}", ",", "'create_id'", ":", "True", ",", "}", "]", "for", "s", "in", "User", ".", "objects", ".", "filter", "(", "Q", "(", "(", "Q", "(", "first_name__istartswith", "=", "q", ")", "|", "Q", "(", "last_name__istartswith", "=", "q", ")", ")", "&", "Q", "(", "staffmember__isnull", "=", "True", ")", "&", "Q", "(", "transactionparty__isnull", "=", "True", ")", ")", ")", ":", "create_option", "+=", "[", "{", "'id'", ":", "'User_%s'", "%", "s", ".", "id", ",", "'text'", ":", "_", "(", "'Generate from user \"%(user)s\"'", ")", "%", "{", "'user'", ":", "s", ".", "get_full_name", "(", ")", "}", ",", "'create_id'", ":", "True", ",", "}", "]", "# Finally, allow creation from a name only.\r", "create_option", "+=", "[", "{", "'id'", ":", "q", ",", "'text'", ":", "_", "(", "'Create \"%(new_value)s\"'", ")", "%", "{", "'new_value'", ":", "q", "}", ",", "'create_id'", ":", "True", ",", "}", "]", "return", "create_option" ]
Form the correct create_option to append to results.
[ "Form", "the", "correct", "create_option", "to", "append", "to", "results", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/autocomplete_light_registry.py#L80-L135
train
236,444
django-danceschool/django-danceschool
danceschool/financial/autocomplete_light_registry.py
TransactionPartyAutoComplete.create_object
def create_object(self, text): ''' Allow creation of transaction parties using a full name string. ''' if self.create_field == 'name': if text.startswith('Location_'): this_id = text[len('Location_'):] this_loc = Location.objects.get(id=this_id) return self.get_queryset().get_or_create( name=this_loc.name,location=this_loc )[0] elif text.startswith('StaffMember_'): this_id = text[len('StaffMember_'):] this_member = StaffMember.objects.get(id=this_id) return self.get_queryset().get_or_create( name=this_member.fullName,staffMember=this_member, defaults={'user': getattr(this_member,'userAccount',None)} )[0] elif text.startswith('User_'): this_id = text[len('User_'):] this_user = User.objects.get(id=this_id) return self.get_queryset().get_or_create( name=this_user.get_full_name(),user=this_user, defaults={'staffMember': getattr(this_user,'staffmember',None)} )[0] else: return self.get_queryset().get_or_create( name=text,staffMember=None,user=None,location=None )[0] else: return super(TransactionPartyAutoComplete,self).create_object(text)
python
def create_object(self, text): ''' Allow creation of transaction parties using a full name string. ''' if self.create_field == 'name': if text.startswith('Location_'): this_id = text[len('Location_'):] this_loc = Location.objects.get(id=this_id) return self.get_queryset().get_or_create( name=this_loc.name,location=this_loc )[0] elif text.startswith('StaffMember_'): this_id = text[len('StaffMember_'):] this_member = StaffMember.objects.get(id=this_id) return self.get_queryset().get_or_create( name=this_member.fullName,staffMember=this_member, defaults={'user': getattr(this_member,'userAccount',None)} )[0] elif text.startswith('User_'): this_id = text[len('User_'):] this_user = User.objects.get(id=this_id) return self.get_queryset().get_or_create( name=this_user.get_full_name(),user=this_user, defaults={'staffMember': getattr(this_user,'staffmember',None)} )[0] else: return self.get_queryset().get_or_create( name=text,staffMember=None,user=None,location=None )[0] else: return super(TransactionPartyAutoComplete,self).create_object(text)
[ "def", "create_object", "(", "self", ",", "text", ")", ":", "if", "self", ".", "create_field", "==", "'name'", ":", "if", "text", ".", "startswith", "(", "'Location_'", ")", ":", "this_id", "=", "text", "[", "len", "(", "'Location_'", ")", ":", "]", "this_loc", "=", "Location", ".", "objects", ".", "get", "(", "id", "=", "this_id", ")", "return", "self", ".", "get_queryset", "(", ")", ".", "get_or_create", "(", "name", "=", "this_loc", ".", "name", ",", "location", "=", "this_loc", ")", "[", "0", "]", "elif", "text", ".", "startswith", "(", "'StaffMember_'", ")", ":", "this_id", "=", "text", "[", "len", "(", "'StaffMember_'", ")", ":", "]", "this_member", "=", "StaffMember", ".", "objects", ".", "get", "(", "id", "=", "this_id", ")", "return", "self", ".", "get_queryset", "(", ")", ".", "get_or_create", "(", "name", "=", "this_member", ".", "fullName", ",", "staffMember", "=", "this_member", ",", "defaults", "=", "{", "'user'", ":", "getattr", "(", "this_member", ",", "'userAccount'", ",", "None", ")", "}", ")", "[", "0", "]", "elif", "text", ".", "startswith", "(", "'User_'", ")", ":", "this_id", "=", "text", "[", "len", "(", "'User_'", ")", ":", "]", "this_user", "=", "User", ".", "objects", ".", "get", "(", "id", "=", "this_id", ")", "return", "self", ".", "get_queryset", "(", ")", ".", "get_or_create", "(", "name", "=", "this_user", ".", "get_full_name", "(", ")", ",", "user", "=", "this_user", ",", "defaults", "=", "{", "'staffMember'", ":", "getattr", "(", "this_user", ",", "'staffmember'", ",", "None", ")", "}", ")", "[", "0", "]", "else", ":", "return", "self", ".", "get_queryset", "(", ")", ".", "get_or_create", "(", "name", "=", "text", ",", "staffMember", "=", "None", ",", "user", "=", "None", ",", "location", "=", "None", ")", "[", "0", "]", "else", ":", "return", "super", "(", "TransactionPartyAutoComplete", ",", "self", ")", ".", "create_object", "(", "text", ")" ]
Allow creation of transaction parties using a full name string.
[ "Allow", "creation", "of", "transaction", "parties", "using", "a", "full", "name", "string", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/autocomplete_light_registry.py#L137-L166
train
236,445
django-danceschool/django-danceschool
danceschool/core/templatetags/danceschool_tags.py
has_group
def has_group(user, group_name): ''' This allows specification group-based permissions in templates. In most instances, creating model-based permissions and giving them to the desired group is preferable. ''' if user.groups.filter(name=group_name).exists(): return True return False
python
def has_group(user, group_name): ''' This allows specification group-based permissions in templates. In most instances, creating model-based permissions and giving them to the desired group is preferable. ''' if user.groups.filter(name=group_name).exists(): return True return False
[ "def", "has_group", "(", "user", ",", "group_name", ")", ":", "if", "user", ".", "groups", ".", "filter", "(", "name", "=", "group_name", ")", ".", "exists", "(", ")", ":", "return", "True", "return", "False" ]
This allows specification group-based permissions in templates. In most instances, creating model-based permissions and giving them to the desired group is preferable.
[ "This", "allows", "specification", "group", "-", "based", "permissions", "in", "templates", ".", "In", "most", "instances", "creating", "model", "-", "based", "permissions", "and", "giving", "them", "to", "the", "desired", "group", "is", "preferable", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/templatetags/danceschool_tags.py#L53-L61
train
236,446
django-danceschool/django-danceschool
danceschool/core/templatetags/danceschool_tags.py
get_item_by_key
def get_item_by_key(passed_list, key, value): ''' This one allows us to get one or more items from a list of dictionaries based on the value of a specified key, where both the key and the value can be variable names. Does not work with None or null string passed values. ''' if value in [None, '']: return if type(passed_list) in [QuerySet, PolymorphicQuerySet]: sub_list = passed_list.filter(**{key: value}) else: sub_list = [x for x in passed_list if x.get(key) == value] if len(sub_list) == 1: return sub_list[0] return sub_list
python
def get_item_by_key(passed_list, key, value): ''' This one allows us to get one or more items from a list of dictionaries based on the value of a specified key, where both the key and the value can be variable names. Does not work with None or null string passed values. ''' if value in [None, '']: return if type(passed_list) in [QuerySet, PolymorphicQuerySet]: sub_list = passed_list.filter(**{key: value}) else: sub_list = [x for x in passed_list if x.get(key) == value] if len(sub_list) == 1: return sub_list[0] return sub_list
[ "def", "get_item_by_key", "(", "passed_list", ",", "key", ",", "value", ")", ":", "if", "value", "in", "[", "None", ",", "''", "]", ":", "return", "if", "type", "(", "passed_list", ")", "in", "[", "QuerySet", ",", "PolymorphicQuerySet", "]", ":", "sub_list", "=", "passed_list", ".", "filter", "(", "*", "*", "{", "key", ":", "value", "}", ")", "else", ":", "sub_list", "=", "[", "x", "for", "x", "in", "passed_list", "if", "x", ".", "get", "(", "key", ")", "==", "value", "]", "if", "len", "(", "sub_list", ")", "==", "1", ":", "return", "sub_list", "[", "0", "]", "return", "sub_list" ]
This one allows us to get one or more items from a list of dictionaries based on the value of a specified key, where both the key and the value can be variable names. Does not work with None or null string passed values.
[ "This", "one", "allows", "us", "to", "get", "one", "or", "more", "items", "from", "a", "list", "of", "dictionaries", "based", "on", "the", "value", "of", "a", "specified", "key", "where", "both", "the", "key", "and", "the", "value", "can", "be", "variable", "names", ".", "Does", "not", "work", "with", "None", "or", "null", "string", "passed", "values", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/templatetags/danceschool_tags.py#L74-L92
train
236,447
django-danceschool/django-danceschool
danceschool/core/templatetags/danceschool_tags.py
get_field_for_object
def get_field_for_object(field_type, field_id, form): ''' This tag allows one to get a specific series or event form field in registration views. ''' field_name = field_type + '_' + str(field_id) return form.__getitem__(field_name)
python
def get_field_for_object(field_type, field_id, form): ''' This tag allows one to get a specific series or event form field in registration views. ''' field_name = field_type + '_' + str(field_id) return form.__getitem__(field_name)
[ "def", "get_field_for_object", "(", "field_type", ",", "field_id", ",", "form", ")", ":", "field_name", "=", "field_type", "+", "'_'", "+", "str", "(", "field_id", ")", "return", "form", ".", "__getitem__", "(", "field_name", ")" ]
This tag allows one to get a specific series or event form field in registration views.
[ "This", "tag", "allows", "one", "to", "get", "a", "specific", "series", "or", "event", "form", "field", "in", "registration", "views", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/templatetags/danceschool_tags.py#L96-L102
train
236,448
django-danceschool/django-danceschool
danceschool/core/templatetags/danceschool_tags.py
template_exists
def template_exists(template_name): ''' Determine if a given template exists so that it can be loaded if so, or a default alternative can be used if not. ''' try: template.loader.get_template(template_name) return True except template.TemplateDoesNotExist: return False
python
def template_exists(template_name): ''' Determine if a given template exists so that it can be loaded if so, or a default alternative can be used if not. ''' try: template.loader.get_template(template_name) return True except template.TemplateDoesNotExist: return False
[ "def", "template_exists", "(", "template_name", ")", ":", "try", ":", "template", ".", "loader", ".", "get_template", "(", "template_name", ")", "return", "True", "except", "template", ".", "TemplateDoesNotExist", ":", "return", "False" ]
Determine if a given template exists so that it can be loaded if so, or a default alternative can be used if not.
[ "Determine", "if", "a", "given", "template", "exists", "so", "that", "it", "can", "be", "loaded", "if", "so", "or", "a", "default", "alternative", "can", "be", "used", "if", "not", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/templatetags/danceschool_tags.py#L106-L115
train
236,449
django-danceschool/django-danceschool
danceschool/core/templatetags/danceschool_tags.py
numRegisteredForRole
def numRegisteredForRole(event, role): ''' This tag allows one to access the number of registrations for any dance role. ''' if not isinstance(event, Event) or not isinstance(role, DanceRole): return None return event.numRegisteredForRole(role)
python
def numRegisteredForRole(event, role): ''' This tag allows one to access the number of registrations for any dance role. ''' if not isinstance(event, Event) or not isinstance(role, DanceRole): return None return event.numRegisteredForRole(role)
[ "def", "numRegisteredForRole", "(", "event", ",", "role", ")", ":", "if", "not", "isinstance", "(", "event", ",", "Event", ")", "or", "not", "isinstance", "(", "role", ",", "DanceRole", ")", ":", "return", "None", "return", "event", ".", "numRegisteredForRole", "(", "role", ")" ]
This tag allows one to access the number of registrations for any dance role.
[ "This", "tag", "allows", "one", "to", "access", "the", "number", "of", "registrations", "for", "any", "dance", "role", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/templatetags/danceschool_tags.py#L119-L126
train
236,450
django-danceschool/django-danceschool
danceschool/core/templatetags/danceschool_tags.py
soldOutForRole
def soldOutForRole(event, role): ''' This tag allows one to determine whether any event is sold out for any particular role. ''' if not isinstance(event, Event) or not isinstance(role, DanceRole): return None return event.soldOutForRole(role)
python
def soldOutForRole(event, role): ''' This tag allows one to determine whether any event is sold out for any particular role. ''' if not isinstance(event, Event) or not isinstance(role, DanceRole): return None return event.soldOutForRole(role)
[ "def", "soldOutForRole", "(", "event", ",", "role", ")", ":", "if", "not", "isinstance", "(", "event", ",", "Event", ")", "or", "not", "isinstance", "(", "role", ",", "DanceRole", ")", ":", "return", "None", "return", "event", ".", "soldOutForRole", "(", "role", ")" ]
This tag allows one to determine whether any event is sold out for any particular role.
[ "This", "tag", "allows", "one", "to", "determine", "whether", "any", "event", "is", "sold", "out", "for", "any", "particular", "role", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/templatetags/danceschool_tags.py#L130-L137
train
236,451
django-danceschool/django-danceschool
danceschool/core/templatetags/danceschool_tags.py
numRegisteredForRoleName
def numRegisteredForRoleName(event, roleName): ''' This tag allows one to access the number of registrations for any dance role using only the role's name. ''' if not isinstance(event, Event): return None try: role = DanceRole.objects.get(name=roleName) except ObjectDoesNotExist: return None return event.numRegisteredForRole(role)
python
def numRegisteredForRoleName(event, roleName): ''' This tag allows one to access the number of registrations for any dance role using only the role's name. ''' if not isinstance(event, Event): return None try: role = DanceRole.objects.get(name=roleName) except ObjectDoesNotExist: return None return event.numRegisteredForRole(role)
[ "def", "numRegisteredForRoleName", "(", "event", ",", "roleName", ")", ":", "if", "not", "isinstance", "(", "event", ",", "Event", ")", ":", "return", "None", "try", ":", "role", "=", "DanceRole", ".", "objects", ".", "get", "(", "name", "=", "roleName", ")", "except", "ObjectDoesNotExist", ":", "return", "None", "return", "event", ".", "numRegisteredForRole", "(", "role", ")" ]
This tag allows one to access the number of registrations for any dance role using only the role's name.
[ "This", "tag", "allows", "one", "to", "access", "the", "number", "of", "registrations", "for", "any", "dance", "role", "using", "only", "the", "role", "s", "name", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/templatetags/danceschool_tags.py#L141-L154
train
236,452
django-danceschool/django-danceschool
danceschool/vouchers/models.py
Voucher.create_new_code
def create_new_code(cls,**kwargs): ''' Creates a new Voucher with a unique voucherId ''' prefix = kwargs.pop('prefix','') new = False while not new: # Standard is a ten-letter random string of uppercase letters random_string = ''.join(random.choice(string.ascii_uppercase) for z in range(10)) if not Voucher.objects.filter(voucherId='%s%s' % (prefix, random_string)).exists(): new = True return Voucher.objects.create(voucherId='%s%s' % (prefix, random_string),**kwargs)
python
def create_new_code(cls,**kwargs): ''' Creates a new Voucher with a unique voucherId ''' prefix = kwargs.pop('prefix','') new = False while not new: # Standard is a ten-letter random string of uppercase letters random_string = ''.join(random.choice(string.ascii_uppercase) for z in range(10)) if not Voucher.objects.filter(voucherId='%s%s' % (prefix, random_string)).exists(): new = True return Voucher.objects.create(voucherId='%s%s' % (prefix, random_string),**kwargs)
[ "def", "create_new_code", "(", "cls", ",", "*", "*", "kwargs", ")", ":", "prefix", "=", "kwargs", ".", "pop", "(", "'prefix'", ",", "''", ")", "new", "=", "False", "while", "not", "new", ":", "# Standard is a ten-letter random string of uppercase letters", "random_string", "=", "''", ".", "join", "(", "random", ".", "choice", "(", "string", ".", "ascii_uppercase", ")", "for", "z", "in", "range", "(", "10", ")", ")", "if", "not", "Voucher", ".", "objects", ".", "filter", "(", "voucherId", "=", "'%s%s'", "%", "(", "prefix", ",", "random_string", ")", ")", ".", "exists", "(", ")", ":", "new", "=", "True", "return", "Voucher", ".", "objects", ".", "create", "(", "voucherId", "=", "'%s%s'", "%", "(", "prefix", ",", "random_string", ")", ",", "*", "*", "kwargs", ")" ]
Creates a new Voucher with a unique voucherId
[ "Creates", "a", "new", "Voucher", "with", "a", "unique", "voucherId" ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/vouchers/models.py#L66-L79
train
236,453
django-danceschool/django-danceschool
danceschool/prerequisites/models.py
Requirement.customerMeetsRequirement
def customerMeetsRequirement(self, customer, danceRole=None, registration=None): ''' This method checks whether a given customer meets a given set of requirements. ''' cust_reqs = self.customerrequirement_set.filter(customer=customer,met=True) if customer: cust_priors = customer.eventregistration_set.filter(event__series__isnull=False) else: cust_priors = EventRegistration.objects.none() # If there's an explicit object stating that this customer meets the requirement, then we're done. if self.roleEnforced and danceRole and cust_reqs.filter(role=danceRole).exists(): return True elif not self.roleEnforced and cust_reqs.exists(): return True elif self.roleEnforced and not danceRole: return False # Go through each item for this requirement and see if the customer meets that item for item in self.requirementitem_set.all(): filter_dict = {} if item.requiredLevel: filter_dict['event__series__classDescription__danceTypeLevel'] = item.requiredLevel if item.requiredClass: filter_dict['event__series__classDescription'] = item.requiredClass if self.roleEnforced: filter_dict['role'] = danceRole current_matches = 0 overlap_matches = 0 nonconcurrent_filter = {'event__endTime__lte': timezone.now()} if registration: if isinstance(registration,Registration): current_matches = registration.eventregistration_set.filter(**filter_dict).count() elif isinstance(registration,TemporaryRegistration): current_matches = registration.temporaryeventregistration_set.filter(**filter_dict).count() nonconcurrent_filter = {'event__endTime__lte': registration.firstSeriesStartTime} overlap_matches = cust_priors.filter(**filter_dict).exclude(**nonconcurrent_filter).filter( event__startTime__lte=registration.lastSeriesEndTime, ).count() priors_matches = cust_priors.filter(**filter_dict).filter(**nonconcurrent_filter).count() # The number of matches depends on the concurrency rule for this item if item.concurrentRule == item.ConcurrencyRule.prohibited: matches = priors_matches elif item.concurrentRule == item.ConcurrencyRule.allowOneOverlapClass: matches = priors_matches + \ cust_priors.filter(**filter_dict).exclude(**nonconcurrent_filter).filter( event__startTime__lte=registration.getTimeOfClassesRemaining(1) ).count() elif item.concurrentRule == item.ConcurrencyRule.allowTwoOverlapClasses: matches = priors_matches + \ cust_priors.filter(**filter_dict).exclude(**nonconcurrent_filter).filter( event__startTime__lte=registration.getTimeOfClassesRemaining(2) ).count() elif item.concurrentRule == item.ConcurrencyRule.allowed: matches = priors_matches + overlap_matches + \ (current_matches if isinstance(registration,TemporaryRegistration) else 0) elif item.concurrentRule == item.ConcurrencyRule.required: matches = overlap_matches + current_matches if matches >= item.quantity: # If this is an 'or' or a 'not' requirement, then we are done if self.booleanRule == self.BooleanChoice.booleanOr: return True if self.booleanRule == self.BooleanChoice.booleanNot: return False else: # If this is an 'and' requirement and we didn't meet, then we are done if self.booleanRule == self.BooleanChoice.booleanAnd: return False # If we got this far, then either all 'and' requirements were met, or all 'or' and 'not' requirements were not met if self.booleanRule == self.BooleanChoice.booleanOr or self.requirementitem_set.count() == 0: return False return True
python
def customerMeetsRequirement(self, customer, danceRole=None, registration=None): ''' This method checks whether a given customer meets a given set of requirements. ''' cust_reqs = self.customerrequirement_set.filter(customer=customer,met=True) if customer: cust_priors = customer.eventregistration_set.filter(event__series__isnull=False) else: cust_priors = EventRegistration.objects.none() # If there's an explicit object stating that this customer meets the requirement, then we're done. if self.roleEnforced and danceRole and cust_reqs.filter(role=danceRole).exists(): return True elif not self.roleEnforced and cust_reqs.exists(): return True elif self.roleEnforced and not danceRole: return False # Go through each item for this requirement and see if the customer meets that item for item in self.requirementitem_set.all(): filter_dict = {} if item.requiredLevel: filter_dict['event__series__classDescription__danceTypeLevel'] = item.requiredLevel if item.requiredClass: filter_dict['event__series__classDescription'] = item.requiredClass if self.roleEnforced: filter_dict['role'] = danceRole current_matches = 0 overlap_matches = 0 nonconcurrent_filter = {'event__endTime__lte': timezone.now()} if registration: if isinstance(registration,Registration): current_matches = registration.eventregistration_set.filter(**filter_dict).count() elif isinstance(registration,TemporaryRegistration): current_matches = registration.temporaryeventregistration_set.filter(**filter_dict).count() nonconcurrent_filter = {'event__endTime__lte': registration.firstSeriesStartTime} overlap_matches = cust_priors.filter(**filter_dict).exclude(**nonconcurrent_filter).filter( event__startTime__lte=registration.lastSeriesEndTime, ).count() priors_matches = cust_priors.filter(**filter_dict).filter(**nonconcurrent_filter).count() # The number of matches depends on the concurrency rule for this item if item.concurrentRule == item.ConcurrencyRule.prohibited: matches = priors_matches elif item.concurrentRule == item.ConcurrencyRule.allowOneOverlapClass: matches = priors_matches + \ cust_priors.filter(**filter_dict).exclude(**nonconcurrent_filter).filter( event__startTime__lte=registration.getTimeOfClassesRemaining(1) ).count() elif item.concurrentRule == item.ConcurrencyRule.allowTwoOverlapClasses: matches = priors_matches + \ cust_priors.filter(**filter_dict).exclude(**nonconcurrent_filter).filter( event__startTime__lte=registration.getTimeOfClassesRemaining(2) ).count() elif item.concurrentRule == item.ConcurrencyRule.allowed: matches = priors_matches + overlap_matches + \ (current_matches if isinstance(registration,TemporaryRegistration) else 0) elif item.concurrentRule == item.ConcurrencyRule.required: matches = overlap_matches + current_matches if matches >= item.quantity: # If this is an 'or' or a 'not' requirement, then we are done if self.booleanRule == self.BooleanChoice.booleanOr: return True if self.booleanRule == self.BooleanChoice.booleanNot: return False else: # If this is an 'and' requirement and we didn't meet, then we are done if self.booleanRule == self.BooleanChoice.booleanAnd: return False # If we got this far, then either all 'and' requirements were met, or all 'or' and 'not' requirements were not met if self.booleanRule == self.BooleanChoice.booleanOr or self.requirementitem_set.count() == 0: return False return True
[ "def", "customerMeetsRequirement", "(", "self", ",", "customer", ",", "danceRole", "=", "None", ",", "registration", "=", "None", ")", ":", "cust_reqs", "=", "self", ".", "customerrequirement_set", ".", "filter", "(", "customer", "=", "customer", ",", "met", "=", "True", ")", "if", "customer", ":", "cust_priors", "=", "customer", ".", "eventregistration_set", ".", "filter", "(", "event__series__isnull", "=", "False", ")", "else", ":", "cust_priors", "=", "EventRegistration", ".", "objects", ".", "none", "(", ")", "# If there's an explicit object stating that this customer meets the requirement, then we're done.", "if", "self", ".", "roleEnforced", "and", "danceRole", "and", "cust_reqs", ".", "filter", "(", "role", "=", "danceRole", ")", ".", "exists", "(", ")", ":", "return", "True", "elif", "not", "self", ".", "roleEnforced", "and", "cust_reqs", ".", "exists", "(", ")", ":", "return", "True", "elif", "self", ".", "roleEnforced", "and", "not", "danceRole", ":", "return", "False", "# Go through each item for this requirement and see if the customer meets that item", "for", "item", "in", "self", ".", "requirementitem_set", ".", "all", "(", ")", ":", "filter_dict", "=", "{", "}", "if", "item", ".", "requiredLevel", ":", "filter_dict", "[", "'event__series__classDescription__danceTypeLevel'", "]", "=", "item", ".", "requiredLevel", "if", "item", ".", "requiredClass", ":", "filter_dict", "[", "'event__series__classDescription'", "]", "=", "item", ".", "requiredClass", "if", "self", ".", "roleEnforced", ":", "filter_dict", "[", "'role'", "]", "=", "danceRole", "current_matches", "=", "0", "overlap_matches", "=", "0", "nonconcurrent_filter", "=", "{", "'event__endTime__lte'", ":", "timezone", ".", "now", "(", ")", "}", "if", "registration", ":", "if", "isinstance", "(", "registration", ",", "Registration", ")", ":", "current_matches", "=", "registration", ".", "eventregistration_set", ".", "filter", "(", "*", "*", "filter_dict", ")", ".", "count", "(", ")", "elif", "isinstance", "(", "registration", ",", "TemporaryRegistration", ")", ":", "current_matches", "=", "registration", ".", "temporaryeventregistration_set", ".", "filter", "(", "*", "*", "filter_dict", ")", ".", "count", "(", ")", "nonconcurrent_filter", "=", "{", "'event__endTime__lte'", ":", "registration", ".", "firstSeriesStartTime", "}", "overlap_matches", "=", "cust_priors", ".", "filter", "(", "*", "*", "filter_dict", ")", ".", "exclude", "(", "*", "*", "nonconcurrent_filter", ")", ".", "filter", "(", "event__startTime__lte", "=", "registration", ".", "lastSeriesEndTime", ",", ")", ".", "count", "(", ")", "priors_matches", "=", "cust_priors", ".", "filter", "(", "*", "*", "filter_dict", ")", ".", "filter", "(", "*", "*", "nonconcurrent_filter", ")", ".", "count", "(", ")", "# The number of matches depends on the concurrency rule for this item", "if", "item", ".", "concurrentRule", "==", "item", ".", "ConcurrencyRule", ".", "prohibited", ":", "matches", "=", "priors_matches", "elif", "item", ".", "concurrentRule", "==", "item", ".", "ConcurrencyRule", ".", "allowOneOverlapClass", ":", "matches", "=", "priors_matches", "+", "cust_priors", ".", "filter", "(", "*", "*", "filter_dict", ")", ".", "exclude", "(", "*", "*", "nonconcurrent_filter", ")", ".", "filter", "(", "event__startTime__lte", "=", "registration", ".", "getTimeOfClassesRemaining", "(", "1", ")", ")", ".", "count", "(", ")", "elif", "item", ".", "concurrentRule", "==", "item", ".", "ConcurrencyRule", ".", "allowTwoOverlapClasses", ":", "matches", "=", "priors_matches", "+", "cust_priors", ".", "filter", "(", "*", "*", "filter_dict", ")", ".", "exclude", "(", "*", "*", "nonconcurrent_filter", ")", ".", "filter", "(", "event__startTime__lte", "=", "registration", ".", "getTimeOfClassesRemaining", "(", "2", ")", ")", ".", "count", "(", ")", "elif", "item", ".", "concurrentRule", "==", "item", ".", "ConcurrencyRule", ".", "allowed", ":", "matches", "=", "priors_matches", "+", "overlap_matches", "+", "(", "current_matches", "if", "isinstance", "(", "registration", ",", "TemporaryRegistration", ")", "else", "0", ")", "elif", "item", ".", "concurrentRule", "==", "item", ".", "ConcurrencyRule", ".", "required", ":", "matches", "=", "overlap_matches", "+", "current_matches", "if", "matches", ">=", "item", ".", "quantity", ":", "# If this is an 'or' or a 'not' requirement, then we are done", "if", "self", ".", "booleanRule", "==", "self", ".", "BooleanChoice", ".", "booleanOr", ":", "return", "True", "if", "self", ".", "booleanRule", "==", "self", ".", "BooleanChoice", ".", "booleanNot", ":", "return", "False", "else", ":", "# If this is an 'and' requirement and we didn't meet, then we are done", "if", "self", ".", "booleanRule", "==", "self", ".", "BooleanChoice", ".", "booleanAnd", ":", "return", "False", "# If we got this far, then either all 'and' requirements were met, or all 'or' and 'not' requirements were not met", "if", "self", ".", "booleanRule", "==", "self", ".", "BooleanChoice", ".", "booleanOr", "or", "self", ".", "requirementitem_set", ".", "count", "(", ")", "==", "0", ":", "return", "False", "return", "True" ]
This method checks whether a given customer meets a given set of requirements.
[ "This", "method", "checks", "whether", "a", "given", "customer", "meets", "a", "given", "set", "of", "requirements", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/prerequisites/models.py#L49-L129
train
236,454
django-danceschool/django-danceschool
danceschool/financial/handlers.py
updateTransactionParty
def updateTransactionParty(sender,instance,**kwargs): ''' If a User, StaffMember, or Location is updated, and there exists an associated TransactionParty, then the name and other attributes of that party should be updated to reflect the new information. ''' if 'loaddata' in sys.argv or ('raw' in kwargs and kwargs['raw']): return logger.debug('TransactionParty signal fired for %s %s.' % (instance.__class__.__name__, instance.id)) party = getattr(instance,'transactionparty',None) if party: party.save(updateBy=instance)
python
def updateTransactionParty(sender,instance,**kwargs): ''' If a User, StaffMember, or Location is updated, and there exists an associated TransactionParty, then the name and other attributes of that party should be updated to reflect the new information. ''' if 'loaddata' in sys.argv or ('raw' in kwargs and kwargs['raw']): return logger.debug('TransactionParty signal fired for %s %s.' % (instance.__class__.__name__, instance.id)) party = getattr(instance,'transactionparty',None) if party: party.save(updateBy=instance)
[ "def", "updateTransactionParty", "(", "sender", ",", "instance", ",", "*", "*", "kwargs", ")", ":", "if", "'loaddata'", "in", "sys", ".", "argv", "or", "(", "'raw'", "in", "kwargs", "and", "kwargs", "[", "'raw'", "]", ")", ":", "return", "logger", ".", "debug", "(", "'TransactionParty signal fired for %s %s.'", "%", "(", "instance", ".", "__class__", ".", "__name__", ",", "instance", ".", "id", ")", ")", "party", "=", "getattr", "(", "instance", ",", "'transactionparty'", ",", "None", ")", "if", "party", ":", "party", ".", "save", "(", "updateBy", "=", "instance", ")" ]
If a User, StaffMember, or Location is updated, and there exists an associated TransactionParty, then the name and other attributes of that party should be updated to reflect the new information.
[ "If", "a", "User", "StaffMember", "or", "Location", "is", "updated", "and", "there", "exists", "an", "associated", "TransactionParty", "then", "the", "name", "and", "other", "attributes", "of", "that", "party", "should", "be", "updated", "to", "reflect", "the", "new", "information", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/handlers.py#L151-L165
train
236,455
django-danceschool/django-danceschool
danceschool/payments/square/tasks.py
updateSquareFees
def updateSquareFees(paymentRecord): ''' The Square Checkout API does not calculate fees immediately, so this task is called to be asynchronously run 1 minute after the initial transaction, so that any Invoice or ExpenseItem associated with this transaction also remains accurate. ''' fees = paymentRecord.netFees invoice = paymentRecord.invoice invoice.fees = fees invoice.save() invoice.allocateFees() return fees
python
def updateSquareFees(paymentRecord): ''' The Square Checkout API does not calculate fees immediately, so this task is called to be asynchronously run 1 minute after the initial transaction, so that any Invoice or ExpenseItem associated with this transaction also remains accurate. ''' fees = paymentRecord.netFees invoice = paymentRecord.invoice invoice.fees = fees invoice.save() invoice.allocateFees() return fees
[ "def", "updateSquareFees", "(", "paymentRecord", ")", ":", "fees", "=", "paymentRecord", ".", "netFees", "invoice", "=", "paymentRecord", ".", "invoice", "invoice", ".", "fees", "=", "fees", "invoice", ".", "save", "(", ")", "invoice", ".", "allocateFees", "(", ")", "return", "fees" ]
The Square Checkout API does not calculate fees immediately, so this task is called to be asynchronously run 1 minute after the initial transaction, so that any Invoice or ExpenseItem associated with this transaction also remains accurate.
[ "The", "Square", "Checkout", "API", "does", "not", "calculate", "fees", "immediately", "so", "this", "task", "is", "called", "to", "be", "asynchronously", "run", "1", "minute", "after", "the", "initial", "transaction", "so", "that", "any", "Invoice", "or", "ExpenseItem", "associated", "with", "this", "transaction", "also", "remains", "accurate", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/payments/square/tasks.py#L5-L17
train
236,456
django-danceschool/django-danceschool
danceschool/stats/stats.py
getClassTypeMonthlyData
def getClassTypeMonthlyData(year=None, series=None, typeLimit=None): ''' To break out by class type and month simultaneously, get data for each series and aggregate by class type. ''' # If no year specified, report current year to date. if not year: year = timezone.now().year role_list = DanceRole.objects.distinct() # Report data on all students registered unless otherwise specified if series not in ['registrations','studenthours'] and series not in [x.pluralName for x in role_list]: series = 'registrations' when_all = { 'eventregistration__dropIn': False, 'eventregistration__cancelled': False, } annotations = {'registrations': Sum(Case(When(Q(**when_all),then=1),output_field=FloatField()))} for this_role in role_list: annotations[this_role.pluralName] = Sum(Case(When(Q(Q(**when_all) & Q(eventregistration__role=this_role)),then=1),output_field=FloatField())) series_counts = Series.objects.filter(year=year).annotate(**annotations).annotate(studenthours=F('duration') * F('registrations')).select_related('classDescription__danceTypeLevel__danceType','classDescription__danceTypeLevel') # If no limit specified on number of types, then do not aggregate dance types. # Otherwise, report the typeLimit most common types individually, and report all # others as other. This gets tuples of names and counts dance_type_counts = [(dance_type,count) for dance_type,count in Counter([x.classDescription.danceTypeLevel for x in series_counts]).items()] dance_type_counts.sort(key=lambda k: k[1],reverse=True) if typeLimit: dance_types = [x[0] for x in dance_type_counts[:typeLimit]] else: dance_types = [x[0] for x in dance_type_counts] results = [] # Month by month, calculate the result data for month in range(1,13): this_month_result = { 'month': month, 'month_name': month_name[month], } for dance_type in dance_types: this_month_result[dance_type.__str__()] = \ series_counts.filter(classDescription__danceTypeLevel=dance_type,month=month).aggregate(Sum(series))['%s__sum' % series] if typeLimit: this_month_result['Other'] = \ series_counts.filter(month=month).exclude(classDescription__danceTypeLevel__in=dance_types).aggregate(Sum(series))['%s__sum' % series] results.append(this_month_result) # Now get totals totals_result = { 'month': 'Totals', 'month_name': 'totals', } for dance_type in dance_types: totals_result[dance_type.__str__()] = \ series_counts.filter(classDescription__danceTypeLevel=dance_type).aggregate(Sum(series))['%s__sum' % series] if typeLimit: totals_result['Other'] = \ series_counts.exclude(classDescription__danceTypeLevel__in=dance_types).aggregate(Sum(series))['%s__sum' % series] results.append(totals_result) return results
python
def getClassTypeMonthlyData(year=None, series=None, typeLimit=None): ''' To break out by class type and month simultaneously, get data for each series and aggregate by class type. ''' # If no year specified, report current year to date. if not year: year = timezone.now().year role_list = DanceRole.objects.distinct() # Report data on all students registered unless otherwise specified if series not in ['registrations','studenthours'] and series not in [x.pluralName for x in role_list]: series = 'registrations' when_all = { 'eventregistration__dropIn': False, 'eventregistration__cancelled': False, } annotations = {'registrations': Sum(Case(When(Q(**when_all),then=1),output_field=FloatField()))} for this_role in role_list: annotations[this_role.pluralName] = Sum(Case(When(Q(Q(**when_all) & Q(eventregistration__role=this_role)),then=1),output_field=FloatField())) series_counts = Series.objects.filter(year=year).annotate(**annotations).annotate(studenthours=F('duration') * F('registrations')).select_related('classDescription__danceTypeLevel__danceType','classDescription__danceTypeLevel') # If no limit specified on number of types, then do not aggregate dance types. # Otherwise, report the typeLimit most common types individually, and report all # others as other. This gets tuples of names and counts dance_type_counts = [(dance_type,count) for dance_type,count in Counter([x.classDescription.danceTypeLevel for x in series_counts]).items()] dance_type_counts.sort(key=lambda k: k[1],reverse=True) if typeLimit: dance_types = [x[0] for x in dance_type_counts[:typeLimit]] else: dance_types = [x[0] for x in dance_type_counts] results = [] # Month by month, calculate the result data for month in range(1,13): this_month_result = { 'month': month, 'month_name': month_name[month], } for dance_type in dance_types: this_month_result[dance_type.__str__()] = \ series_counts.filter(classDescription__danceTypeLevel=dance_type,month=month).aggregate(Sum(series))['%s__sum' % series] if typeLimit: this_month_result['Other'] = \ series_counts.filter(month=month).exclude(classDescription__danceTypeLevel__in=dance_types).aggregate(Sum(series))['%s__sum' % series] results.append(this_month_result) # Now get totals totals_result = { 'month': 'Totals', 'month_name': 'totals', } for dance_type in dance_types: totals_result[dance_type.__str__()] = \ series_counts.filter(classDescription__danceTypeLevel=dance_type).aggregate(Sum(series))['%s__sum' % series] if typeLimit: totals_result['Other'] = \ series_counts.exclude(classDescription__danceTypeLevel__in=dance_types).aggregate(Sum(series))['%s__sum' % series] results.append(totals_result) return results
[ "def", "getClassTypeMonthlyData", "(", "year", "=", "None", ",", "series", "=", "None", ",", "typeLimit", "=", "None", ")", ":", "# If no year specified, report current year to date.", "if", "not", "year", ":", "year", "=", "timezone", ".", "now", "(", ")", ".", "year", "role_list", "=", "DanceRole", ".", "objects", ".", "distinct", "(", ")", "# Report data on all students registered unless otherwise specified", "if", "series", "not", "in", "[", "'registrations'", ",", "'studenthours'", "]", "and", "series", "not", "in", "[", "x", ".", "pluralName", "for", "x", "in", "role_list", "]", ":", "series", "=", "'registrations'", "when_all", "=", "{", "'eventregistration__dropIn'", ":", "False", ",", "'eventregistration__cancelled'", ":", "False", ",", "}", "annotations", "=", "{", "'registrations'", ":", "Sum", "(", "Case", "(", "When", "(", "Q", "(", "*", "*", "when_all", ")", ",", "then", "=", "1", ")", ",", "output_field", "=", "FloatField", "(", ")", ")", ")", "}", "for", "this_role", "in", "role_list", ":", "annotations", "[", "this_role", ".", "pluralName", "]", "=", "Sum", "(", "Case", "(", "When", "(", "Q", "(", "Q", "(", "*", "*", "when_all", ")", "&", "Q", "(", "eventregistration__role", "=", "this_role", ")", ")", ",", "then", "=", "1", ")", ",", "output_field", "=", "FloatField", "(", ")", ")", ")", "series_counts", "=", "Series", ".", "objects", ".", "filter", "(", "year", "=", "year", ")", ".", "annotate", "(", "*", "*", "annotations", ")", ".", "annotate", "(", "studenthours", "=", "F", "(", "'duration'", ")", "*", "F", "(", "'registrations'", ")", ")", ".", "select_related", "(", "'classDescription__danceTypeLevel__danceType'", ",", "'classDescription__danceTypeLevel'", ")", "# If no limit specified on number of types, then do not aggregate dance types.", "# Otherwise, report the typeLimit most common types individually, and report all", "# others as other. This gets tuples of names and counts", "dance_type_counts", "=", "[", "(", "dance_type", ",", "count", ")", "for", "dance_type", ",", "count", "in", "Counter", "(", "[", "x", ".", "classDescription", ".", "danceTypeLevel", "for", "x", "in", "series_counts", "]", ")", ".", "items", "(", ")", "]", "dance_type_counts", ".", "sort", "(", "key", "=", "lambda", "k", ":", "k", "[", "1", "]", ",", "reverse", "=", "True", ")", "if", "typeLimit", ":", "dance_types", "=", "[", "x", "[", "0", "]", "for", "x", "in", "dance_type_counts", "[", ":", "typeLimit", "]", "]", "else", ":", "dance_types", "=", "[", "x", "[", "0", "]", "for", "x", "in", "dance_type_counts", "]", "results", "=", "[", "]", "# Month by month, calculate the result data", "for", "month", "in", "range", "(", "1", ",", "13", ")", ":", "this_month_result", "=", "{", "'month'", ":", "month", ",", "'month_name'", ":", "month_name", "[", "month", "]", ",", "}", "for", "dance_type", "in", "dance_types", ":", "this_month_result", "[", "dance_type", ".", "__str__", "(", ")", "]", "=", "series_counts", ".", "filter", "(", "classDescription__danceTypeLevel", "=", "dance_type", ",", "month", "=", "month", ")", ".", "aggregate", "(", "Sum", "(", "series", ")", ")", "[", "'%s__sum'", "%", "series", "]", "if", "typeLimit", ":", "this_month_result", "[", "'Other'", "]", "=", "series_counts", ".", "filter", "(", "month", "=", "month", ")", ".", "exclude", "(", "classDescription__danceTypeLevel__in", "=", "dance_types", ")", ".", "aggregate", "(", "Sum", "(", "series", ")", ")", "[", "'%s__sum'", "%", "series", "]", "results", ".", "append", "(", "this_month_result", ")", "# Now get totals", "totals_result", "=", "{", "'month'", ":", "'Totals'", ",", "'month_name'", ":", "'totals'", ",", "}", "for", "dance_type", "in", "dance_types", ":", "totals_result", "[", "dance_type", ".", "__str__", "(", ")", "]", "=", "series_counts", ".", "filter", "(", "classDescription__danceTypeLevel", "=", "dance_type", ")", ".", "aggregate", "(", "Sum", "(", "series", ")", ")", "[", "'%s__sum'", "%", "series", "]", "if", "typeLimit", ":", "totals_result", "[", "'Other'", "]", "=", "series_counts", ".", "exclude", "(", "classDescription__danceTypeLevel__in", "=", "dance_types", ")", ".", "aggregate", "(", "Sum", "(", "series", ")", ")", "[", "'%s__sum'", "%", "series", "]", "results", ".", "append", "(", "totals_result", ")", "return", "results" ]
To break out by class type and month simultaneously, get data for each series and aggregate by class type.
[ "To", "break", "out", "by", "class", "type", "and", "month", "simultaneously", "get", "data", "for", "each", "series", "and", "aggregate", "by", "class", "type", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/stats/stats.py#L138-L211
train
236,457
django-danceschool/django-danceschool
danceschool/private_lessons/views.py
AddAvailabilitySlotView.form_valid
def form_valid(self, form): ''' Create slots and return success message. ''' startDate = form.cleaned_data['startDate'] endDate = form.cleaned_data['endDate'] startTime = form.cleaned_data['startTime'] endTime = form.cleaned_data['endTime'] instructor = form.cleaned_data['instructorId'] interval_minutes = getConstant('privateLessons__lessonLengthInterval') this_date = startDate while this_date <= endDate: this_time = startTime while this_time < endTime: InstructorAvailabilitySlot.objects.create( instructor=instructor, startTime=ensure_localtime(datetime.combine(this_date, this_time)), duration=interval_minutes, location=form.cleaned_data.get('location'), room=form.cleaned_data.get('room'), pricingTier=form.cleaned_data.get('pricingTier'), ) this_time = (ensure_localtime(datetime.combine(this_date, this_time)) + timedelta(minutes=interval_minutes)).time() this_date += timedelta(days=1) return JsonResponse({'valid': True})
python
def form_valid(self, form): ''' Create slots and return success message. ''' startDate = form.cleaned_data['startDate'] endDate = form.cleaned_data['endDate'] startTime = form.cleaned_data['startTime'] endTime = form.cleaned_data['endTime'] instructor = form.cleaned_data['instructorId'] interval_minutes = getConstant('privateLessons__lessonLengthInterval') this_date = startDate while this_date <= endDate: this_time = startTime while this_time < endTime: InstructorAvailabilitySlot.objects.create( instructor=instructor, startTime=ensure_localtime(datetime.combine(this_date, this_time)), duration=interval_minutes, location=form.cleaned_data.get('location'), room=form.cleaned_data.get('room'), pricingTier=form.cleaned_data.get('pricingTier'), ) this_time = (ensure_localtime(datetime.combine(this_date, this_time)) + timedelta(minutes=interval_minutes)).time() this_date += timedelta(days=1) return JsonResponse({'valid': True})
[ "def", "form_valid", "(", "self", ",", "form", ")", ":", "startDate", "=", "form", ".", "cleaned_data", "[", "'startDate'", "]", "endDate", "=", "form", ".", "cleaned_data", "[", "'endDate'", "]", "startTime", "=", "form", ".", "cleaned_data", "[", "'startTime'", "]", "endTime", "=", "form", ".", "cleaned_data", "[", "'endTime'", "]", "instructor", "=", "form", ".", "cleaned_data", "[", "'instructorId'", "]", "interval_minutes", "=", "getConstant", "(", "'privateLessons__lessonLengthInterval'", ")", "this_date", "=", "startDate", "while", "this_date", "<=", "endDate", ":", "this_time", "=", "startTime", "while", "this_time", "<", "endTime", ":", "InstructorAvailabilitySlot", ".", "objects", ".", "create", "(", "instructor", "=", "instructor", ",", "startTime", "=", "ensure_localtime", "(", "datetime", ".", "combine", "(", "this_date", ",", "this_time", ")", ")", ",", "duration", "=", "interval_minutes", ",", "location", "=", "form", ".", "cleaned_data", ".", "get", "(", "'location'", ")", ",", "room", "=", "form", ".", "cleaned_data", ".", "get", "(", "'room'", ")", ",", "pricingTier", "=", "form", ".", "cleaned_data", ".", "get", "(", "'pricingTier'", ")", ",", ")", "this_time", "=", "(", "ensure_localtime", "(", "datetime", ".", "combine", "(", "this_date", ",", "this_time", ")", ")", "+", "timedelta", "(", "minutes", "=", "interval_minutes", ")", ")", ".", "time", "(", ")", "this_date", "+=", "timedelta", "(", "days", "=", "1", ")", "return", "JsonResponse", "(", "{", "'valid'", ":", "True", "}", ")" ]
Create slots and return success message.
[ "Create", "slots", "and", "return", "success", "message", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/private_lessons/views.py#L61-L88
train
236,458
django-danceschool/django-danceschool
danceschool/private_lessons/views.py
UpdateAvailabilitySlotView.form_valid
def form_valid(self, form): ''' Modify or delete the availability slot as requested and return success message. ''' slotIds = form.cleaned_data['slotIds'] deleteSlot = form.cleaned_data.get('deleteSlot', False) these_slots = InstructorAvailabilitySlot.objects.filter(id__in=slotIds) if deleteSlot: these_slots.delete() else: for this_slot in these_slots: this_slot.location = form.cleaned_data['updateLocation'] this_slot.room = form.cleaned_data['updateRoom'] this_slot.status = form.cleaned_data['updateStatus'] this_slot.pricingTier = form.cleaned_data.get('updatePricing') this_slot.save() return JsonResponse({'valid': True})
python
def form_valid(self, form): ''' Modify or delete the availability slot as requested and return success message. ''' slotIds = form.cleaned_data['slotIds'] deleteSlot = form.cleaned_data.get('deleteSlot', False) these_slots = InstructorAvailabilitySlot.objects.filter(id__in=slotIds) if deleteSlot: these_slots.delete() else: for this_slot in these_slots: this_slot.location = form.cleaned_data['updateLocation'] this_slot.room = form.cleaned_data['updateRoom'] this_slot.status = form.cleaned_data['updateStatus'] this_slot.pricingTier = form.cleaned_data.get('updatePricing') this_slot.save() return JsonResponse({'valid': True})
[ "def", "form_valid", "(", "self", ",", "form", ")", ":", "slotIds", "=", "form", ".", "cleaned_data", "[", "'slotIds'", "]", "deleteSlot", "=", "form", ".", "cleaned_data", ".", "get", "(", "'deleteSlot'", ",", "False", ")", "these_slots", "=", "InstructorAvailabilitySlot", ".", "objects", ".", "filter", "(", "id__in", "=", "slotIds", ")", "if", "deleteSlot", ":", "these_slots", ".", "delete", "(", ")", "else", ":", "for", "this_slot", "in", "these_slots", ":", "this_slot", ".", "location", "=", "form", ".", "cleaned_data", "[", "'updateLocation'", "]", "this_slot", ".", "room", "=", "form", ".", "cleaned_data", "[", "'updateRoom'", "]", "this_slot", ".", "status", "=", "form", ".", "cleaned_data", "[", "'updateStatus'", "]", "this_slot", ".", "pricingTier", "=", "form", ".", "cleaned_data", ".", "get", "(", "'updatePricing'", ")", "this_slot", ".", "save", "(", ")", "return", "JsonResponse", "(", "{", "'valid'", ":", "True", "}", ")" ]
Modify or delete the availability slot as requested and return success message.
[ "Modify", "or", "delete", "the", "availability", "slot", "as", "requested", "and", "return", "success", "message", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/private_lessons/views.py#L101-L120
train
236,459
django-danceschool/django-danceschool
danceschool/private_lessons/views.py
BookPrivateLessonView.get_form_kwargs
def get_form_kwargs(self, **kwargs): ''' Pass the current user to the form to render the payAtDoor field if applicable. ''' kwargs = super(BookPrivateLessonView, self).get_form_kwargs(**kwargs) kwargs['user'] = self.request.user if hasattr(self.request,'user') else None return kwargs
python
def get_form_kwargs(self, **kwargs): ''' Pass the current user to the form to render the payAtDoor field if applicable. ''' kwargs = super(BookPrivateLessonView, self).get_form_kwargs(**kwargs) kwargs['user'] = self.request.user if hasattr(self.request,'user') else None return kwargs
[ "def", "get_form_kwargs", "(", "self", ",", "*", "*", "kwargs", ")", ":", "kwargs", "=", "super", "(", "BookPrivateLessonView", ",", "self", ")", ".", "get_form_kwargs", "(", "*", "*", "kwargs", ")", "kwargs", "[", "'user'", "]", "=", "self", ".", "request", ".", "user", "if", "hasattr", "(", "self", ".", "request", ",", "'user'", ")", "else", "None", "return", "kwargs" ]
Pass the current user to the form to render the payAtDoor field if applicable.
[ "Pass", "the", "current", "user", "to", "the", "form", "to", "render", "the", "payAtDoor", "field", "if", "applicable", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/private_lessons/views.py#L137-L143
train
236,460
django-danceschool/django-danceschool
danceschool/private_lessons/views.py
PrivateLessonStudentInfoView.dispatch
def dispatch(self,request,*args,**kwargs): ''' Handle the session data passed by the prior view. ''' lessonSession = request.session.get(PRIVATELESSON_VALIDATION_STR,{}) try: self.lesson = PrivateLessonEvent.objects.get(id=lessonSession.get('lesson')) except (ValueError, ObjectDoesNotExist): messages.error(request,_('Invalid lesson identifier passed to sign-up form.')) return HttpResponseRedirect(reverse('bookPrivateLesson')) expiry = parse_datetime(lessonSession.get('expiry',''),) if not expiry or expiry < timezone.now(): messages.info(request,_('Your registration session has expired. Please try again.')) return HttpResponseRedirect(reverse('bookPrivateLesson')) self.payAtDoor = lessonSession.get('payAtDoor',False) return super(PrivateLessonStudentInfoView,self).dispatch(request,*args,**kwargs)
python
def dispatch(self,request,*args,**kwargs): ''' Handle the session data passed by the prior view. ''' lessonSession = request.session.get(PRIVATELESSON_VALIDATION_STR,{}) try: self.lesson = PrivateLessonEvent.objects.get(id=lessonSession.get('lesson')) except (ValueError, ObjectDoesNotExist): messages.error(request,_('Invalid lesson identifier passed to sign-up form.')) return HttpResponseRedirect(reverse('bookPrivateLesson')) expiry = parse_datetime(lessonSession.get('expiry',''),) if not expiry or expiry < timezone.now(): messages.info(request,_('Your registration session has expired. Please try again.')) return HttpResponseRedirect(reverse('bookPrivateLesson')) self.payAtDoor = lessonSession.get('payAtDoor',False) return super(PrivateLessonStudentInfoView,self).dispatch(request,*args,**kwargs)
[ "def", "dispatch", "(", "self", ",", "request", ",", "*", "args", ",", "*", "*", "kwargs", ")", ":", "lessonSession", "=", "request", ".", "session", ".", "get", "(", "PRIVATELESSON_VALIDATION_STR", ",", "{", "}", ")", "try", ":", "self", ".", "lesson", "=", "PrivateLessonEvent", ".", "objects", ".", "get", "(", "id", "=", "lessonSession", ".", "get", "(", "'lesson'", ")", ")", "except", "(", "ValueError", ",", "ObjectDoesNotExist", ")", ":", "messages", ".", "error", "(", "request", ",", "_", "(", "'Invalid lesson identifier passed to sign-up form.'", ")", ")", "return", "HttpResponseRedirect", "(", "reverse", "(", "'bookPrivateLesson'", ")", ")", "expiry", "=", "parse_datetime", "(", "lessonSession", ".", "get", "(", "'expiry'", ",", "''", ")", ",", ")", "if", "not", "expiry", "or", "expiry", "<", "timezone", ".", "now", "(", ")", ":", "messages", ".", "info", "(", "request", ",", "_", "(", "'Your registration session has expired. Please try again.'", ")", ")", "return", "HttpResponseRedirect", "(", "reverse", "(", "'bookPrivateLesson'", ")", ")", "self", ".", "payAtDoor", "=", "lessonSession", ".", "get", "(", "'payAtDoor'", ",", "False", ")", "return", "super", "(", "PrivateLessonStudentInfoView", ",", "self", ")", ".", "dispatch", "(", "request", ",", "*", "args", ",", "*", "*", "kwargs", ")" ]
Handle the session data passed by the prior view.
[ "Handle", "the", "session", "data", "passed", "by", "the", "prior", "view", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/private_lessons/views.py#L308-L327
train
236,461
django-danceschool/django-danceschool
danceschool/guestlist/views.py
GuestListView.get_object
def get_object(self, queryset=None): ''' Get the guest list from the URL ''' return get_object_or_404( GuestList.objects.filter(id=self.kwargs.get('guestlist_id')))
python
def get_object(self, queryset=None): ''' Get the guest list from the URL ''' return get_object_or_404( GuestList.objects.filter(id=self.kwargs.get('guestlist_id')))
[ "def", "get_object", "(", "self", ",", "queryset", "=", "None", ")", ":", "return", "get_object_or_404", "(", "GuestList", ".", "objects", ".", "filter", "(", "id", "=", "self", ".", "kwargs", ".", "get", "(", "'guestlist_id'", ")", ")", ")" ]
Get the guest list from the URL
[ "Get", "the", "guest", "list", "from", "the", "URL" ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/guestlist/views.py#L18-L21
train
236,462
django-danceschool/django-danceschool
danceschool/guestlist/views.py
GuestListView.get_context_data
def get_context_data(self,**kwargs): ''' Add the list of names for the given guest list ''' event = Event.objects.filter(id=self.kwargs.get('event_id')).first() if self.kwargs.get('event_id') and not self.object.appliesToEvent(event): raise Http404(_('Invalid event.')) # Use the most current event if nothing has been specified. if not event: event = self.object.currentEvent context = { 'guestList': self.object, 'event': event, 'names': self.object.getListForEvent(event), } context.update(kwargs) return super(GuestListView,self).get_context_data(**context)
python
def get_context_data(self,**kwargs): ''' Add the list of names for the given guest list ''' event = Event.objects.filter(id=self.kwargs.get('event_id')).first() if self.kwargs.get('event_id') and not self.object.appliesToEvent(event): raise Http404(_('Invalid event.')) # Use the most current event if nothing has been specified. if not event: event = self.object.currentEvent context = { 'guestList': self.object, 'event': event, 'names': self.object.getListForEvent(event), } context.update(kwargs) return super(GuestListView,self).get_context_data(**context)
[ "def", "get_context_data", "(", "self", ",", "*", "*", "kwargs", ")", ":", "event", "=", "Event", ".", "objects", ".", "filter", "(", "id", "=", "self", ".", "kwargs", ".", "get", "(", "'event_id'", ")", ")", ".", "first", "(", ")", "if", "self", ".", "kwargs", ".", "get", "(", "'event_id'", ")", "and", "not", "self", ".", "object", ".", "appliesToEvent", "(", "event", ")", ":", "raise", "Http404", "(", "_", "(", "'Invalid event.'", ")", ")", "# Use the most current event if nothing has been specified.\r", "if", "not", "event", ":", "event", "=", "self", ".", "object", ".", "currentEvent", "context", "=", "{", "'guestList'", ":", "self", ".", "object", ",", "'event'", ":", "event", ",", "'names'", ":", "self", ".", "object", ".", "getListForEvent", "(", "event", ")", ",", "}", "context", ".", "update", "(", "kwargs", ")", "return", "super", "(", "GuestListView", ",", "self", ")", ".", "get_context_data", "(", "*", "*", "context", ")" ]
Add the list of names for the given guest list
[ "Add", "the", "list", "of", "names", "for", "the", "given", "guest", "list" ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/guestlist/views.py#L23-L39
train
236,463
django-danceschool/django-danceschool
danceschool/private_lessons/models.py
PrivateLessonEvent.getBasePrice
def getBasePrice(self,**kwargs): ''' This method overrides the method of the base Event class by checking the pricingTier associated with this PrivateLessonEvent and getting the appropriate price for it. ''' if not self.pricingTier: return None return self.pricingTier.getBasePrice(**kwargs) * max(self.numSlots,1)
python
def getBasePrice(self,**kwargs): ''' This method overrides the method of the base Event class by checking the pricingTier associated with this PrivateLessonEvent and getting the appropriate price for it. ''' if not self.pricingTier: return None return self.pricingTier.getBasePrice(**kwargs) * max(self.numSlots,1)
[ "def", "getBasePrice", "(", "self", ",", "*", "*", "kwargs", ")", ":", "if", "not", "self", ".", "pricingTier", ":", "return", "None", "return", "self", ".", "pricingTier", ".", "getBasePrice", "(", "*", "*", "kwargs", ")", "*", "max", "(", "self", ".", "numSlots", ",", "1", ")" ]
This method overrides the method of the base Event class by checking the pricingTier associated with this PrivateLessonEvent and getting the appropriate price for it.
[ "This", "method", "overrides", "the", "method", "of", "the", "base", "Event", "class", "by", "checking", "the", "pricingTier", "associated", "with", "this", "PrivateLessonEvent", "and", "getting", "the", "appropriate", "price", "for", "it", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/private_lessons/models.py#L48-L56
train
236,464
django-danceschool/django-danceschool
danceschool/private_lessons/models.py
PrivateLessonEvent.customers
def customers(self): ''' List both any individuals signed up via the registration and payment system, and any individuals signed up without payment. ''' return Customer.objects.filter( Q(privatelessoncustomer__lesson=self) | Q(registration__eventregistration__event=self) ).distinct()
python
def customers(self): ''' List both any individuals signed up via the registration and payment system, and any individuals signed up without payment. ''' return Customer.objects.filter( Q(privatelessoncustomer__lesson=self) | Q(registration__eventregistration__event=self) ).distinct()
[ "def", "customers", "(", "self", ")", ":", "return", "Customer", ".", "objects", ".", "filter", "(", "Q", "(", "privatelessoncustomer__lesson", "=", "self", ")", "|", "Q", "(", "registration__eventregistration__event", "=", "self", ")", ")", ".", "distinct", "(", ")" ]
List both any individuals signed up via the registration and payment system, and any individuals signed up without payment.
[ "List", "both", "any", "individuals", "signed", "up", "via", "the", "registration", "and", "payment", "system", "and", "any", "individuals", "signed", "up", "without", "payment", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/private_lessons/models.py#L122-L130
train
236,465
django-danceschool/django-danceschool
danceschool/private_lessons/models.py
PrivateLessonEvent.save
def save(self, *args, **kwargs): ''' Set registration status to hidden if it is not specified otherwise ''' if not self.status: self.status == Event.RegStatus.hidden super(PrivateLessonEvent,self).save(*args,**kwargs)
python
def save(self, *args, **kwargs): ''' Set registration status to hidden if it is not specified otherwise ''' if not self.status: self.status == Event.RegStatus.hidden super(PrivateLessonEvent,self).save(*args,**kwargs)
[ "def", "save", "(", "self", ",", "*", "args", ",", "*", "*", "kwargs", ")", ":", "if", "not", "self", ".", "status", ":", "self", ".", "status", "==", "Event", ".", "RegStatus", ".", "hidden", "super", "(", "PrivateLessonEvent", ",", "self", ")", ".", "save", "(", "*", "args", ",", "*", "*", "kwargs", ")" ]
Set registration status to hidden if it is not specified otherwise
[ "Set", "registration", "status", "to", "hidden", "if", "it", "is", "not", "specified", "otherwise" ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/private_lessons/models.py#L172-L176
train
236,466
django-danceschool/django-danceschool
danceschool/private_lessons/models.py
InstructorAvailabilitySlot.availableDurations
def availableDurations(self): ''' A lesson can always be booked for the length of a single slot, but this method checks if multiple slots are available. This method requires that slots are non-overlapping, which needs to be enforced on slot save. ''' potential_slots = InstructorAvailabilitySlot.objects.filter( instructor=self.instructor, location=self.location, room=self.room, pricingTier=self.pricingTier, startTime__gte=self.startTime, startTime__lte=self.startTime + timedelta(minutes=getConstant('privateLessons__maximumLessonLength')), ).exclude(id=self.id).order_by('startTime') duration_list = [self.duration,] last_start = self.startTime last_duration = self.duration max_duration = self.duration for slot in potential_slots: if max_duration + slot.duration > getConstant('privateLessons__maximumLessonLength'): break if ( slot.startTime == last_start + timedelta(minutes=last_duration) and slot.isAvailable ): duration_list.append(max_duration + slot.duration) last_start = slot.startTime last_duration = slot.duration max_duration += slot.duration return duration_list
python
def availableDurations(self): ''' A lesson can always be booked for the length of a single slot, but this method checks if multiple slots are available. This method requires that slots are non-overlapping, which needs to be enforced on slot save. ''' potential_slots = InstructorAvailabilitySlot.objects.filter( instructor=self.instructor, location=self.location, room=self.room, pricingTier=self.pricingTier, startTime__gte=self.startTime, startTime__lte=self.startTime + timedelta(minutes=getConstant('privateLessons__maximumLessonLength')), ).exclude(id=self.id).order_by('startTime') duration_list = [self.duration,] last_start = self.startTime last_duration = self.duration max_duration = self.duration for slot in potential_slots: if max_duration + slot.duration > getConstant('privateLessons__maximumLessonLength'): break if ( slot.startTime == last_start + timedelta(minutes=last_duration) and slot.isAvailable ): duration_list.append(max_duration + slot.duration) last_start = slot.startTime last_duration = slot.duration max_duration += slot.duration return duration_list
[ "def", "availableDurations", "(", "self", ")", ":", "potential_slots", "=", "InstructorAvailabilitySlot", ".", "objects", ".", "filter", "(", "instructor", "=", "self", ".", "instructor", ",", "location", "=", "self", ".", "location", ",", "room", "=", "self", ".", "room", ",", "pricingTier", "=", "self", ".", "pricingTier", ",", "startTime__gte", "=", "self", ".", "startTime", ",", "startTime__lte", "=", "self", ".", "startTime", "+", "timedelta", "(", "minutes", "=", "getConstant", "(", "'privateLessons__maximumLessonLength'", ")", ")", ",", ")", ".", "exclude", "(", "id", "=", "self", ".", "id", ")", ".", "order_by", "(", "'startTime'", ")", "duration_list", "=", "[", "self", ".", "duration", ",", "]", "last_start", "=", "self", ".", "startTime", "last_duration", "=", "self", ".", "duration", "max_duration", "=", "self", ".", "duration", "for", "slot", "in", "potential_slots", ":", "if", "max_duration", "+", "slot", ".", "duration", ">", "getConstant", "(", "'privateLessons__maximumLessonLength'", ")", ":", "break", "if", "(", "slot", ".", "startTime", "==", "last_start", "+", "timedelta", "(", "minutes", "=", "last_duration", ")", "and", "slot", ".", "isAvailable", ")", ":", "duration_list", ".", "append", "(", "max_duration", "+", "slot", ".", "duration", ")", "last_start", "=", "slot", ".", "startTime", "last_duration", "=", "slot", ".", "duration", "max_duration", "+=", "slot", ".", "duration", "return", "duration_list" ]
A lesson can always be booked for the length of a single slot, but this method checks if multiple slots are available. This method requires that slots are non-overlapping, which needs to be enforced on slot save.
[ "A", "lesson", "can", "always", "be", "booked", "for", "the", "length", "of", "a", "single", "slot", "but", "this", "method", "checks", "if", "multiple", "slots", "are", "available", ".", "This", "method", "requires", "that", "slots", "are", "non", "-", "overlapping", "which", "needs", "to", "be", "enforced", "on", "slot", "save", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/private_lessons/models.py#L252-L284
train
236,467
django-danceschool/django-danceschool
danceschool/private_lessons/models.py
InstructorAvailabilitySlot.availableRoles
def availableRoles(self): ''' Some instructors only offer private lessons for certain roles, so we should only allow booking for the roles that have been selected for the instructor. ''' if not hasattr(self.instructor,'instructorprivatelessondetails'): return [] return [ [x.id,x.name] for x in self.instructor.instructorprivatelessondetails.roles.all() ]
python
def availableRoles(self): ''' Some instructors only offer private lessons for certain roles, so we should only allow booking for the roles that have been selected for the instructor. ''' if not hasattr(self.instructor,'instructorprivatelessondetails'): return [] return [ [x.id,x.name] for x in self.instructor.instructorprivatelessondetails.roles.all() ]
[ "def", "availableRoles", "(", "self", ")", ":", "if", "not", "hasattr", "(", "self", ".", "instructor", ",", "'instructorprivatelessondetails'", ")", ":", "return", "[", "]", "return", "[", "[", "x", ".", "id", ",", "x", ".", "name", "]", "for", "x", "in", "self", ".", "instructor", ".", "instructorprivatelessondetails", ".", "roles", ".", "all", "(", ")", "]" ]
Some instructors only offer private lessons for certain roles, so we should only allow booking for the roles that have been selected for the instructor.
[ "Some", "instructors", "only", "offer", "private", "lessons", "for", "certain", "roles", "so", "we", "should", "only", "allow", "booking", "for", "the", "roles", "that", "have", "been", "selected", "for", "the", "instructor", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/private_lessons/models.py#L287-L297
train
236,468
django-danceschool/django-danceschool
danceschool/private_lessons/models.py
InstructorAvailabilitySlot.checkIfAvailable
def checkIfAvailable(self, dateTime=timezone.now()): ''' Available slots are available, but also tentative slots that have been held as tentative past their expiration date ''' return ( self.startTime >= dateTime + timedelta(days=getConstant('privateLessons__closeBookingDays')) and self.startTime <= dateTime + timedelta(days=getConstant('privateLessons__openBookingDays')) and not self.eventRegistration and ( self.status == self.SlotStatus.available or ( self.status == self.SlotStatus.tentative and getattr(getattr(self.temporaryEventRegistration,'registration',None),'expirationDate',timezone.now()) <= timezone.now() ) ) )
python
def checkIfAvailable(self, dateTime=timezone.now()): ''' Available slots are available, but also tentative slots that have been held as tentative past their expiration date ''' return ( self.startTime >= dateTime + timedelta(days=getConstant('privateLessons__closeBookingDays')) and self.startTime <= dateTime + timedelta(days=getConstant('privateLessons__openBookingDays')) and not self.eventRegistration and ( self.status == self.SlotStatus.available or ( self.status == self.SlotStatus.tentative and getattr(getattr(self.temporaryEventRegistration,'registration',None),'expirationDate',timezone.now()) <= timezone.now() ) ) )
[ "def", "checkIfAvailable", "(", "self", ",", "dateTime", "=", "timezone", ".", "now", "(", ")", ")", ":", "return", "(", "self", ".", "startTime", ">=", "dateTime", "+", "timedelta", "(", "days", "=", "getConstant", "(", "'privateLessons__closeBookingDays'", ")", ")", "and", "self", ".", "startTime", "<=", "dateTime", "+", "timedelta", "(", "days", "=", "getConstant", "(", "'privateLessons__openBookingDays'", ")", ")", "and", "not", "self", ".", "eventRegistration", "and", "(", "self", ".", "status", "==", "self", ".", "SlotStatus", ".", "available", "or", "(", "self", ".", "status", "==", "self", ".", "SlotStatus", ".", "tentative", "and", "getattr", "(", "getattr", "(", "self", ".", "temporaryEventRegistration", ",", "'registration'", ",", "None", ")", ",", "'expirationDate'", ",", "timezone", ".", "now", "(", ")", ")", "<=", "timezone", ".", "now", "(", ")", ")", ")", ")" ]
Available slots are available, but also tentative slots that have been held as tentative past their expiration date
[ "Available", "slots", "are", "available", "but", "also", "tentative", "slots", "that", "have", "been", "held", "as", "tentative", "past", "their", "expiration", "date" ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/private_lessons/models.py#L299-L313
train
236,469
django-danceschool/django-danceschool
danceschool/private_events/feeds.py
json_event_feed
def json_event_feed(request,location_id=None,room_id=None): ''' The Jquery fullcalendar app requires a JSON news feed, so this function creates the feed from upcoming PrivateEvent objects ''' if not getConstant('calendar__privateCalendarFeedEnabled') or not request.user.is_staff: return JsonResponse({}) this_user = request.user startDate = request.GET.get('start','') endDate = request.GET.get('end','') timeZone = request.GET.get('timezone',getattr(settings,'TIME_ZONE','UTC')) time_filter_dict_events = {} if startDate: time_filter_dict_events['startTime__gte'] = ensure_timezone(datetime.strptime(startDate,'%Y-%m-%d')) if endDate: time_filter_dict_events['endTime__lte'] = ensure_timezone(datetime.strptime(endDate,'%Y-%m-%d')) + timedelta(days=1) instructor_groups = list(this_user.groups.all().values_list('id',flat=True)) filters = Q(event__privateevent__isnull=False) & ( Q(event__privateevent__displayToGroup__in=instructor_groups) | Q(event__privateevent__displayToUsers=this_user) | (Q(event__privateevent__displayToGroup__isnull=True) & Q(event__privateevent__displayToUsers__isnull=True)) ) if location_id: filters = filters & Q(event__location__id=location_id) if room_id: filters = filters & Q(event__room_id=room_id) occurrences = EventOccurrence.objects.filter(filters).filter(**time_filter_dict_events).order_by('-startTime') eventlist = [EventFeedItem(x,timeZone=timeZone).__dict__ for x in occurrences] return JsonResponse(eventlist,safe=False)
python
def json_event_feed(request,location_id=None,room_id=None): ''' The Jquery fullcalendar app requires a JSON news feed, so this function creates the feed from upcoming PrivateEvent objects ''' if not getConstant('calendar__privateCalendarFeedEnabled') or not request.user.is_staff: return JsonResponse({}) this_user = request.user startDate = request.GET.get('start','') endDate = request.GET.get('end','') timeZone = request.GET.get('timezone',getattr(settings,'TIME_ZONE','UTC')) time_filter_dict_events = {} if startDate: time_filter_dict_events['startTime__gte'] = ensure_timezone(datetime.strptime(startDate,'%Y-%m-%d')) if endDate: time_filter_dict_events['endTime__lte'] = ensure_timezone(datetime.strptime(endDate,'%Y-%m-%d')) + timedelta(days=1) instructor_groups = list(this_user.groups.all().values_list('id',flat=True)) filters = Q(event__privateevent__isnull=False) & ( Q(event__privateevent__displayToGroup__in=instructor_groups) | Q(event__privateevent__displayToUsers=this_user) | (Q(event__privateevent__displayToGroup__isnull=True) & Q(event__privateevent__displayToUsers__isnull=True)) ) if location_id: filters = filters & Q(event__location__id=location_id) if room_id: filters = filters & Q(event__room_id=room_id) occurrences = EventOccurrence.objects.filter(filters).filter(**time_filter_dict_events).order_by('-startTime') eventlist = [EventFeedItem(x,timeZone=timeZone).__dict__ for x in occurrences] return JsonResponse(eventlist,safe=False)
[ "def", "json_event_feed", "(", "request", ",", "location_id", "=", "None", ",", "room_id", "=", "None", ")", ":", "if", "not", "getConstant", "(", "'calendar__privateCalendarFeedEnabled'", ")", "or", "not", "request", ".", "user", ".", "is_staff", ":", "return", "JsonResponse", "(", "{", "}", ")", "this_user", "=", "request", ".", "user", "startDate", "=", "request", ".", "GET", ".", "get", "(", "'start'", ",", "''", ")", "endDate", "=", "request", ".", "GET", ".", "get", "(", "'end'", ",", "''", ")", "timeZone", "=", "request", ".", "GET", ".", "get", "(", "'timezone'", ",", "getattr", "(", "settings", ",", "'TIME_ZONE'", ",", "'UTC'", ")", ")", "time_filter_dict_events", "=", "{", "}", "if", "startDate", ":", "time_filter_dict_events", "[", "'startTime__gte'", "]", "=", "ensure_timezone", "(", "datetime", ".", "strptime", "(", "startDate", ",", "'%Y-%m-%d'", ")", ")", "if", "endDate", ":", "time_filter_dict_events", "[", "'endTime__lte'", "]", "=", "ensure_timezone", "(", "datetime", ".", "strptime", "(", "endDate", ",", "'%Y-%m-%d'", ")", ")", "+", "timedelta", "(", "days", "=", "1", ")", "instructor_groups", "=", "list", "(", "this_user", ".", "groups", ".", "all", "(", ")", ".", "values_list", "(", "'id'", ",", "flat", "=", "True", ")", ")", "filters", "=", "Q", "(", "event__privateevent__isnull", "=", "False", ")", "&", "(", "Q", "(", "event__privateevent__displayToGroup__in", "=", "instructor_groups", ")", "|", "Q", "(", "event__privateevent__displayToUsers", "=", "this_user", ")", "|", "(", "Q", "(", "event__privateevent__displayToGroup__isnull", "=", "True", ")", "&", "Q", "(", "event__privateevent__displayToUsers__isnull", "=", "True", ")", ")", ")", "if", "location_id", ":", "filters", "=", "filters", "&", "Q", "(", "event__location__id", "=", "location_id", ")", "if", "room_id", ":", "filters", "=", "filters", "&", "Q", "(", "event__room_id", "=", "room_id", ")", "occurrences", "=", "EventOccurrence", ".", "objects", ".", "filter", "(", "filters", ")", ".", "filter", "(", "*", "*", "time_filter_dict_events", ")", ".", "order_by", "(", "'-startTime'", ")", "eventlist", "=", "[", "EventFeedItem", "(", "x", ",", "timeZone", "=", "timeZone", ")", ".", "__dict__", "for", "x", "in", "occurrences", "]", "return", "JsonResponse", "(", "eventlist", ",", "safe", "=", "False", ")" ]
The Jquery fullcalendar app requires a JSON news feed, so this function creates the feed from upcoming PrivateEvent objects
[ "The", "Jquery", "fullcalendar", "app", "requires", "a", "JSON", "news", "feed", "so", "this", "function", "creates", "the", "feed", "from", "upcoming", "PrivateEvent", "objects" ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/private_events/feeds.py#L122-L159
train
236,470
django-danceschool/django-danceschool
danceschool/prerequisites/handlers.py
checkRequirements
def checkRequirements(sender,**kwargs): ''' Check that the customer meets all prerequisites for the items in the registration. ''' if not getConstant('requirements__enableRequirements'): return logger.debug('Signal to check RegistrationContactForm handled by prerequisites app.') formData = kwargs.get('formData',{}) first = formData.get('firstName') last = formData.get('lastName') email = formData.get('email') request = kwargs.get('request',{}) registration = kwargs.get('registration',None) customer = Customer.objects.filter( first_name=first, last_name=last, email=email).first() requirement_warnings = [] requirement_errors = [] for ter in registration.temporaryeventregistration_set.all(): if hasattr(ter.event,'getRequirements'): for req in ter.event.getRequirements(): if not req.customerMeetsRequirement( customer=customer, danceRole=ter.role ): if req.enforcementMethod == Requirement.EnforcementChoice.error: requirement_errors.append((ter.event.name, req.name)) if req.enforcementMethod == Requirement.EnforcementChoice.warning: requirement_warnings.append((ter.event.name,req.name)) if requirement_errors: raise ValidationError(format_html( '<p>{}</p> <ul>{}</ul> <p>{}</p>', ugettext('Unfortunately, you do not meet the following requirements/prerequisites for the items you have chosen:\n'), mark_safe(''.join(['<li><em>%s:</em> %s</li>\n' % x for x in requirement_errors])), getConstant('requirements__errorMessage') or '', )) if requirement_warnings: messages.warning(request,format_html( '<p>{}</p> <ul>{}</ul> <p>{}</p>', mark_safe(ugettext('<strong>Please Note:</strong> It appears that you do not meet the following requirements/prerequisites for the items you have chosen:\n')), mark_safe(''.join(['<li><em>%s:</em> %s</li>\n' % x for x in requirement_warnings])), getConstant('requirements__warningMessage') or '', ))
python
def checkRequirements(sender,**kwargs): ''' Check that the customer meets all prerequisites for the items in the registration. ''' if not getConstant('requirements__enableRequirements'): return logger.debug('Signal to check RegistrationContactForm handled by prerequisites app.') formData = kwargs.get('formData',{}) first = formData.get('firstName') last = formData.get('lastName') email = formData.get('email') request = kwargs.get('request',{}) registration = kwargs.get('registration',None) customer = Customer.objects.filter( first_name=first, last_name=last, email=email).first() requirement_warnings = [] requirement_errors = [] for ter in registration.temporaryeventregistration_set.all(): if hasattr(ter.event,'getRequirements'): for req in ter.event.getRequirements(): if not req.customerMeetsRequirement( customer=customer, danceRole=ter.role ): if req.enforcementMethod == Requirement.EnforcementChoice.error: requirement_errors.append((ter.event.name, req.name)) if req.enforcementMethod == Requirement.EnforcementChoice.warning: requirement_warnings.append((ter.event.name,req.name)) if requirement_errors: raise ValidationError(format_html( '<p>{}</p> <ul>{}</ul> <p>{}</p>', ugettext('Unfortunately, you do not meet the following requirements/prerequisites for the items you have chosen:\n'), mark_safe(''.join(['<li><em>%s:</em> %s</li>\n' % x for x in requirement_errors])), getConstant('requirements__errorMessage') or '', )) if requirement_warnings: messages.warning(request,format_html( '<p>{}</p> <ul>{}</ul> <p>{}</p>', mark_safe(ugettext('<strong>Please Note:</strong> It appears that you do not meet the following requirements/prerequisites for the items you have chosen:\n')), mark_safe(''.join(['<li><em>%s:</em> %s</li>\n' % x for x in requirement_warnings])), getConstant('requirements__warningMessage') or '', ))
[ "def", "checkRequirements", "(", "sender", ",", "*", "*", "kwargs", ")", ":", "if", "not", "getConstant", "(", "'requirements__enableRequirements'", ")", ":", "return", "logger", ".", "debug", "(", "'Signal to check RegistrationContactForm handled by prerequisites app.'", ")", "formData", "=", "kwargs", ".", "get", "(", "'formData'", ",", "{", "}", ")", "first", "=", "formData", ".", "get", "(", "'firstName'", ")", "last", "=", "formData", ".", "get", "(", "'lastName'", ")", "email", "=", "formData", ".", "get", "(", "'email'", ")", "request", "=", "kwargs", ".", "get", "(", "'request'", ",", "{", "}", ")", "registration", "=", "kwargs", ".", "get", "(", "'registration'", ",", "None", ")", "customer", "=", "Customer", ".", "objects", ".", "filter", "(", "first_name", "=", "first", ",", "last_name", "=", "last", ",", "email", "=", "email", ")", ".", "first", "(", ")", "requirement_warnings", "=", "[", "]", "requirement_errors", "=", "[", "]", "for", "ter", "in", "registration", ".", "temporaryeventregistration_set", ".", "all", "(", ")", ":", "if", "hasattr", "(", "ter", ".", "event", ",", "'getRequirements'", ")", ":", "for", "req", "in", "ter", ".", "event", ".", "getRequirements", "(", ")", ":", "if", "not", "req", ".", "customerMeetsRequirement", "(", "customer", "=", "customer", ",", "danceRole", "=", "ter", ".", "role", ")", ":", "if", "req", ".", "enforcementMethod", "==", "Requirement", ".", "EnforcementChoice", ".", "error", ":", "requirement_errors", ".", "append", "(", "(", "ter", ".", "event", ".", "name", ",", "req", ".", "name", ")", ")", "if", "req", ".", "enforcementMethod", "==", "Requirement", ".", "EnforcementChoice", ".", "warning", ":", "requirement_warnings", ".", "append", "(", "(", "ter", ".", "event", ".", "name", ",", "req", ".", "name", ")", ")", "if", "requirement_errors", ":", "raise", "ValidationError", "(", "format_html", "(", "'<p>{}</p> <ul>{}</ul> <p>{}</p>'", ",", "ugettext", "(", "'Unfortunately, you do not meet the following requirements/prerequisites for the items you have chosen:\\n'", ")", ",", "mark_safe", "(", "''", ".", "join", "(", "[", "'<li><em>%s:</em> %s</li>\\n'", "%", "x", "for", "x", "in", "requirement_errors", "]", ")", ")", ",", "getConstant", "(", "'requirements__errorMessage'", ")", "or", "''", ",", ")", ")", "if", "requirement_warnings", ":", "messages", ".", "warning", "(", "request", ",", "format_html", "(", "'<p>{}</p> <ul>{}</ul> <p>{}</p>'", ",", "mark_safe", "(", "ugettext", "(", "'<strong>Please Note:</strong> It appears that you do not meet the following requirements/prerequisites for the items you have chosen:\\n'", ")", ")", ",", "mark_safe", "(", "''", ".", "join", "(", "[", "'<li><em>%s:</em> %s</li>\\n'", "%", "x", "for", "x", "in", "requirement_warnings", "]", ")", ")", ",", "getConstant", "(", "'requirements__warningMessage'", ")", "or", "''", ",", ")", ")" ]
Check that the customer meets all prerequisites for the items in the registration.
[ "Check", "that", "the", "customer", "meets", "all", "prerequisites", "for", "the", "items", "in", "the", "registration", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/prerequisites/handlers.py#L22-L74
train
236,471
django-danceschool/django-danceschool
danceschool/core/mixins.py
EmailRecipientMixin.get_email_context
def get_email_context(self,**kwargs): ''' This method can be overridden in classes that inherit from this mixin so that additional object-specific context is provided to the email template. This should return a dictionary. By default, only general financial context variables are added to the dictionary, and kwargs are just passed directly. Note also that it is in general not a good idea for security reasons to pass model instances in the context here, since these methods can be accessed by logged in users who use the SendEmailView. So, In the default models of this app, the values of fields and properties are passed directly instead. ''' context = kwargs context.update({ 'currencyCode': getConstant('general__currencyCode'), 'currencySymbol': getConstant('general__currencySymbol'), 'businessName': getConstant('contact__businessName'), 'site_url': getConstant('email__linkProtocol') + '://' + Site.objects.get_current().domain, }) return context
python
def get_email_context(self,**kwargs): ''' This method can be overridden in classes that inherit from this mixin so that additional object-specific context is provided to the email template. This should return a dictionary. By default, only general financial context variables are added to the dictionary, and kwargs are just passed directly. Note also that it is in general not a good idea for security reasons to pass model instances in the context here, since these methods can be accessed by logged in users who use the SendEmailView. So, In the default models of this app, the values of fields and properties are passed directly instead. ''' context = kwargs context.update({ 'currencyCode': getConstant('general__currencyCode'), 'currencySymbol': getConstant('general__currencySymbol'), 'businessName': getConstant('contact__businessName'), 'site_url': getConstant('email__linkProtocol') + '://' + Site.objects.get_current().domain, }) return context
[ "def", "get_email_context", "(", "self", ",", "*", "*", "kwargs", ")", ":", "context", "=", "kwargs", "context", ".", "update", "(", "{", "'currencyCode'", ":", "getConstant", "(", "'general__currencyCode'", ")", ",", "'currencySymbol'", ":", "getConstant", "(", "'general__currencySymbol'", ")", ",", "'businessName'", ":", "getConstant", "(", "'contact__businessName'", ")", ",", "'site_url'", ":", "getConstant", "(", "'email__linkProtocol'", ")", "+", "'://'", "+", "Site", ".", "objects", ".", "get_current", "(", ")", ".", "domain", ",", "}", ")", "return", "context" ]
This method can be overridden in classes that inherit from this mixin so that additional object-specific context is provided to the email template. This should return a dictionary. By default, only general financial context variables are added to the dictionary, and kwargs are just passed directly. Note also that it is in general not a good idea for security reasons to pass model instances in the context here, since these methods can be accessed by logged in users who use the SendEmailView. So, In the default models of this app, the values of fields and properties are passed directly instead.
[ "This", "method", "can", "be", "overridden", "in", "classes", "that", "inherit", "from", "this", "mixin", "so", "that", "additional", "object", "-", "specific", "context", "is", "provided", "to", "the", "email", "template", ".", "This", "should", "return", "a", "dictionary", ".", "By", "default", "only", "general", "financial", "context", "variables", "are", "added", "to", "the", "dictionary", "and", "kwargs", "are", "just", "passed", "directly", ".", "Note", "also", "that", "it", "is", "in", "general", "not", "a", "good", "idea", "for", "security", "reasons", "to", "pass", "model", "instances", "in", "the", "context", "here", "since", "these", "methods", "can", "be", "accessed", "by", "logged", "in", "users", "who", "use", "the", "SendEmailView", ".", "So", "In", "the", "default", "models", "of", "this", "app", "the", "values", "of", "fields", "and", "properties", "are", "passed", "directly", "instead", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/mixins.py#L107-L128
train
236,472
django-danceschool/django-danceschool
danceschool/core/mixins.py
GroupRequiredByFieldMixin.get_group_required
def get_group_required(self): ''' Get the group_required value from the object ''' this_object = self.model_object if hasattr(this_object,self.group_required_field): if hasattr(getattr(this_object,self.group_required_field),'name'): return [getattr(this_object,self.group_required_field).name] return ['']
python
def get_group_required(self): ''' Get the group_required value from the object ''' this_object = self.model_object if hasattr(this_object,self.group_required_field): if hasattr(getattr(this_object,self.group_required_field),'name'): return [getattr(this_object,self.group_required_field).name] return ['']
[ "def", "get_group_required", "(", "self", ")", ":", "this_object", "=", "self", ".", "model_object", "if", "hasattr", "(", "this_object", ",", "self", ".", "group_required_field", ")", ":", "if", "hasattr", "(", "getattr", "(", "this_object", ",", "self", ".", "group_required_field", ")", ",", "'name'", ")", ":", "return", "[", "getattr", "(", "this_object", ",", "self", ".", "group_required_field", ")", ".", "name", "]", "return", "[", "''", "]" ]
Get the group_required value from the object
[ "Get", "the", "group_required", "value", "from", "the", "object" ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/mixins.py#L179-L185
train
236,473
django-danceschool/django-danceschool
danceschool/core/mixins.py
GroupRequiredByFieldMixin.check_membership
def check_membership(self, groups): ''' Allows for objects with no required groups ''' if not groups or groups == ['']: return True if self.request.user.is_superuser: return True user_groups = self.request.user.groups.values_list("name", flat=True) return set(groups).intersection(set(user_groups))
python
def check_membership(self, groups): ''' Allows for objects with no required groups ''' if not groups or groups == ['']: return True if self.request.user.is_superuser: return True user_groups = self.request.user.groups.values_list("name", flat=True) return set(groups).intersection(set(user_groups))
[ "def", "check_membership", "(", "self", ",", "groups", ")", ":", "if", "not", "groups", "or", "groups", "==", "[", "''", "]", ":", "return", "True", "if", "self", ".", "request", ".", "user", ".", "is_superuser", ":", "return", "True", "user_groups", "=", "self", ".", "request", ".", "user", ".", "groups", ".", "values_list", "(", "\"name\"", ",", "flat", "=", "True", ")", "return", "set", "(", "groups", ")", ".", "intersection", "(", "set", "(", "user_groups", ")", ")" ]
Allows for objects with no required groups
[ "Allows", "for", "objects", "with", "no", "required", "groups" ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/mixins.py#L187-L194
train
236,474
django-danceschool/django-danceschool
danceschool/core/mixins.py
GroupRequiredByFieldMixin.dispatch
def dispatch(self, request, *args, **kwargs): ''' This override of dispatch ensures that if no group is required, then the request still goes through without being logged in. ''' self.request = request in_group = False required_group = self.get_group_required() if not required_group or required_group == ['']: in_group = True elif self.request.user.is_authenticated(): in_group = self.check_membership(required_group) if not in_group: if self.raise_exception: raise PermissionDenied else: return redirect_to_login( request.get_full_path(), self.get_login_url(), self.get_redirect_field_name()) return super(GroupRequiredMixin, self).dispatch( request, *args, **kwargs)
python
def dispatch(self, request, *args, **kwargs): ''' This override of dispatch ensures that if no group is required, then the request still goes through without being logged in. ''' self.request = request in_group = False required_group = self.get_group_required() if not required_group or required_group == ['']: in_group = True elif self.request.user.is_authenticated(): in_group = self.check_membership(required_group) if not in_group: if self.raise_exception: raise PermissionDenied else: return redirect_to_login( request.get_full_path(), self.get_login_url(), self.get_redirect_field_name()) return super(GroupRequiredMixin, self).dispatch( request, *args, **kwargs)
[ "def", "dispatch", "(", "self", ",", "request", ",", "*", "args", ",", "*", "*", "kwargs", ")", ":", "self", ".", "request", "=", "request", "in_group", "=", "False", "required_group", "=", "self", ".", "get_group_required", "(", ")", "if", "not", "required_group", "or", "required_group", "==", "[", "''", "]", ":", "in_group", "=", "True", "elif", "self", ".", "request", ".", "user", ".", "is_authenticated", "(", ")", ":", "in_group", "=", "self", ".", "check_membership", "(", "required_group", ")", "if", "not", "in_group", ":", "if", "self", ".", "raise_exception", ":", "raise", "PermissionDenied", "else", ":", "return", "redirect_to_login", "(", "request", ".", "get_full_path", "(", ")", ",", "self", ".", "get_login_url", "(", ")", ",", "self", ".", "get_redirect_field_name", "(", ")", ")", "return", "super", "(", "GroupRequiredMixin", ",", "self", ")", ".", "dispatch", "(", "request", ",", "*", "args", ",", "*", "*", "kwargs", ")" ]
This override of dispatch ensures that if no group is required, then the request still goes through without being logged in.
[ "This", "override", "of", "dispatch", "ensures", "that", "if", "no", "group", "is", "required", "then", "the", "request", "still", "goes", "through", "without", "being", "logged", "in", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/mixins.py#L196-L218
train
236,475
django-danceschool/django-danceschool
danceschool/core/mixins.py
TemplateChoiceField.validate
def validate(self,value): ''' Check for empty values, and for an existing template, but do not check if this is one of the initial choices provided. ''' super(ChoiceField,self).validate(value) try: get_template(value) except TemplateDoesNotExist: raise ValidationError(_('%s is not a valid template.' % value))
python
def validate(self,value): ''' Check for empty values, and for an existing template, but do not check if this is one of the initial choices provided. ''' super(ChoiceField,self).validate(value) try: get_template(value) except TemplateDoesNotExist: raise ValidationError(_('%s is not a valid template.' % value))
[ "def", "validate", "(", "self", ",", "value", ")", ":", "super", "(", "ChoiceField", ",", "self", ")", ".", "validate", "(", "value", ")", "try", ":", "get_template", "(", "value", ")", "except", "TemplateDoesNotExist", ":", "raise", "ValidationError", "(", "_", "(", "'%s is not a valid template.'", "%", "value", ")", ")" ]
Check for empty values, and for an existing template, but do not check if this is one of the initial choices provided.
[ "Check", "for", "empty", "values", "and", "for", "an", "existing", "template", "but", "do", "not", "check", "if", "this", "is", "one", "of", "the", "initial", "choices", "provided", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/mixins.py#L242-L252
train
236,476
django-danceschool/django-danceschool
danceschool/core/mixins.py
PluginTemplateMixin.render
def render(self, context, instance, placeholder): ''' Permits setting of the template in the plugin instance configuration ''' if instance and instance.template: self.render_template = instance.template return super(PluginTemplateMixin,self).render(context,instance,placeholder)
python
def render(self, context, instance, placeholder): ''' Permits setting of the template in the plugin instance configuration ''' if instance and instance.template: self.render_template = instance.template return super(PluginTemplateMixin,self).render(context,instance,placeholder)
[ "def", "render", "(", "self", ",", "context", ",", "instance", ",", "placeholder", ")", ":", "if", "instance", "and", "instance", ".", "template", ":", "self", ".", "render_template", "=", "instance", ".", "template", "return", "super", "(", "PluginTemplateMixin", ",", "self", ")", ".", "render", "(", "context", ",", "instance", ",", "placeholder", ")" ]
Permits setting of the template in the plugin instance configuration
[ "Permits", "setting", "of", "the", "template", "in", "the", "plugin", "instance", "configuration" ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/mixins.py#L261-L265
train
236,477
django-danceschool/django-danceschool
danceschool/core/mixins.py
SiteHistoryMixin.get_return_page
def get_return_page(self,prior=False): ''' This is just a wrapper for the getReturnPage helper function. ''' siteHistory = self.request.session.get('SITE_HISTORY',{}) return getReturnPage(siteHistory,prior=prior)
python
def get_return_page(self,prior=False): ''' This is just a wrapper for the getReturnPage helper function. ''' siteHistory = self.request.session.get('SITE_HISTORY',{}) return getReturnPage(siteHistory,prior=prior)
[ "def", "get_return_page", "(", "self", ",", "prior", "=", "False", ")", ":", "siteHistory", "=", "self", ".", "request", ".", "session", ".", "get", "(", "'SITE_HISTORY'", ",", "{", "}", ")", "return", "getReturnPage", "(", "siteHistory", ",", "prior", "=", "prior", ")" ]
This is just a wrapper for the getReturnPage helper function.
[ "This", "is", "just", "a", "wrapper", "for", "the", "getReturnPage", "helper", "function", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/mixins.py#L487-L490
train
236,478
django-danceschool/django-danceschool
danceschool/core/forms.py
RegistrationContactForm.is_valid
def is_valid(self): ''' For this form to be considered valid, there must be not only no errors, but also no messages on the request that need to be shown. ''' valid = super(RegistrationContactForm,self).is_valid() msgs = messages.get_messages(self._request) # We only want validation messages to show up once, so pop messages that have already show up # before checking to see if any messages remain to be shown. prior_messages = self._session.pop('prior_messages',[]) remaining_messages = [] for m in msgs: m_dict = {'message': m.message, 'level': m.level, 'extra_tags': m.extra_tags} if m_dict not in prior_messages: remaining_messages.append(m_dict) if remaining_messages: self._session['prior_messages'] = remaining_messages self._request.session.modified = True return False return valid
python
def is_valid(self): ''' For this form to be considered valid, there must be not only no errors, but also no messages on the request that need to be shown. ''' valid = super(RegistrationContactForm,self).is_valid() msgs = messages.get_messages(self._request) # We only want validation messages to show up once, so pop messages that have already show up # before checking to see if any messages remain to be shown. prior_messages = self._session.pop('prior_messages',[]) remaining_messages = [] for m in msgs: m_dict = {'message': m.message, 'level': m.level, 'extra_tags': m.extra_tags} if m_dict not in prior_messages: remaining_messages.append(m_dict) if remaining_messages: self._session['prior_messages'] = remaining_messages self._request.session.modified = True return False return valid
[ "def", "is_valid", "(", "self", ")", ":", "valid", "=", "super", "(", "RegistrationContactForm", ",", "self", ")", ".", "is_valid", "(", ")", "msgs", "=", "messages", ".", "get_messages", "(", "self", ".", "_request", ")", "# We only want validation messages to show up once, so pop messages that have already show up", "# before checking to see if any messages remain to be shown.", "prior_messages", "=", "self", ".", "_session", ".", "pop", "(", "'prior_messages'", ",", "[", "]", ")", "remaining_messages", "=", "[", "]", "for", "m", "in", "msgs", ":", "m_dict", "=", "{", "'message'", ":", "m", ".", "message", ",", "'level'", ":", "m", ".", "level", ",", "'extra_tags'", ":", "m", ".", "extra_tags", "}", "if", "m_dict", "not", "in", "prior_messages", ":", "remaining_messages", ".", "append", "(", "m_dict", ")", "if", "remaining_messages", ":", "self", ".", "_session", "[", "'prior_messages'", "]", "=", "remaining_messages", "self", ".", "_request", ".", "session", ".", "modified", "=", "True", "return", "False", "return", "valid" ]
For this form to be considered valid, there must be not only no errors, but also no messages on the request that need to be shown.
[ "For", "this", "form", "to", "be", "considered", "valid", "there", "must", "be", "not", "only", "no", "errors", "but", "also", "no", "messages", "on", "the", "request", "that", "need", "to", "be", "shown", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/forms.py#L378-L401
train
236,479
django-danceschool/django-danceschool
danceschool/core/forms.py
RefundForm.clean_total_refund_amount
def clean_total_refund_amount(self): ''' The Javascript should ensure that the hidden input is updated, but double check it here. ''' initial = self.cleaned_data.get('initial_refund_amount', 0) total = self.cleaned_data['total_refund_amount'] summed_refunds = sum([v for k,v in self.cleaned_data.items() if k.startswith('item_refundamount_')]) if not self.cleaned_data.get('id'): raise ValidationError('ID not in cleaned data') if summed_refunds != total: raise ValidationError(_('Passed value does not match sum of allocated refunds.')) elif summed_refunds > self.cleaned_data['id'].amountPaid + self.cleaned_data['id'].refunds: raise ValidationError(_('Total refunds allocated exceed revenue received.')) elif total < initial: raise ValidationError(_('Cannot reduce the total amount of the refund.')) return total
python
def clean_total_refund_amount(self): ''' The Javascript should ensure that the hidden input is updated, but double check it here. ''' initial = self.cleaned_data.get('initial_refund_amount', 0) total = self.cleaned_data['total_refund_amount'] summed_refunds = sum([v for k,v in self.cleaned_data.items() if k.startswith('item_refundamount_')]) if not self.cleaned_data.get('id'): raise ValidationError('ID not in cleaned data') if summed_refunds != total: raise ValidationError(_('Passed value does not match sum of allocated refunds.')) elif summed_refunds > self.cleaned_data['id'].amountPaid + self.cleaned_data['id'].refunds: raise ValidationError(_('Total refunds allocated exceed revenue received.')) elif total < initial: raise ValidationError(_('Cannot reduce the total amount of the refund.')) return total
[ "def", "clean_total_refund_amount", "(", "self", ")", ":", "initial", "=", "self", ".", "cleaned_data", ".", "get", "(", "'initial_refund_amount'", ",", "0", ")", "total", "=", "self", ".", "cleaned_data", "[", "'total_refund_amount'", "]", "summed_refunds", "=", "sum", "(", "[", "v", "for", "k", ",", "v", "in", "self", ".", "cleaned_data", ".", "items", "(", ")", "if", "k", ".", "startswith", "(", "'item_refundamount_'", ")", "]", ")", "if", "not", "self", ".", "cleaned_data", ".", "get", "(", "'id'", ")", ":", "raise", "ValidationError", "(", "'ID not in cleaned data'", ")", "if", "summed_refunds", "!=", "total", ":", "raise", "ValidationError", "(", "_", "(", "'Passed value does not match sum of allocated refunds.'", ")", ")", "elif", "summed_refunds", ">", "self", ".", "cleaned_data", "[", "'id'", "]", ".", "amountPaid", "+", "self", ".", "cleaned_data", "[", "'id'", "]", ".", "refunds", ":", "raise", "ValidationError", "(", "_", "(", "'Total refunds allocated exceed revenue received.'", ")", ")", "elif", "total", "<", "initial", ":", "raise", "ValidationError", "(", "_", "(", "'Cannot reduce the total amount of the refund.'", ")", ")", "return", "total" ]
The Javascript should ensure that the hidden input is updated, but double check it here.
[ "The", "Javascript", "should", "ensure", "that", "the", "hidden", "input", "is", "updated", "but", "double", "check", "it", "here", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/forms.py#L662-L679
train
236,480
django-danceschool/django-danceschool
danceschool/core/forms.py
SubstituteReportingForm.clean
def clean(self): ''' This code prevents multiple individuals from substituting for the same class and class teacher. It also prevents an individual from substituting for a class in which they are a teacher. ''' super(SubstituteReportingForm,self).clean() occurrences = self.cleaned_data.get('occurrences',[]) staffMember = self.cleaned_data.get('staffMember') replacementFor = self.cleaned_data.get('replacedStaffMember',[]) event = self.cleaned_data.get('event') for occ in occurrences: for this_sub in occ.eventstaffmember_set.all(): if this_sub.replacedStaffMember == replacementFor: self.add_error('occurrences',ValidationError(_('One or more classes you have selected already has a substitute teacher for that class.'),code='invalid')) if event and staffMember: if staffMember in [x.staffMember for x in event.eventstaffmember_set.filter(category__in=[getConstant('general__eventStaffCategoryAssistant'),getConstant('general__eventStaffCategoryInstructor')])]: self.add_error('event',ValidationError(_('You cannot substitute teach for a class in which you were an instructor.'),code='invalid'))
python
def clean(self): ''' This code prevents multiple individuals from substituting for the same class and class teacher. It also prevents an individual from substituting for a class in which they are a teacher. ''' super(SubstituteReportingForm,self).clean() occurrences = self.cleaned_data.get('occurrences',[]) staffMember = self.cleaned_data.get('staffMember') replacementFor = self.cleaned_data.get('replacedStaffMember',[]) event = self.cleaned_data.get('event') for occ in occurrences: for this_sub in occ.eventstaffmember_set.all(): if this_sub.replacedStaffMember == replacementFor: self.add_error('occurrences',ValidationError(_('One or more classes you have selected already has a substitute teacher for that class.'),code='invalid')) if event and staffMember: if staffMember in [x.staffMember for x in event.eventstaffmember_set.filter(category__in=[getConstant('general__eventStaffCategoryAssistant'),getConstant('general__eventStaffCategoryInstructor')])]: self.add_error('event',ValidationError(_('You cannot substitute teach for a class in which you were an instructor.'),code='invalid'))
[ "def", "clean", "(", "self", ")", ":", "super", "(", "SubstituteReportingForm", ",", "self", ")", ".", "clean", "(", ")", "occurrences", "=", "self", ".", "cleaned_data", ".", "get", "(", "'occurrences'", ",", "[", "]", ")", "staffMember", "=", "self", ".", "cleaned_data", ".", "get", "(", "'staffMember'", ")", "replacementFor", "=", "self", ".", "cleaned_data", ".", "get", "(", "'replacedStaffMember'", ",", "[", "]", ")", "event", "=", "self", ".", "cleaned_data", ".", "get", "(", "'event'", ")", "for", "occ", "in", "occurrences", ":", "for", "this_sub", "in", "occ", ".", "eventstaffmember_set", ".", "all", "(", ")", ":", "if", "this_sub", ".", "replacedStaffMember", "==", "replacementFor", ":", "self", ".", "add_error", "(", "'occurrences'", ",", "ValidationError", "(", "_", "(", "'One or more classes you have selected already has a substitute teacher for that class.'", ")", ",", "code", "=", "'invalid'", ")", ")", "if", "event", "and", "staffMember", ":", "if", "staffMember", "in", "[", "x", ".", "staffMember", "for", "x", "in", "event", ".", "eventstaffmember_set", ".", "filter", "(", "category__in", "=", "[", "getConstant", "(", "'general__eventStaffCategoryAssistant'", ")", ",", "getConstant", "(", "'general__eventStaffCategoryInstructor'", ")", "]", ")", "]", ":", "self", ".", "add_error", "(", "'event'", ",", "ValidationError", "(", "_", "(", "'You cannot substitute teach for a class in which you were an instructor.'", ")", ",", "code", "=", "'invalid'", ")", ")" ]
This code prevents multiple individuals from substituting for the same class and class teacher. It also prevents an individual from substituting for a class in which they are a teacher.
[ "This", "code", "prevents", "multiple", "individuals", "from", "substituting", "for", "the", "same", "class", "and", "class", "teacher", ".", "It", "also", "prevents", "an", "individual", "from", "substituting", "for", "a", "class", "in", "which", "they", "are", "a", "teacher", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/forms.py#L868-L888
train
236,481
django-danceschool/django-danceschool
danceschool/core/forms.py
SubstituteReportingForm.save
def save(self, commit=True): ''' If a staff member is reporting substitute teaching for a second time, then we should update the list of occurrences for which they are a substitute on their existing EventStaffMember record, rather than creating a new record and creating database issues. ''' existing_record = EventStaffMember.objects.filter( staffMember=self.cleaned_data.get('staffMember'), event=self.cleaned_data.get('event'), category=getConstant('general__eventStaffCategorySubstitute'), replacedStaffMember=self.cleaned_data.get('replacedStaffMember'), ) if existing_record.exists(): record = existing_record.first() for x in self.cleaned_data.get('occurrences'): record.occurrences.add(x) record.save() return record else: return super(SubstituteReportingForm,self).save()
python
def save(self, commit=True): ''' If a staff member is reporting substitute teaching for a second time, then we should update the list of occurrences for which they are a substitute on their existing EventStaffMember record, rather than creating a new record and creating database issues. ''' existing_record = EventStaffMember.objects.filter( staffMember=self.cleaned_data.get('staffMember'), event=self.cleaned_data.get('event'), category=getConstant('general__eventStaffCategorySubstitute'), replacedStaffMember=self.cleaned_data.get('replacedStaffMember'), ) if existing_record.exists(): record = existing_record.first() for x in self.cleaned_data.get('occurrences'): record.occurrences.add(x) record.save() return record else: return super(SubstituteReportingForm,self).save()
[ "def", "save", "(", "self", ",", "commit", "=", "True", ")", ":", "existing_record", "=", "EventStaffMember", ".", "objects", ".", "filter", "(", "staffMember", "=", "self", ".", "cleaned_data", ".", "get", "(", "'staffMember'", ")", ",", "event", "=", "self", ".", "cleaned_data", ".", "get", "(", "'event'", ")", ",", "category", "=", "getConstant", "(", "'general__eventStaffCategorySubstitute'", ")", ",", "replacedStaffMember", "=", "self", ".", "cleaned_data", ".", "get", "(", "'replacedStaffMember'", ")", ",", ")", "if", "existing_record", ".", "exists", "(", ")", ":", "record", "=", "existing_record", ".", "first", "(", ")", "for", "x", "in", "self", ".", "cleaned_data", ".", "get", "(", "'occurrences'", ")", ":", "record", ".", "occurrences", ".", "add", "(", "x", ")", "record", ".", "save", "(", ")", "return", "record", "else", ":", "return", "super", "(", "SubstituteReportingForm", ",", "self", ")", ".", "save", "(", ")" ]
If a staff member is reporting substitute teaching for a second time, then we should update the list of occurrences for which they are a substitute on their existing EventStaffMember record, rather than creating a new record and creating database issues.
[ "If", "a", "staff", "member", "is", "reporting", "substitute", "teaching", "for", "a", "second", "time", "then", "we", "should", "update", "the", "list", "of", "occurrences", "for", "which", "they", "are", "a", "substitute", "on", "their", "existing", "EventStaffMember", "record", "rather", "than", "creating", "a", "new", "record", "and", "creating", "database", "issues", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/forms.py#L898-L917
train
236,482
django-danceschool/django-danceschool
danceschool/core/forms.py
StaffMemberBioChangeForm.save
def save(self, commit=True): ''' If the staff member is an instructor, also update the availableForPrivates field on the Instructor record. ''' if getattr(self.instance,'instructor',None): self.instance.instructor.availableForPrivates = self.cleaned_data.pop('availableForPrivates',self.instance.instructor.availableForPrivates) self.instance.instructor.save(update_fields=['availableForPrivates',]) super(StaffMemberBioChangeForm,self).save(commit=True)
python
def save(self, commit=True): ''' If the staff member is an instructor, also update the availableForPrivates field on the Instructor record. ''' if getattr(self.instance,'instructor',None): self.instance.instructor.availableForPrivates = self.cleaned_data.pop('availableForPrivates',self.instance.instructor.availableForPrivates) self.instance.instructor.save(update_fields=['availableForPrivates',]) super(StaffMemberBioChangeForm,self).save(commit=True)
[ "def", "save", "(", "self", ",", "commit", "=", "True", ")", ":", "if", "getattr", "(", "self", ".", "instance", ",", "'instructor'", ",", "None", ")", ":", "self", ".", "instance", ".", "instructor", ".", "availableForPrivates", "=", "self", ".", "cleaned_data", ".", "pop", "(", "'availableForPrivates'", ",", "self", ".", "instance", ".", "instructor", ".", "availableForPrivates", ")", "self", ".", "instance", ".", "instructor", ".", "save", "(", "update_fields", "=", "[", "'availableForPrivates'", ",", "]", ")", "super", "(", "StaffMemberBioChangeForm", ",", "self", ")", ".", "save", "(", "commit", "=", "True", ")" ]
If the staff member is an instructor, also update the availableForPrivates field on the Instructor record.
[ "If", "the", "staff", "member", "is", "an", "instructor", "also", "update", "the", "availableForPrivates", "field", "on", "the", "Instructor", "record", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/forms.py#L942-L947
train
236,483
django-danceschool/django-danceschool
danceschool/core/models.py
DanceRole.save
def save(self, *args, **kwargs): ''' Just add "s" if no plural name given. ''' if not self.pluralName: self.pluralName = self.name + 's' super(self.__class__, self).save(*args, **kwargs)
python
def save(self, *args, **kwargs): ''' Just add "s" if no plural name given. ''' if not self.pluralName: self.pluralName = self.name + 's' super(self.__class__, self).save(*args, **kwargs)
[ "def", "save", "(", "self", ",", "*", "args", ",", "*", "*", "kwargs", ")", ":", "if", "not", "self", ".", "pluralName", ":", "self", ".", "pluralName", "=", "self", ".", "name", "+", "'s'", "super", "(", "self", ".", "__class__", ",", "self", ")", ".", "save", "(", "*", "args", ",", "*", "*", "kwargs", ")" ]
Just add "s" if no plural name given.
[ "Just", "add", "s", "if", "no", "plural", "name", "given", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/models.py#L83-L89
train
236,484
django-danceschool/django-danceschool
danceschool/core/models.py
PricingTier.getBasePrice
def getBasePrice(self,**kwargs): ''' This handles the logic of finding the correct price. If more sophisticated discounting systems are needed, then this PricingTier model can be subclassed, or the discounts and vouchers apps can be used. ''' payAtDoor = kwargs.get('payAtDoor', False) dropIns = kwargs.get('dropIns', 0) if dropIns: return dropIns * self.dropinPrice if payAtDoor: return self.doorPrice return self.onlinePrice
python
def getBasePrice(self,**kwargs): ''' This handles the logic of finding the correct price. If more sophisticated discounting systems are needed, then this PricingTier model can be subclassed, or the discounts and vouchers apps can be used. ''' payAtDoor = kwargs.get('payAtDoor', False) dropIns = kwargs.get('dropIns', 0) if dropIns: return dropIns * self.dropinPrice if payAtDoor: return self.doorPrice return self.onlinePrice
[ "def", "getBasePrice", "(", "self", ",", "*", "*", "kwargs", ")", ":", "payAtDoor", "=", "kwargs", ".", "get", "(", "'payAtDoor'", ",", "False", ")", "dropIns", "=", "kwargs", ".", "get", "(", "'dropIns'", ",", "0", ")", "if", "dropIns", ":", "return", "dropIns", "*", "self", ".", "dropinPrice", "if", "payAtDoor", ":", "return", "self", ".", "doorPrice", "return", "self", ".", "onlinePrice" ]
This handles the logic of finding the correct price. If more sophisticated discounting systems are needed, then this PricingTier model can be subclassed, or the discounts and vouchers apps can be used.
[ "This", "handles", "the", "logic", "of", "finding", "the", "correct", "price", ".", "If", "more", "sophisticated", "discounting", "systems", "are", "needed", "then", "this", "PricingTier", "model", "can", "be", "subclassed", "or", "the", "discounts", "and", "vouchers", "apps", "can", "be", "used", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/models.py#L432-L445
train
236,485
django-danceschool/django-danceschool
danceschool/core/models.py
Event.availableRoles
def availableRoles(self): ''' Returns the set of roles for this event. Since roles are not always custom specified for event, this looks for the set of available roles in multiple places. If no roles are found, then the method returns an empty list, in which case it can be assumed that the event's registration is not role-specific. ''' eventRoles = self.eventrole_set.filter(capacity__gt=0) if eventRoles.count() > 0: return [x.role for x in eventRoles] elif isinstance(self,Series): return self.classDescription.danceTypeLevel.danceType.roles.all() return []
python
def availableRoles(self): ''' Returns the set of roles for this event. Since roles are not always custom specified for event, this looks for the set of available roles in multiple places. If no roles are found, then the method returns an empty list, in which case it can be assumed that the event's registration is not role-specific. ''' eventRoles = self.eventrole_set.filter(capacity__gt=0) if eventRoles.count() > 0: return [x.role for x in eventRoles] elif isinstance(self,Series): return self.classDescription.danceTypeLevel.danceType.roles.all() return []
[ "def", "availableRoles", "(", "self", ")", ":", "eventRoles", "=", "self", ".", "eventrole_set", ".", "filter", "(", "capacity__gt", "=", "0", ")", "if", "eventRoles", ".", "count", "(", ")", ">", "0", ":", "return", "[", "x", ".", "role", "for", "x", "in", "eventRoles", "]", "elif", "isinstance", "(", "self", ",", "Series", ")", ":", "return", "self", ".", "classDescription", ".", "danceTypeLevel", ".", "danceType", ".", "roles", ".", "all", "(", ")", "return", "[", "]" ]
Returns the set of roles for this event. Since roles are not always custom specified for event, this looks for the set of available roles in multiple places. If no roles are found, then the method returns an empty list, in which case it can be assumed that the event's registration is not role-specific.
[ "Returns", "the", "set", "of", "roles", "for", "this", "event", ".", "Since", "roles", "are", "not", "always", "custom", "specified", "for", "event", "this", "looks", "for", "the", "set", "of", "available", "roles", "in", "multiple", "places", ".", "If", "no", "roles", "are", "found", "then", "the", "method", "returns", "an", "empty", "list", "in", "which", "case", "it", "can", "be", "assumed", "that", "the", "event", "s", "registration", "is", "not", "role", "-", "specific", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/models.py#L952-L964
train
236,486
django-danceschool/django-danceschool
danceschool/core/models.py
Event.numRegisteredForRole
def numRegisteredForRole(self, role, includeTemporaryRegs=False): ''' Accepts a DanceRole object and returns the number of registrations of that role. ''' count = self.eventregistration_set.filter(cancelled=False,dropIn=False,role=role).count() if includeTemporaryRegs: count += self.temporaryeventregistration_set.filter(dropIn=False,role=role).exclude( registration__expirationDate__lte=timezone.now()).count() return count
python
def numRegisteredForRole(self, role, includeTemporaryRegs=False): ''' Accepts a DanceRole object and returns the number of registrations of that role. ''' count = self.eventregistration_set.filter(cancelled=False,dropIn=False,role=role).count() if includeTemporaryRegs: count += self.temporaryeventregistration_set.filter(dropIn=False,role=role).exclude( registration__expirationDate__lte=timezone.now()).count() return count
[ "def", "numRegisteredForRole", "(", "self", ",", "role", ",", "includeTemporaryRegs", "=", "False", ")", ":", "count", "=", "self", ".", "eventregistration_set", ".", "filter", "(", "cancelled", "=", "False", ",", "dropIn", "=", "False", ",", "role", "=", "role", ")", ".", "count", "(", ")", "if", "includeTemporaryRegs", ":", "count", "+=", "self", ".", "temporaryeventregistration_set", ".", "filter", "(", "dropIn", "=", "False", ",", "role", "=", "role", ")", ".", "exclude", "(", "registration__expirationDate__lte", "=", "timezone", ".", "now", "(", ")", ")", ".", "count", "(", ")", "return", "count" ]
Accepts a DanceRole object and returns the number of registrations of that role.
[ "Accepts", "a", "DanceRole", "object", "and", "returns", "the", "number", "of", "registrations", "of", "that", "role", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/models.py#L967-L975
train
236,487
django-danceschool/django-danceschool
danceschool/core/models.py
Event.capacityForRole
def capacityForRole(self,role): ''' Accepts a DanceRole object and determines the capacity for that role at this event.this Since roles are not always custom specified for events, this looks for the set of available roles in multiple places, and only returns the overall capacity of the event if roles are not found elsewhere. ''' if isinstance(role, DanceRole): role_id = role.id else: role_id = role eventRoles = self.eventrole_set.filter(capacity__gt=0) if eventRoles.count() > 0 and role_id not in [x.role.id for x in eventRoles]: ''' Custom role capacities exist but role this is not one of them. ''' return 0 elif eventRoles.count() > 0: ''' The role is a match to custom roles, so check the capacity. ''' return eventRoles.get(role=role).capacity # No custom roles for this event, so get the danceType roles and use the overall # capacity divided by the number of roles if isinstance(self,Series): try: availableRoles = self.classDescription.danceTypeLevel.danceType.roles.all() if availableRoles.count() > 0 and role_id not in [x.id for x in availableRoles]: ''' DanceType roles specified and this is not one of them ''' return 0 elif availableRoles.count() > 0 and self.capacity: # Divide the total capacity by the number of roles and round up. return ceil(self.capacity / availableRoles.count()) except ObjectDoesNotExist as e: logger.error('Error in calculating capacity for role: %s' % e) # No custom roles and no danceType to get roles from, so return the overall capacity return self.capacity
python
def capacityForRole(self,role): ''' Accepts a DanceRole object and determines the capacity for that role at this event.this Since roles are not always custom specified for events, this looks for the set of available roles in multiple places, and only returns the overall capacity of the event if roles are not found elsewhere. ''' if isinstance(role, DanceRole): role_id = role.id else: role_id = role eventRoles = self.eventrole_set.filter(capacity__gt=0) if eventRoles.count() > 0 and role_id not in [x.role.id for x in eventRoles]: ''' Custom role capacities exist but role this is not one of them. ''' return 0 elif eventRoles.count() > 0: ''' The role is a match to custom roles, so check the capacity. ''' return eventRoles.get(role=role).capacity # No custom roles for this event, so get the danceType roles and use the overall # capacity divided by the number of roles if isinstance(self,Series): try: availableRoles = self.classDescription.danceTypeLevel.danceType.roles.all() if availableRoles.count() > 0 and role_id not in [x.id for x in availableRoles]: ''' DanceType roles specified and this is not one of them ''' return 0 elif availableRoles.count() > 0 and self.capacity: # Divide the total capacity by the number of roles and round up. return ceil(self.capacity / availableRoles.count()) except ObjectDoesNotExist as e: logger.error('Error in calculating capacity for role: %s' % e) # No custom roles and no danceType to get roles from, so return the overall capacity return self.capacity
[ "def", "capacityForRole", "(", "self", ",", "role", ")", ":", "if", "isinstance", "(", "role", ",", "DanceRole", ")", ":", "role_id", "=", "role", ".", "id", "else", ":", "role_id", "=", "role", "eventRoles", "=", "self", ".", "eventrole_set", ".", "filter", "(", "capacity__gt", "=", "0", ")", "if", "eventRoles", ".", "count", "(", ")", ">", "0", "and", "role_id", "not", "in", "[", "x", ".", "role", ".", "id", "for", "x", "in", "eventRoles", "]", ":", "''' Custom role capacities exist but role this is not one of them. '''", "return", "0", "elif", "eventRoles", ".", "count", "(", ")", ">", "0", ":", "''' The role is a match to custom roles, so check the capacity. '''", "return", "eventRoles", ".", "get", "(", "role", "=", "role", ")", ".", "capacity", "# No custom roles for this event, so get the danceType roles and use the overall", "# capacity divided by the number of roles", "if", "isinstance", "(", "self", ",", "Series", ")", ":", "try", ":", "availableRoles", "=", "self", ".", "classDescription", ".", "danceTypeLevel", ".", "danceType", ".", "roles", ".", "all", "(", ")", "if", "availableRoles", ".", "count", "(", ")", ">", "0", "and", "role_id", "not", "in", "[", "x", ".", "id", "for", "x", "in", "availableRoles", "]", ":", "''' DanceType roles specified and this is not one of them '''", "return", "0", "elif", "availableRoles", ".", "count", "(", ")", ">", "0", "and", "self", ".", "capacity", ":", "# Divide the total capacity by the number of roles and round up.", "return", "ceil", "(", "self", ".", "capacity", "/", "availableRoles", ".", "count", "(", ")", ")", "except", "ObjectDoesNotExist", "as", "e", ":", "logger", ".", "error", "(", "'Error in calculating capacity for role: %s'", "%", "e", ")", "# No custom roles and no danceType to get roles from, so return the overall capacity", "return", "self", ".", "capacity" ]
Accepts a DanceRole object and determines the capacity for that role at this event.this Since roles are not always custom specified for events, this looks for the set of available roles in multiple places, and only returns the overall capacity of the event if roles are not found elsewhere.
[ "Accepts", "a", "DanceRole", "object", "and", "determines", "the", "capacity", "for", "that", "role", "at", "this", "event", ".", "this", "Since", "roles", "are", "not", "always", "custom", "specified", "for", "events", "this", "looks", "for", "the", "set", "of", "available", "roles", "in", "multiple", "places", "and", "only", "returns", "the", "overall", "capacity", "of", "the", "event", "if", "roles", "are", "not", "found", "elsewhere", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/models.py#L986-L1022
train
236,488
django-danceschool/django-danceschool
danceschool/core/models.py
Event.soldOutForRole
def soldOutForRole(self,role,includeTemporaryRegs=False): ''' Accepts a DanceRole object and responds if the number of registrations for that role exceeds the capacity for that role at this event. ''' return self.numRegisteredForRole( role,includeTemporaryRegs=includeTemporaryRegs) >= (self.capacityForRole(role) or 0)
python
def soldOutForRole(self,role,includeTemporaryRegs=False): ''' Accepts a DanceRole object and responds if the number of registrations for that role exceeds the capacity for that role at this event. ''' return self.numRegisteredForRole( role,includeTemporaryRegs=includeTemporaryRegs) >= (self.capacityForRole(role) or 0)
[ "def", "soldOutForRole", "(", "self", ",", "role", ",", "includeTemporaryRegs", "=", "False", ")", ":", "return", "self", ".", "numRegisteredForRole", "(", "role", ",", "includeTemporaryRegs", "=", "includeTemporaryRegs", ")", ">=", "(", "self", ".", "capacityForRole", "(", "role", ")", "or", "0", ")" ]
Accepts a DanceRole object and responds if the number of registrations for that role exceeds the capacity for that role at this event.
[ "Accepts", "a", "DanceRole", "object", "and", "responds", "if", "the", "number", "of", "registrations", "for", "that", "role", "exceeds", "the", "capacity", "for", "that", "role", "at", "this", "event", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/models.py#L1024-L1030
train
236,489
django-danceschool/django-danceschool
danceschool/core/models.py
EventOccurrence.allDayForDate
def allDayForDate(self,this_date,timeZone=None): ''' This method determines whether the occurrence lasts the entirety of a specified day in the specified time zone. If no time zone is specified, then it uses the default time zone). Also, give a grace period of a few minutes to account for issues with the way events are sometimes entered. ''' if isinstance(this_date,datetime): d = this_date.date() else: d = this_date date_start = datetime(d.year,d.month,d.day) naive_start = self.startTime if timezone.is_naive(self.startTime) else timezone.make_naive(self.startTime, timezone=timeZone) naive_end = self.endTime if timezone.is_naive(self.endTime) else timezone.make_naive(self.endTime, timezone=timeZone) return ( # Ensure that all comparisons are done in local time naive_start <= date_start and naive_end >= date_start + timedelta(days=1,minutes=-30) )
python
def allDayForDate(self,this_date,timeZone=None): ''' This method determines whether the occurrence lasts the entirety of a specified day in the specified time zone. If no time zone is specified, then it uses the default time zone). Also, give a grace period of a few minutes to account for issues with the way events are sometimes entered. ''' if isinstance(this_date,datetime): d = this_date.date() else: d = this_date date_start = datetime(d.year,d.month,d.day) naive_start = self.startTime if timezone.is_naive(self.startTime) else timezone.make_naive(self.startTime, timezone=timeZone) naive_end = self.endTime if timezone.is_naive(self.endTime) else timezone.make_naive(self.endTime, timezone=timeZone) return ( # Ensure that all comparisons are done in local time naive_start <= date_start and naive_end >= date_start + timedelta(days=1,minutes=-30) )
[ "def", "allDayForDate", "(", "self", ",", "this_date", ",", "timeZone", "=", "None", ")", ":", "if", "isinstance", "(", "this_date", ",", "datetime", ")", ":", "d", "=", "this_date", ".", "date", "(", ")", "else", ":", "d", "=", "this_date", "date_start", "=", "datetime", "(", "d", ".", "year", ",", "d", ".", "month", ",", "d", ".", "day", ")", "naive_start", "=", "self", ".", "startTime", "if", "timezone", ".", "is_naive", "(", "self", ".", "startTime", ")", "else", "timezone", ".", "make_naive", "(", "self", ".", "startTime", ",", "timezone", "=", "timeZone", ")", "naive_end", "=", "self", ".", "endTime", "if", "timezone", ".", "is_naive", "(", "self", ".", "endTime", ")", "else", "timezone", ".", "make_naive", "(", "self", ".", "endTime", ",", "timezone", "=", "timeZone", ")", "return", "(", "# Ensure that all comparisons are done in local time", "naive_start", "<=", "date_start", "and", "naive_end", ">=", "date_start", "+", "timedelta", "(", "days", "=", "1", ",", "minutes", "=", "-", "30", ")", ")" ]
This method determines whether the occurrence lasts the entirety of a specified day in the specified time zone. If no time zone is specified, then it uses the default time zone). Also, give a grace period of a few minutes to account for issues with the way events are sometimes entered.
[ "This", "method", "determines", "whether", "the", "occurrence", "lasts", "the", "entirety", "of", "a", "specified", "day", "in", "the", "specified", "time", "zone", ".", "If", "no", "time", "zone", "is", "specified", "then", "it", "uses", "the", "default", "time", "zone", ")", ".", "Also", "give", "a", "grace", "period", "of", "a", "few", "minutes", "to", "account", "for", "issues", "with", "the", "way", "events", "are", "sometimes", "entered", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/models.py#L1191-L1211
train
236,490
django-danceschool/django-danceschool
danceschool/core/models.py
EventStaffMember.netHours
def netHours(self): ''' For regular event staff, this is the net hours worked for financial purposes. For Instructors, netHours is caclulated net of any substitutes. ''' if self.specifiedHours is not None: return self.specifiedHours elif self.category in [getConstant('general__eventStaffCategoryAssistant'),getConstant('general__eventStaffCategoryInstructor')]: return self.event.duration - sum([sub.netHours for sub in self.replacementFor.all()]) else: return sum([x.duration for x in self.occurrences.filter(cancelled=False)])
python
def netHours(self): ''' For regular event staff, this is the net hours worked for financial purposes. For Instructors, netHours is caclulated net of any substitutes. ''' if self.specifiedHours is not None: return self.specifiedHours elif self.category in [getConstant('general__eventStaffCategoryAssistant'),getConstant('general__eventStaffCategoryInstructor')]: return self.event.duration - sum([sub.netHours for sub in self.replacementFor.all()]) else: return sum([x.duration for x in self.occurrences.filter(cancelled=False)])
[ "def", "netHours", "(", "self", ")", ":", "if", "self", ".", "specifiedHours", "is", "not", "None", ":", "return", "self", ".", "specifiedHours", "elif", "self", ".", "category", "in", "[", "getConstant", "(", "'general__eventStaffCategoryAssistant'", ")", ",", "getConstant", "(", "'general__eventStaffCategoryInstructor'", ")", "]", ":", "return", "self", ".", "event", ".", "duration", "-", "sum", "(", "[", "sub", ".", "netHours", "for", "sub", "in", "self", ".", "replacementFor", ".", "all", "(", ")", "]", ")", "else", ":", "return", "sum", "(", "[", "x", ".", "duration", "for", "x", "in", "self", ".", "occurrences", ".", "filter", "(", "cancelled", "=", "False", ")", "]", ")" ]
For regular event staff, this is the net hours worked for financial purposes. For Instructors, netHours is caclulated net of any substitutes.
[ "For", "regular", "event", "staff", "this", "is", "the", "net", "hours", "worked", "for", "financial", "purposes", ".", "For", "Instructors", "netHours", "is", "caclulated", "net", "of", "any", "substitutes", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/models.py#L1284-L1294
train
236,491
django-danceschool/django-danceschool
danceschool/core/models.py
Series.shortDescription
def shortDescription(self): ''' Overrides property from Event base class. ''' cd = getattr(self,'classDescription',None) if cd: sd = getattr(cd,'shortDescription','') d = getattr(cd,'description','') return sd if sd else d return ''
python
def shortDescription(self): ''' Overrides property from Event base class. ''' cd = getattr(self,'classDescription',None) if cd: sd = getattr(cd,'shortDescription','') d = getattr(cd,'description','') return sd if sd else d return ''
[ "def", "shortDescription", "(", "self", ")", ":", "cd", "=", "getattr", "(", "self", ",", "'classDescription'", ",", "None", ")", "if", "cd", ":", "sd", "=", "getattr", "(", "cd", ",", "'shortDescription'", ",", "''", ")", "d", "=", "getattr", "(", "cd", ",", "'description'", ",", "''", ")", "return", "sd", "if", "sd", "else", "d", "return", "''" ]
Overrides property from Event base class.
[ "Overrides", "property", "from", "Event", "base", "class", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/models.py#L1360-L1369
train
236,492
django-danceschool/django-danceschool
danceschool/core/models.py
SeriesTeacher.netHours
def netHours(self): ''' For regular event staff, this is the net hours worked for financial purposes. For Instructors, netHours is calculated net of any substitutes. ''' if self.specifiedHours is not None: return self.specifiedHours return self.event.duration - sum([sub.netHours for sub in self.replacementFor.all()])
python
def netHours(self): ''' For regular event staff, this is the net hours worked for financial purposes. For Instructors, netHours is calculated net of any substitutes. ''' if self.specifiedHours is not None: return self.specifiedHours return self.event.duration - sum([sub.netHours for sub in self.replacementFor.all()])
[ "def", "netHours", "(", "self", ")", ":", "if", "self", ".", "specifiedHours", "is", "not", "None", ":", "return", "self", ".", "specifiedHours", "return", "self", ".", "event", ".", "duration", "-", "sum", "(", "[", "sub", ".", "netHours", "for", "sub", "in", "self", ".", "replacementFor", ".", "all", "(", ")", "]", ")" ]
For regular event staff, this is the net hours worked for financial purposes. For Instructors, netHours is calculated net of any substitutes.
[ "For", "regular", "event", "staff", "this", "is", "the", "net", "hours", "worked", "for", "financial", "purposes", ".", "For", "Instructors", "netHours", "is", "calculated", "net", "of", "any", "substitutes", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/models.py#L1466-L1473
train
236,493
django-danceschool/django-danceschool
danceschool/core/models.py
TemporaryRegistration.getTimeOfClassesRemaining
def getTimeOfClassesRemaining(self,numClasses=0): ''' For checking things like prerequisites, it's useful to check if a requirement is 'almost' met ''' occurrences = EventOccurrence.objects.filter( cancelled=False, event__in=[x.event for x in self.temporaryeventregistration_set.filter(event__series__isnull=False)], ).order_by('-endTime') if occurrences.count() > numClasses: return occurrences[numClasses].endTime else: return occurrences.last().startTime
python
def getTimeOfClassesRemaining(self,numClasses=0): ''' For checking things like prerequisites, it's useful to check if a requirement is 'almost' met ''' occurrences = EventOccurrence.objects.filter( cancelled=False, event__in=[x.event for x in self.temporaryeventregistration_set.filter(event__series__isnull=False)], ).order_by('-endTime') if occurrences.count() > numClasses: return occurrences[numClasses].endTime else: return occurrences.last().startTime
[ "def", "getTimeOfClassesRemaining", "(", "self", ",", "numClasses", "=", "0", ")", ":", "occurrences", "=", "EventOccurrence", ".", "objects", ".", "filter", "(", "cancelled", "=", "False", ",", "event__in", "=", "[", "x", ".", "event", "for", "x", "in", "self", ".", "temporaryeventregistration_set", ".", "filter", "(", "event__series__isnull", "=", "False", ")", "]", ",", ")", ".", "order_by", "(", "'-endTime'", ")", "if", "occurrences", ".", "count", "(", ")", ">", "numClasses", ":", "return", "occurrences", "[", "numClasses", "]", ".", "endTime", "else", ":", "return", "occurrences", ".", "last", "(", ")", ".", "startTime" ]
For checking things like prerequisites, it's useful to check if a requirement is 'almost' met
[ "For", "checking", "things", "like", "prerequisites", "it", "s", "useful", "to", "check", "if", "a", "requirement", "is", "almost", "met" ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/models.py#L1952-L1963
train
236,494
django-danceschool/django-danceschool
danceschool/core/models.py
TemporaryRegistration.finalize
def finalize(self,**kwargs): ''' This method is called when the payment process has been completed and a registration is ready to be finalized. It also fires the post-registration signal ''' dateTime = kwargs.pop('dateTime', timezone.now()) # If sendEmail is passed as False, then we won't send an email sendEmail = kwargs.pop('sendEmail', True) customer, created = Customer.objects.update_or_create( first_name=self.firstName,last_name=self.lastName, email=self.email,defaults={'phone': self.phone} ) regArgs = { 'customer': customer, 'firstName': self.firstName, 'lastName': self.lastName, 'dateTime': dateTime, 'temporaryRegistration': self } for key in ['comments', 'howHeardAboutUs', 'student', 'priceWithDiscount','payAtDoor']: regArgs[key] = kwargs.pop(key, getattr(self,key,None)) # All other passed kwargs are put into the data JSON regArgs['data'] = self.data regArgs['data'].update(kwargs) realreg = Registration(**regArgs) realreg.save() logger.debug('Created registration with id: ' + str(realreg.id)) for er in self.temporaryeventregistration_set.all(): logger.debug('Creating eventreg for event: ' + str(er.event.id)) realer = EventRegistration(registration=realreg,event=er.event, customer=customer,role=er.role, price=er.price, dropIn=er.dropIn, data=er.data ) realer.save() # Mark this temporary registration as expired, so that it won't # be counted twice against the number of in-progress registrations # in the future when another customer tries to register. self.expirationDate = timezone.now() self.save() # This signal can, for example, be caught by the vouchers app to keep track of any vouchers # that were applied post_registration.send( sender=TemporaryRegistration, registration=realreg ) if sendEmail: if getConstant('email__disableSiteEmails'): logger.info('Sending of confirmation emails is disabled.') else: logger.info('Sending confirmation email.') template = getConstant('email__registrationSuccessTemplate') realreg.email_recipient( subject=template.subject, content=template.content, html_content=template.html_content, send_html=template.send_html, from_address=template.defaultFromAddress, from_name=template.defaultFromName, cc=template.defaultCC, ) # Return the newly-created finalized registration object return realreg
python
def finalize(self,**kwargs): ''' This method is called when the payment process has been completed and a registration is ready to be finalized. It also fires the post-registration signal ''' dateTime = kwargs.pop('dateTime', timezone.now()) # If sendEmail is passed as False, then we won't send an email sendEmail = kwargs.pop('sendEmail', True) customer, created = Customer.objects.update_or_create( first_name=self.firstName,last_name=self.lastName, email=self.email,defaults={'phone': self.phone} ) regArgs = { 'customer': customer, 'firstName': self.firstName, 'lastName': self.lastName, 'dateTime': dateTime, 'temporaryRegistration': self } for key in ['comments', 'howHeardAboutUs', 'student', 'priceWithDiscount','payAtDoor']: regArgs[key] = kwargs.pop(key, getattr(self,key,None)) # All other passed kwargs are put into the data JSON regArgs['data'] = self.data regArgs['data'].update(kwargs) realreg = Registration(**regArgs) realreg.save() logger.debug('Created registration with id: ' + str(realreg.id)) for er in self.temporaryeventregistration_set.all(): logger.debug('Creating eventreg for event: ' + str(er.event.id)) realer = EventRegistration(registration=realreg,event=er.event, customer=customer,role=er.role, price=er.price, dropIn=er.dropIn, data=er.data ) realer.save() # Mark this temporary registration as expired, so that it won't # be counted twice against the number of in-progress registrations # in the future when another customer tries to register. self.expirationDate = timezone.now() self.save() # This signal can, for example, be caught by the vouchers app to keep track of any vouchers # that were applied post_registration.send( sender=TemporaryRegistration, registration=realreg ) if sendEmail: if getConstant('email__disableSiteEmails'): logger.info('Sending of confirmation emails is disabled.') else: logger.info('Sending confirmation email.') template = getConstant('email__registrationSuccessTemplate') realreg.email_recipient( subject=template.subject, content=template.content, html_content=template.html_content, send_html=template.send_html, from_address=template.defaultFromAddress, from_name=template.defaultFromName, cc=template.defaultCC, ) # Return the newly-created finalized registration object return realreg
[ "def", "finalize", "(", "self", ",", "*", "*", "kwargs", ")", ":", "dateTime", "=", "kwargs", ".", "pop", "(", "'dateTime'", ",", "timezone", ".", "now", "(", ")", ")", "# If sendEmail is passed as False, then we won't send an email", "sendEmail", "=", "kwargs", ".", "pop", "(", "'sendEmail'", ",", "True", ")", "customer", ",", "created", "=", "Customer", ".", "objects", ".", "update_or_create", "(", "first_name", "=", "self", ".", "firstName", ",", "last_name", "=", "self", ".", "lastName", ",", "email", "=", "self", ".", "email", ",", "defaults", "=", "{", "'phone'", ":", "self", ".", "phone", "}", ")", "regArgs", "=", "{", "'customer'", ":", "customer", ",", "'firstName'", ":", "self", ".", "firstName", ",", "'lastName'", ":", "self", ".", "lastName", ",", "'dateTime'", ":", "dateTime", ",", "'temporaryRegistration'", ":", "self", "}", "for", "key", "in", "[", "'comments'", ",", "'howHeardAboutUs'", ",", "'student'", ",", "'priceWithDiscount'", ",", "'payAtDoor'", "]", ":", "regArgs", "[", "key", "]", "=", "kwargs", ".", "pop", "(", "key", ",", "getattr", "(", "self", ",", "key", ",", "None", ")", ")", "# All other passed kwargs are put into the data JSON", "regArgs", "[", "'data'", "]", "=", "self", ".", "data", "regArgs", "[", "'data'", "]", ".", "update", "(", "kwargs", ")", "realreg", "=", "Registration", "(", "*", "*", "regArgs", ")", "realreg", ".", "save", "(", ")", "logger", ".", "debug", "(", "'Created registration with id: '", "+", "str", "(", "realreg", ".", "id", ")", ")", "for", "er", "in", "self", ".", "temporaryeventregistration_set", ".", "all", "(", ")", ":", "logger", ".", "debug", "(", "'Creating eventreg for event: '", "+", "str", "(", "er", ".", "event", ".", "id", ")", ")", "realer", "=", "EventRegistration", "(", "registration", "=", "realreg", ",", "event", "=", "er", ".", "event", ",", "customer", "=", "customer", ",", "role", "=", "er", ".", "role", ",", "price", "=", "er", ".", "price", ",", "dropIn", "=", "er", ".", "dropIn", ",", "data", "=", "er", ".", "data", ")", "realer", ".", "save", "(", ")", "# Mark this temporary registration as expired, so that it won't", "# be counted twice against the number of in-progress registrations", "# in the future when another customer tries to register.", "self", ".", "expirationDate", "=", "timezone", ".", "now", "(", ")", "self", ".", "save", "(", ")", "# This signal can, for example, be caught by the vouchers app to keep track of any vouchers", "# that were applied", "post_registration", ".", "send", "(", "sender", "=", "TemporaryRegistration", ",", "registration", "=", "realreg", ")", "if", "sendEmail", ":", "if", "getConstant", "(", "'email__disableSiteEmails'", ")", ":", "logger", ".", "info", "(", "'Sending of confirmation emails is disabled.'", ")", "else", ":", "logger", ".", "info", "(", "'Sending confirmation email.'", ")", "template", "=", "getConstant", "(", "'email__registrationSuccessTemplate'", ")", "realreg", ".", "email_recipient", "(", "subject", "=", "template", ".", "subject", ",", "content", "=", "template", ".", "content", ",", "html_content", "=", "template", ".", "html_content", ",", "send_html", "=", "template", ".", "send_html", ",", "from_address", "=", "template", ".", "defaultFromAddress", ",", "from_name", "=", "template", ".", "defaultFromName", ",", "cc", "=", "template", ".", "defaultCC", ",", ")", "# Return the newly-created finalized registration object", "return", "realreg" ]
This method is called when the payment process has been completed and a registration is ready to be finalized. It also fires the post-registration signal
[ "This", "method", "is", "called", "when", "the", "payment", "process", "has", "been", "completed", "and", "a", "registration", "is", "ready", "to", "be", "finalized", ".", "It", "also", "fires", "the", "post", "-", "registration", "signal" ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/models.py#L1987-L2061
train
236,495
django-danceschool/django-danceschool
danceschool/core/models.py
EmailTemplate.save
def save(self, *args, **kwargs): ''' If this is an HTML template, then set the non-HTML content to be the stripped version of the HTML. If this is a plain text template, then set the HTML content to be null. ''' if self.send_html: self.content = get_text_for_html(self.html_content) else: self.html_content = None super(EmailTemplate, self).save(*args, **kwargs)
python
def save(self, *args, **kwargs): ''' If this is an HTML template, then set the non-HTML content to be the stripped version of the HTML. If this is a plain text template, then set the HTML content to be null. ''' if self.send_html: self.content = get_text_for_html(self.html_content) else: self.html_content = None super(EmailTemplate, self).save(*args, **kwargs)
[ "def", "save", "(", "self", ",", "*", "args", ",", "*", "*", "kwargs", ")", ":", "if", "self", ".", "send_html", ":", "self", ".", "content", "=", "get_text_for_html", "(", "self", ".", "html_content", ")", "else", ":", "self", ".", "html_content", "=", "None", "super", "(", "EmailTemplate", ",", "self", ")", ".", "save", "(", "*", "args", ",", "*", "*", "kwargs", ")" ]
If this is an HTML template, then set the non-HTML content to be the stripped version of the HTML. If this is a plain text template, then set the HTML content to be null.
[ "If", "this", "is", "an", "HTML", "template", "then", "set", "the", "non", "-", "HTML", "content", "to", "be", "the", "stripped", "version", "of", "the", "HTML", ".", "If", "this", "is", "a", "plain", "text", "template", "then", "set", "the", "HTML", "content", "to", "be", "null", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/models.py#L2469-L2479
train
236,496
django-danceschool/django-danceschool
danceschool/core/models.py
Invoice.create_from_registration
def create_from_registration(cls, reg, **kwargs): ''' Handles the creation of an Invoice as well as one InvoiceItem per assodciated TemporaryEventRegistration or registration. Also handles taxes appropriately. ''' submissionUser = kwargs.pop('submissionUser', None) collectedByUser = kwargs.pop('collectedByUser', None) status = kwargs.pop('status',Invoice.PaymentStatus.unpaid) new_invoice = cls( firstName=reg.firstName, lastName=reg.lastName, email=reg.email, grossTotal=reg.totalPrice, total=reg.priceWithDiscount, submissionUser=submissionUser, collectedByUser=collectedByUser, buyerPaysSalesTax=getConstant('registration__buyerPaysSalesTax'), status=status, data=kwargs, ) if isinstance(reg, Registration): new_invoice.finalRegistration = reg ter_set = reg.eventregistration_set.all() elif isinstance(reg, TemporaryRegistration): new_invoice.temporaryRegistration = reg ter_set = reg.temporaryeventregistration_set.all() else: raise ValueError('Object passed is not a registration.') new_invoice.calculateTaxes() new_invoice.save() # Now, create InvoiceItem records for each EventRegistration for ter in ter_set: # Discounts and vouchers are always applied equally to all items at initial # invoice creation. item_kwargs = { 'invoice': new_invoice, 'grossTotal': ter.price, } if new_invoice.grossTotal > 0: item_kwargs.update({ 'total': ter.price * (new_invoice.total / new_invoice.grossTotal), 'taxes': new_invoice.taxes * (ter.price / new_invoice.grossTotal), 'fees': new_invoice.fees * (ter.price / new_invoice.grossTotal), }) else: item_kwargs.update({ 'total': ter.price, 'taxes': new_invoice.taxes, 'fees': new_invoice.fees, }) if isinstance(ter,TemporaryEventRegistration): item_kwargs['temporaryEventRegistration'] = ter elif isinstance(ter,EventRegistration): item_kwargs['finalEventRegistration'] = ter this_item = InvoiceItem(**item_kwargs) this_item.save() return new_invoice
python
def create_from_registration(cls, reg, **kwargs): ''' Handles the creation of an Invoice as well as one InvoiceItem per assodciated TemporaryEventRegistration or registration. Also handles taxes appropriately. ''' submissionUser = kwargs.pop('submissionUser', None) collectedByUser = kwargs.pop('collectedByUser', None) status = kwargs.pop('status',Invoice.PaymentStatus.unpaid) new_invoice = cls( firstName=reg.firstName, lastName=reg.lastName, email=reg.email, grossTotal=reg.totalPrice, total=reg.priceWithDiscount, submissionUser=submissionUser, collectedByUser=collectedByUser, buyerPaysSalesTax=getConstant('registration__buyerPaysSalesTax'), status=status, data=kwargs, ) if isinstance(reg, Registration): new_invoice.finalRegistration = reg ter_set = reg.eventregistration_set.all() elif isinstance(reg, TemporaryRegistration): new_invoice.temporaryRegistration = reg ter_set = reg.temporaryeventregistration_set.all() else: raise ValueError('Object passed is not a registration.') new_invoice.calculateTaxes() new_invoice.save() # Now, create InvoiceItem records for each EventRegistration for ter in ter_set: # Discounts and vouchers are always applied equally to all items at initial # invoice creation. item_kwargs = { 'invoice': new_invoice, 'grossTotal': ter.price, } if new_invoice.grossTotal > 0: item_kwargs.update({ 'total': ter.price * (new_invoice.total / new_invoice.grossTotal), 'taxes': new_invoice.taxes * (ter.price / new_invoice.grossTotal), 'fees': new_invoice.fees * (ter.price / new_invoice.grossTotal), }) else: item_kwargs.update({ 'total': ter.price, 'taxes': new_invoice.taxes, 'fees': new_invoice.fees, }) if isinstance(ter,TemporaryEventRegistration): item_kwargs['temporaryEventRegistration'] = ter elif isinstance(ter,EventRegistration): item_kwargs['finalEventRegistration'] = ter this_item = InvoiceItem(**item_kwargs) this_item.save() return new_invoice
[ "def", "create_from_registration", "(", "cls", ",", "reg", ",", "*", "*", "kwargs", ")", ":", "submissionUser", "=", "kwargs", ".", "pop", "(", "'submissionUser'", ",", "None", ")", "collectedByUser", "=", "kwargs", ".", "pop", "(", "'collectedByUser'", ",", "None", ")", "status", "=", "kwargs", ".", "pop", "(", "'status'", ",", "Invoice", ".", "PaymentStatus", ".", "unpaid", ")", "new_invoice", "=", "cls", "(", "firstName", "=", "reg", ".", "firstName", ",", "lastName", "=", "reg", ".", "lastName", ",", "email", "=", "reg", ".", "email", ",", "grossTotal", "=", "reg", ".", "totalPrice", ",", "total", "=", "reg", ".", "priceWithDiscount", ",", "submissionUser", "=", "submissionUser", ",", "collectedByUser", "=", "collectedByUser", ",", "buyerPaysSalesTax", "=", "getConstant", "(", "'registration__buyerPaysSalesTax'", ")", ",", "status", "=", "status", ",", "data", "=", "kwargs", ",", ")", "if", "isinstance", "(", "reg", ",", "Registration", ")", ":", "new_invoice", ".", "finalRegistration", "=", "reg", "ter_set", "=", "reg", ".", "eventregistration_set", ".", "all", "(", ")", "elif", "isinstance", "(", "reg", ",", "TemporaryRegistration", ")", ":", "new_invoice", ".", "temporaryRegistration", "=", "reg", "ter_set", "=", "reg", ".", "temporaryeventregistration_set", ".", "all", "(", ")", "else", ":", "raise", "ValueError", "(", "'Object passed is not a registration.'", ")", "new_invoice", ".", "calculateTaxes", "(", ")", "new_invoice", ".", "save", "(", ")", "# Now, create InvoiceItem records for each EventRegistration", "for", "ter", "in", "ter_set", ":", "# Discounts and vouchers are always applied equally to all items at initial", "# invoice creation.", "item_kwargs", "=", "{", "'invoice'", ":", "new_invoice", ",", "'grossTotal'", ":", "ter", ".", "price", ",", "}", "if", "new_invoice", ".", "grossTotal", ">", "0", ":", "item_kwargs", ".", "update", "(", "{", "'total'", ":", "ter", ".", "price", "*", "(", "new_invoice", ".", "total", "/", "new_invoice", ".", "grossTotal", ")", ",", "'taxes'", ":", "new_invoice", ".", "taxes", "*", "(", "ter", ".", "price", "/", "new_invoice", ".", "grossTotal", ")", ",", "'fees'", ":", "new_invoice", ".", "fees", "*", "(", "ter", ".", "price", "/", "new_invoice", ".", "grossTotal", ")", ",", "}", ")", "else", ":", "item_kwargs", ".", "update", "(", "{", "'total'", ":", "ter", ".", "price", ",", "'taxes'", ":", "new_invoice", ".", "taxes", ",", "'fees'", ":", "new_invoice", ".", "fees", ",", "}", ")", "if", "isinstance", "(", "ter", ",", "TemporaryEventRegistration", ")", ":", "item_kwargs", "[", "'temporaryEventRegistration'", "]", "=", "ter", "elif", "isinstance", "(", "ter", ",", "EventRegistration", ")", ":", "item_kwargs", "[", "'finalEventRegistration'", "]", "=", "ter", "this_item", "=", "InvoiceItem", "(", "*", "*", "item_kwargs", ")", "this_item", ".", "save", "(", ")", "return", "new_invoice" ]
Handles the creation of an Invoice as well as one InvoiceItem per assodciated TemporaryEventRegistration or registration. Also handles taxes appropriately.
[ "Handles", "the", "creation", "of", "an", "Invoice", "as", "well", "as", "one", "InvoiceItem", "per", "assodciated", "TemporaryEventRegistration", "or", "registration", ".", "Also", "handles", "taxes", "appropriately", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/models.py#L2591-L2656
train
236,497
django-danceschool/django-danceschool
danceschool/core/models.py
Invoice.url
def url(self): ''' Because invoice URLs are generally emailed, this includes the default site URL and the protocol specified in settings. ''' if self.id: return '%s://%s%s' % ( getConstant('email__linkProtocol'), Site.objects.get_current().domain, reverse('viewInvoice', args=[self.id,]), )
python
def url(self): ''' Because invoice URLs are generally emailed, this includes the default site URL and the protocol specified in settings. ''' if self.id: return '%s://%s%s' % ( getConstant('email__linkProtocol'), Site.objects.get_current().domain, reverse('viewInvoice', args=[self.id,]), )
[ "def", "url", "(", "self", ")", ":", "if", "self", ".", "id", ":", "return", "'%s://%s%s'", "%", "(", "getConstant", "(", "'email__linkProtocol'", ")", ",", "Site", ".", "objects", ".", "get_current", "(", ")", ".", "domain", ",", "reverse", "(", "'viewInvoice'", ",", "args", "=", "[", "self", ".", "id", ",", "]", ")", ",", ")" ]
Because invoice URLs are generally emailed, this includes the default site URL and the protocol specified in settings.
[ "Because", "invoice", "URLs", "are", "generally", "emailed", "this", "includes", "the", "default", "site", "URL", "and", "the", "protocol", "specified", "in", "settings", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/models.py#L2710-L2721
train
236,498
django-danceschool/django-danceschool
danceschool/core/models.py
Invoice.calculateTaxes
def calculateTaxes(self): ''' Updates the tax field to reflect the amount of taxes depending on the local rate as well as whether the buyer or seller pays sales tax. ''' tax_rate = (getConstant('registration__salesTaxRate') or 0) / 100 if tax_rate > 0: if self.buyerPaysSalesTax: # If the buyer pays taxes, then taxes are just added as a fraction of the price self.taxes = self.total * tax_rate else: # If the seller pays sales taxes, then adjusted_total will be their net revenue, # and under this calculation adjusted_total + taxes = the price charged adjusted_total = self.total / (1 + tax_rate) self.taxes = adjusted_total * tax_rate
python
def calculateTaxes(self): ''' Updates the tax field to reflect the amount of taxes depending on the local rate as well as whether the buyer or seller pays sales tax. ''' tax_rate = (getConstant('registration__salesTaxRate') or 0) / 100 if tax_rate > 0: if self.buyerPaysSalesTax: # If the buyer pays taxes, then taxes are just added as a fraction of the price self.taxes = self.total * tax_rate else: # If the seller pays sales taxes, then adjusted_total will be their net revenue, # and under this calculation adjusted_total + taxes = the price charged adjusted_total = self.total / (1 + tax_rate) self.taxes = adjusted_total * tax_rate
[ "def", "calculateTaxes", "(", "self", ")", ":", "tax_rate", "=", "(", "getConstant", "(", "'registration__salesTaxRate'", ")", "or", "0", ")", "/", "100", "if", "tax_rate", ">", "0", ":", "if", "self", ".", "buyerPaysSalesTax", ":", "# If the buyer pays taxes, then taxes are just added as a fraction of the price", "self", ".", "taxes", "=", "self", ".", "total", "*", "tax_rate", "else", ":", "# If the seller pays sales taxes, then adjusted_total will be their net revenue,", "# and under this calculation adjusted_total + taxes = the price charged", "adjusted_total", "=", "self", ".", "total", "/", "(", "1", "+", "tax_rate", ")", "self", ".", "taxes", "=", "adjusted_total", "*", "tax_rate" ]
Updates the tax field to reflect the amount of taxes depending on the local rate as well as whether the buyer or seller pays sales tax.
[ "Updates", "the", "tax", "field", "to", "reflect", "the", "amount", "of", "taxes", "depending", "on", "the", "local", "rate", "as", "well", "as", "whether", "the", "buyer", "or", "seller", "pays", "sales", "tax", "." ]
bb08cbf39017a812a5a94bdb4ea34170bf1a30ba
https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/models.py#L2777-L2793
train
236,499