source: main/waeup.kofa/trunk/src/waeup/kofa/applicants/browser.py @ 8209

Last change on this file since 8209 was 8203, checked in by Henrik Bettermann, 13 years ago

Insert description and use FriendlyDatetimeDisplayWidget? in display view.

  • Property svn:keywords set to Id
File size: 35.1 KB
RevLine 
[5273]1## $Id: browser.py 8203 2012-04-18 05:31:56Z henrik $
[6078]2##
[7192]3## Copyright (C) 2011 Uli Fouquet & Henrik Bettermann
[5273]4## This program is free software; you can redistribute it and/or modify
5## it under the terms of the GNU General Public License as published by
6## the Free Software Foundation; either version 2 of the License, or
7## (at your option) any later version.
[6078]8##
[5273]9## This program is distributed in the hope that it will be useful,
10## but WITHOUT ANY WARRANTY; without even the implied warranty of
11## MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
12## GNU General Public License for more details.
[6078]13##
[5273]14## You should have received a copy of the GNU General Public License
15## along with this program; if not, write to the Free Software
16## Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
17##
[5824]18"""UI components for basic applicants and related components.
[5273]19"""
[7063]20import os
[8200]21import pytz
[6082]22import sys
[5273]23import grok
[7250]24from time import time
[7370]25from datetime import datetime, date
[8042]26from zope.event import notify
[7392]27from zope.component import getUtility, createObject, getAdapter
[8033]28from zope.catalog.interfaces import ICatalog
[7714]29from zope.i18n import translate
[7322]30from hurry.workflow.interfaces import (
31    IWorkflowInfo, IWorkflowState, InvalidTransitionError)
[7811]32from waeup.kofa.applicants.interfaces import (
[7363]33    IApplicant, IApplicantEdit, IApplicantsRoot,
[7683]34    IApplicantsContainer, IApplicantsContainerAdd,
[8033]35    MAX_UPLOAD_SIZE, IApplicantOnlinePayment, IApplicantsUtils,
[8037]36    IApplicantRegisterUpdate
[7363]37    )
[7811]38from waeup.kofa.applicants.workflow import INITIALIZED, STARTED, PAID, SUBMITTED
39from waeup.kofa.browser import (
[7819]40    KofaPage, KofaEditFormPage, KofaAddFormPage, KofaDisplayFormPage,
[7363]41    DEFAULT_PASSPORT_IMAGE_PATH)
[7811]42from waeup.kofa.browser.interfaces import ICaptchaManager
43from waeup.kofa.browser.breadcrumbs import Breadcrumb
44from waeup.kofa.browser.layout import (
[7459]45    NullValidator, jsaction, action, UtilityView)
[7811]46from waeup.kofa.browser.pages import add_local_role, del_local_roles
47from waeup.kofa.browser.resources import datepicker, tabs, datatable, warning
48from waeup.kofa.interfaces import (
[7819]49    IKofaObject, ILocalRolesAssignable, IExtFileStore, IPDF,
50    IFileStoreNameChooser, IPasswordValidator, IUserAccount, IKofaUtils)
[7811]51from waeup.kofa.interfaces import MessageFactory as _
52from waeup.kofa.permissions import get_users_with_local_roles
53from waeup.kofa.students.interfaces import IStudentsUtils
[8186]54from waeup.kofa.utils.helpers import string_from_bytes, file_size, now
[8170]55from waeup.kofa.widgets.datewidget import (
56    FriendlyDateDisplayWidget, FriendlyDateDisplayWidget,
57    FriendlyDatetimeDisplayWidget)
[7811]58from waeup.kofa.widgets.restwidget import ReSTDisplayWidget
[5320]59
[7819]60grok.context(IKofaObject) # Make IKofaObject the default context
[5273]61
[7819]62class ApplicantsRootPage(KofaPage):
[5822]63    grok.context(IApplicantsRoot)
64    grok.name('index')
[6153]65    grok.require('waeup.Public')
[7710]66    label = _('Application Section')
[5843]67    pnav = 3
[6012]68
69    def update(self):
[6067]70        super(ApplicantsRootPage, self).update()
[7493]71        #datatable.need()
[6012]72        return
73
[7819]74class ApplicantsRootManageFormPage(KofaEditFormPage):
[5828]75    grok.context(IApplicantsRoot)
76    grok.name('manage')
[6107]77    grok.template('applicantsrootmanagepage')
[7710]78    label = _('Manage application section')
[5843]79    pnav = 3
[7136]80    grok.require('waeup.manageApplication')
[7710]81    taboneactions = [_('Add applicants container'), _('Remove selected'),
82        _('Cancel')]
83    tabtwoactions1 = [_('Remove selected local roles')]
84    tabtwoactions2 = [_('Add local role')]
85    subunits = _('Applicants Containers')
[6078]86
[6069]87    def update(self):
88        tabs.need()
[6108]89        datatable.need()
[7330]90        warning.need()
[6069]91        return super(ApplicantsRootManageFormPage, self).update()
[5828]92
[6184]93    def getLocalRoles(self):
94        roles = ILocalRolesAssignable(self.context)
95        return roles()
96
97    def getUsers(self):
98        """Get a list of all users.
99        """
100        for key, val in grok.getSite()['users'].items():
101            url = self.url(val)
102            yield(dict(url=url, name=key, val=val))
103
104    def getUsersWithLocalRoles(self):
105        return get_users_with_local_roles(self.context)
106
[7710]107    @jsaction(_('Remove selected'))
[6069]108    def delApplicantsContainers(self, **data):
109        form = self.request.form
110        child_id = form['val_id']
111        if not isinstance(child_id, list):
112            child_id = [child_id]
113        deleted = []
114        for id in child_id:
115            try:
116                del self.context[id]
117                deleted.append(id)
118            except:
[7710]119                self.flash(_('Could not delete:') + ' %s: %s: %s' % (
[6069]120                        id, sys.exc_info()[0], sys.exc_info()[1]))
121        if len(deleted):
[7738]122            self.flash(_('Successfully removed: ${a}',
123                mapping = {'a':', '.join(deleted)}))
[7484]124        self.redirect(self.url(self.context, '@@manage'))
[6078]125        return
[5828]126
[7710]127    @action(_('Add applicants container'), validator=NullValidator)
[6069]128    def addApplicantsContainer(self, **data):
129        self.redirect(self.url(self.context, '@@add'))
[6078]130        return
131
[7710]132    @action(_('Cancel'), validator=NullValidator)
[6069]133    def cancel(self, **data):
134        self.redirect(self.url(self.context))
[6078]135        return
136
[7710]137    @action(_('Add local role'), validator=NullValidator)
[6184]138    def addLocalRole(self, **data):
[7484]139        return add_local_role(self,3, **data)
[6184]140
[7710]141    @action(_('Remove selected local roles'))
[6184]142    def delLocalRoles(self, **data):
[7484]143        return del_local_roles(self,3,**data)
[6184]144
[7819]145class ApplicantsContainerAddFormPage(KofaAddFormPage):
[5822]146    grok.context(IApplicantsRoot)
[7136]147    grok.require('waeup.manageApplication')
[5822]148    grok.name('add')
[6107]149    grok.template('applicantscontaineraddpage')
[7710]150    label = _('Add applicants container')
[5843]151    pnav = 3
[6078]152
[6103]153    form_fields = grok.AutoFields(
[7903]154        IApplicantsContainerAdd).omit('code').omit('title')
[6078]155
[6083]156    def update(self):
157        datepicker.need() # Enable jQuery datepicker in date fields.
158        return super(ApplicantsContainerAddFormPage, self).update()
159
[7710]160    @action(_('Add applicants container'))
[6069]161    def addApplicantsContainer(self, **data):
[6103]162        year = data['year']
163        code = u'%s%s' % (data['prefix'], year)
[7844]164        appcats_dict = getUtility(IApplicantsUtils).APP_TYPES_DICT
[7685]165        title = appcats_dict[data['prefix']][0]
166        title = u'%s %s/%s' % (title, year, year + 1)
[6087]167        if code in self.context.keys():
[6105]168            self.flash(
[7710]169                _('An applicants container for the same application type and entrance year exists already in the database.'))
[5822]170            return
171        # Add new applicants container...
[8009]172        container = createObject(u'waeup.ApplicantsContainer')
[6069]173        self.applyData(container, **data)
[6087]174        container.code = code
175        container.title = title
176        self.context[code] = container
[7710]177        self.flash(_('Added:') + ' "%s".' % code)
[7484]178        self.redirect(self.url(self.context, u'@@manage'))
[5822]179        return
[6078]180
[7710]181    @action(_('Cancel'), validator=NullValidator)
[6069]182    def cancel(self, **data):
[7484]183        self.redirect(self.url(self.context, '@@manage'))
[6078]184
[5845]185class ApplicantsRootBreadcrumb(Breadcrumb):
186    """A breadcrumb for applicantsroot.
187    """
188    grok.context(IApplicantsRoot)
[7710]189    title = _(u'Applicants')
[6078]190
[5845]191class ApplicantsContainerBreadcrumb(Breadcrumb):
192    """A breadcrumb for applicantscontainers.
193    """
194    grok.context(IApplicantsContainer)
[6319]195
[6153]196class ApplicantBreadcrumb(Breadcrumb):
197    """A breadcrumb for applicants.
198    """
199    grok.context(IApplicant)
[6319]200
[6153]201    @property
202    def title(self):
203        """Get a title for a context.
204        """
[7240]205        return self.context.application_number
[5828]206
[7250]207class OnlinePaymentBreadcrumb(Breadcrumb):
208    """A breadcrumb for payments.
209    """
210    grok.context(IApplicantOnlinePayment)
211
212    @property
213    def title(self):
214        return self.context.p_id
215
[7819]216class ApplicantsContainerPage(KofaDisplayFormPage):
[5830]217    """The standard view for regular applicant containers.
218    """
219    grok.context(IApplicantsContainer)
220    grok.name('index')
[6153]221    grok.require('waeup.Public')
[6029]222    grok.template('applicantscontainerpage')
[5850]223    pnav = 3
[6053]224
[8128]225    form_fields = grok.AutoFields(IApplicantsContainer).omit('title')
[6084]226    form_fields['description'].custom_widget = ReSTDisplayWidget
[8203]227    form_fields[
228        'startdate'].custom_widget = FriendlyDatetimeDisplayWidget('le')
229    form_fields[
230        'enddate'].custom_widget = FriendlyDatetimeDisplayWidget('le')
[6053]231
[5837]232    @property
[7708]233    def introduction(self):
[7833]234        # Here we know that the cookie has been set
235        lang = self.request.cookies.get('kofa.language')
[7708]236        html = self.context.description_dict.get(lang,'')
237        if html =='':
[7833]238            portal_language = getUtility(IKofaUtils).PORTAL_LANGUAGE
[7708]239            html = self.context.description_dict.get(portal_language,'')
240        if html =='':
241            return ''
242        else:
243            return html
244
245    @property
[7467]246    def label(self):
[7493]247        return "%s" % self.context.title
[5837]248
[7819]249class ApplicantsContainerManageFormPage(KofaEditFormPage):
[5837]250    grok.context(IApplicantsContainer)
[5850]251    grok.name('manage')
[6107]252    grok.template('applicantscontainermanagepage')
[7903]253    form_fields = grok.AutoFields(IApplicantsContainer).omit('title')
[7710]254    taboneactions = [_('Save'),_('Cancel')]
255    tabtwoactions = [_('Add applicant'), _('Remove selected'),_('Cancel')]
256    tabthreeactions1 = [_('Remove selected local roles')]
257    tabthreeactions2 = [_('Add local role')]
[5844]258    # Use friendlier date widget...
[7136]259    grok.require('waeup.manageApplication')
[5850]260
261    @property
262    def label(self):
[7710]263        return _('Manage applicants container')
[5850]264
[5845]265    pnav = 3
[5837]266
267    def update(self):
[5850]268        datepicker.need() # Enable jQuery datepicker in date fields.
[5982]269        tabs.need()
[7484]270        self.tab1 = self.tab2 = self.tab3 = ''
271        qs = self.request.get('QUERY_STRING', '')
272        if not qs:
273            qs = 'tab1'
274        setattr(self, qs, 'active')
[7330]275        warning.need()
[6015]276        datatable.need()  # Enable jQurey datatables for contents listing
[6107]277        return super(ApplicantsContainerManageFormPage, self).update()
[5837]278
[6184]279    def getLocalRoles(self):
280        roles = ILocalRolesAssignable(self.context)
281        return roles()
282
283    def getUsers(self):
284        """Get a list of all users.
285        """
286        for key, val in grok.getSite()['users'].items():
287            url = self.url(val)
288            yield(dict(url=url, name=key, val=val))
289
290    def getUsersWithLocalRoles(self):
291        return get_users_with_local_roles(self.context)
292
[7708]293    def _description(self):
294        view = ApplicantsContainerPage(
295            self.context,self.request)
296        view.setUpWidgets()
297        return view.widgets['description']()
298
[7714]299    @action(_('Save'), style='primary')
[7489]300    def save(self, **data):
[5837]301        self.applyData(self.context, **data)
[7708]302        self.context.description_dict = self._description()
[7710]303        self.flash(_('Form has been saved.'))
[5837]304        return
[6078]305
[7710]306    @jsaction(_('Remove selected'))
[6105]307    def delApplicant(self, **data):
[6189]308        form = self.request.form
309        if form.has_key('val_id'):
310            child_id = form['val_id']
311        else:
[7710]312            self.flash(_('No applicant selected!'))
[7484]313            self.redirect(self.url(self.context, '@@manage')+'?tab2')
[6189]314            return
315        if not isinstance(child_id, list):
316            child_id = [child_id]
317        deleted = []
318        for id in child_id:
319            try:
320                del self.context[id]
321                deleted.append(id)
322            except:
[7710]323                self.flash(_('Could not delete:') + ' %s: %s: %s' % (
[6189]324                        id, sys.exc_info()[0], sys.exc_info()[1]))
325        if len(deleted):
[7741]326            self.flash(_('Successfully removed: ${a}',
[7738]327                mapping = {'a':', '.join(deleted)}))
[7484]328        self.redirect(self.url(self.context, u'@@manage')+'?tab2')
[6189]329        return
[6105]330
[7710]331    @action(_('Add applicant'), validator=NullValidator)
[6105]332    def addApplicant(self, **data):
[6327]333        self.redirect(self.url(self.context, 'addapplicant'))
334        return
[6105]335
[7710]336    @action(_('Cancel'), validator=NullValidator)
[5837]337    def cancel(self, **data):
338        self.redirect(self.url(self.context))
339        return
[5886]340
[7710]341    @action(_('Add local role'), validator=NullValidator)
[6184]342    def addLocalRole(self, **data):
343        return add_local_role(self,3, **data)
[6105]344
[7710]345    @action(_('Remove selected local roles'))
[6184]346    def delLocalRoles(self, **data):
347        return del_local_roles(self,3,**data)
348
[7819]349class ApplicantAddFormPage(KofaAddFormPage):
[6622]350    """Add-form to add an applicant.
[6327]351    """
352    grok.context(IApplicantsContainer)
[7136]353    grok.require('waeup.manageApplication')
[6327]354    grok.name('addapplicant')
[7240]355    #grok.template('applicantaddpage')
356    form_fields = grok.AutoFields(IApplicant).select(
[7356]357        'firstname', 'middlename', 'lastname',
[7240]358        'email', 'phone')
[7714]359    label = _('Add applicant')
[6327]360    pnav = 3
361
[7714]362    @action(_('Create application record'))
[6327]363    def addApplicant(self, **data):
[8008]364        applicant = createObject(u'waeup.Applicant')
[7240]365        self.applyData(applicant, **data)
366        self.context.addApplicant(applicant)
[7714]367        self.flash(_('Applicant record created.'))
[7363]368        self.redirect(
369            self.url(self.context[applicant.application_number], 'index'))
[6327]370        return
371
[7819]372class ApplicantDisplayFormPage(KofaDisplayFormPage):
[8014]373    """A display view for applicant data.
374    """
[5273]375    grok.context(IApplicant)
376    grok.name('index')
[7113]377    grok.require('waeup.viewApplication')
[7200]378    grok.template('applicantdisplaypage')
[6320]379    form_fields = grok.AutoFields(IApplicant).omit(
[7347]380        'locked', 'course_admitted', 'password')
[7714]381    label = _('Applicant')
[5843]382    pnav = 3
[5273]383
[8046]384    @property
385    def separators(self):
386        return getUtility(IApplicantsUtils).SEPARATORS_DICT
387
[7063]388    def update(self):
389        self.passport_url = self.url(self.context, 'passport.jpg')
[7240]390        # Mark application as started if applicant logs in for the first time
[7272]391        usertype = getattr(self.request.principal, 'user_type', None)
392        if usertype == 'applicant' and \
393            IWorkflowState(self.context).getState() == INITIALIZED:
[7240]394            IWorkflowInfo(self.context).fireTransition('start')
[7063]395        return
396
[6196]397    @property
[7240]398    def hasPassword(self):
399        if self.context.password:
[7714]400            return _('set')
401        return _('unset')
[7240]402
403    @property
[6196]404    def label(self):
405        container_title = self.context.__parent__.title
[8096]406        return _('${a} <br /> Application Record ${b}', mapping = {
[7714]407            'a':container_title, 'b':self.context.application_number})
[6196]408
[7347]409    def getCourseAdmitted(self):
410        """Return link, title and code in html format to the certificate
411           admitted.
412        """
413        course_admitted = self.context.course_admitted
[7351]414        if getattr(course_admitted, '__parent__',None):
[7347]415            url = self.url(course_admitted)
416            title = course_admitted.title
417            code = course_admitted.code
418            return '<a href="%s">%s - %s</a>' %(url,code,title)
419        return ''
[6254]420
[7259]421class ApplicantBaseDisplayFormPage(ApplicantDisplayFormPage):
422    grok.context(IApplicant)
423    grok.name('base')
424    form_fields = grok.AutoFields(IApplicant).select(
425        'applicant_id', 'firstname', 'lastname','email', 'course1')
426
[7459]427class CreateStudentPage(UtilityView, grok.View):
[7341]428    """Create a student object from applicatnt data
429    and copy applicant object.
430    """
431    grok.context(IApplicant)
432    grok.name('createstudent')
433    grok.require('waeup.manageStudent')
434
435    def update(self):
436        msg = self.context.createStudent()[1]
437        self.flash(msg)
438        self.redirect(self.url(self.context))
439        return
440
441    def render(self):
442        return
443
[7459]444class AcceptanceFeePaymentAddPage(UtilityView, grok.View):
[7250]445    """ Page to add an online payment ticket
446    """
447    grok.context(IApplicant)
448    grok.name('addafp')
449    grok.require('waeup.payApplicant')
450
451    def update(self):
452        p_category = 'acceptance'
453        session = str(self.context.__parent__.year)
454        try:
455            academic_session = grok.getSite()['configuration'][session]
456        except KeyError:
[7714]457            self.flash(_('Session configuration object is not available.'))
[7250]458            return
459        timestamp = "%d" % int(time()*1000)
460        for key in self.context.keys():
461            ticket = self.context[key]
462            if ticket.p_state == 'paid':
463                  self.flash(
[7714]464                      _('This type of payment has already been made.'))
[7250]465                  self.redirect(self.url(self.context))
466                  return
467        payment = createObject(u'waeup.ApplicantOnlinePayment')
468        payment.p_id = "p%s" % timestamp
469        payment.p_item = self.context.__parent__.title
470        payment.p_year = self.context.__parent__.year
471        payment.p_category = p_category
472        payment.amount_auth = academic_session.acceptance_fee
473        payment.surcharge_1 = academic_session.surcharge_1
474        payment.surcharge_2 = academic_session.surcharge_2
475        payment.surcharge_3 = academic_session.surcharge_3
476        self.context[payment.p_id] = payment
[7714]477        self.flash(_('Payment ticket created.'))
[7250]478        return
479
480    def render(self):
481        usertype = getattr(self.request.principal, 'user_type', None)
482        if usertype == 'applicant':
483            self.redirect(self.url(self.context, '@@edit'))
484            return
485        self.redirect(self.url(self.context, '@@manage'))
486        return
487
488
[7819]489class OnlinePaymentDisplayFormPage(KofaDisplayFormPage):
[7250]490    """ Page to view an online payment ticket
491    """
492    grok.context(IApplicantOnlinePayment)
493    grok.name('index')
494    grok.require('waeup.viewApplication')
495    form_fields = grok.AutoFields(IApplicantOnlinePayment)
[8170]496    form_fields[
497        'creation_date'].custom_widget = FriendlyDatetimeDisplayWidget('le')
498    form_fields[
499        'payment_date'].custom_widget = FriendlyDatetimeDisplayWidget('le')
[7250]500    pnav = 3
501
502    @property
503    def label(self):
[7714]504        return _('${a}: Online Payment Ticket ${b}', mapping = {
[8170]505            'a':self.context.__parent__.display_fullname,
506            'b':self.context.p_id})
[7250]507
[7459]508class OnlinePaymentCallbackPage(UtilityView, grok.View):
[7250]509    """ Callback view
510    """
511    grok.context(IApplicantOnlinePayment)
[7997]512    grok.name('simulate_callback')
[7250]513    grok.require('waeup.payApplicant')
514
515    # This update method simulates a valid callback und must be
[7997]516    # neutralized in the customization package.
[7250]517    def update(self):
[7322]518        self.wf_info = IWorkflowInfo(self.context.__parent__)
519        try:
520            self.wf_info.fireTransition('pay')
521        except InvalidTransitionError:
522            self.flash('Error: %s' % sys.exc_info()[1])
[7250]523            return
524        self.context.r_amount_approved = self.context.amount_auth
525        self.context.r_card_num = u'0000'
526        self.context.r_code = u'00'
527        self.context.p_state = 'paid'
[8194]528        self.context.payment_date = datetime.utcnow()
[7811]529        ob_class = self.__implemented__.__name__.replace('waeup.kofa.','')
[7250]530        self.context.__parent__.loggerInfo(
531            ob_class, 'valid callback: %s' % self.context.p_id)
[7714]532        self.flash(_('Valid callback received.'))
[7250]533        return
534
535    def render(self):
536        self.redirect(self.url(self.context, '@@index'))
537        return
538
[7459]539class ExportPDFPaymentSlipPage(UtilityView, grok.View):
[7250]540    """Deliver a PDF slip of the context.
541    """
542    grok.context(IApplicantOnlinePayment)
543    grok.name('payment_receipt.pdf')
544    grok.require('waeup.viewApplication')
545    form_fields = grok.AutoFields(IApplicantOnlinePayment)
[8173]546    form_fields['creation_date'].custom_widget = FriendlyDatetimeDisplayWidget('le')
547    form_fields['payment_date'].custom_widget = FriendlyDatetimeDisplayWidget('le')
[7250]548    prefix = 'form'
549
550    @property
[7714]551    def title(self):
[7819]552        portal_language = getUtility(IKofaUtils).PORTAL_LANGUAGE
[7811]553        return translate(_('Payment Data'), 'waeup.kofa',
[7714]554            target_language=portal_language)
555
556    @property
[7250]557    def label(self):
[7819]558        portal_language = getUtility(IKofaUtils).PORTAL_LANGUAGE
[7714]559        return translate(_('Online Payment Receipt'),
[7811]560            'waeup.kofa', target_language=portal_language) \
[7714]561            + ' %s' % self.context.p_id
[7250]562
563    def render(self):
564        if self.context.p_state != 'paid':
[7714]565            self.flash(_('Ticket not yet paid.'))
[7250]566            self.redirect(self.url(self.context))
567            return
[7259]568        applicantview = ApplicantBaseDisplayFormPage(self.context.__parent__,
[7250]569            self.request)
570        students_utils = getUtility(IStudentsUtils)
[7318]571        return students_utils.renderPDF(self,'payment_receipt.pdf',
[7250]572            self.context.__parent__, applicantview)
573
[7459]574class ExportPDFPage(UtilityView, grok.View):
[6358]575    """Deliver a PDF slip of the context.
576    """
577    grok.context(IApplicant)
578    grok.name('application_slip.pdf')
[7136]579    grok.require('waeup.viewApplication')
[6358]580    prefix = 'form'
581
582    def render(self):
[7392]583        pdfstream = getAdapter(self.context, IPDF, name='application_slip')(
584            view=self)
[6358]585        self.response.setHeader(
586            'Content-Type', 'application/pdf')
[7392]587        return pdfstream
[6358]588
[7081]589def handle_img_upload(upload, context, view):
[7063]590    """Handle upload of applicant image.
[7081]591
592    Returns `True` in case of success or `False`.
593
594    Please note that file pointer passed in (`upload`) most probably
595    points to end of file when leaving this function.
[7063]596    """
[7081]597    size = file_size(upload)
598    if size > MAX_UPLOAD_SIZE:
[7714]599        view.flash(_('Uploaded image is too big!'))
[7081]600        return False
[7247]601    dummy, ext = os.path.splitext(upload.filename)
602    ext.lower()
603    if ext != '.jpg':
[7714]604        view.flash(_('jpg file extension expected.'))
[7247]605        return False
[7081]606    upload.seek(0) # file pointer moved when determining size
[7063]607    store = getUtility(IExtFileStore)
608    file_id = IFileStoreNameChooser(context).chooseName()
609    store.createFile(file_id, upload)
[7081]610    return True
[7063]611
[7819]612class ApplicantManageFormPage(KofaEditFormPage):
[6196]613    """A full edit view for applicant data.
614    """
615    grok.context(IApplicant)
[7200]616    grok.name('manage')
[7136]617    grok.require('waeup.manageApplication')
[6476]618    form_fields = grok.AutoFields(IApplicant)
[7351]619    form_fields['student_id'].for_display = True
[7378]620    form_fields['applicant_id'].for_display = True
[7200]621    grok.template('applicanteditpage')
[6322]622    manage_applications = True
[6196]623    pnav = 3
[7714]624    display_actions = [[_('Save'), _('Final Submit')],
625        [_('Add online payment ticket'),_('Remove selected tickets')]]
[6196]626
[8046]627    @property
628    def separators(self):
629        return getUtility(IApplicantsUtils).SEPARATORS_DICT
630
[6196]631    def update(self):
632        datepicker.need() # Enable jQuery datepicker in date fields.
[7330]633        warning.need()
[7200]634        super(ApplicantManageFormPage, self).update()
[6353]635        self.wf_info = IWorkflowInfo(self.context)
[7081]636        self.max_upload_size = string_from_bytes(MAX_UPLOAD_SIZE)
[7084]637        self.passport_changed = None
[6598]638        upload = self.request.form.get('form.passport', None)
639        if upload:
640            # We got a fresh upload
[7084]641            self.passport_changed = handle_img_upload(
642                upload, self.context, self)
[6196]643        return
644
645    @property
646    def label(self):
647        container_title = self.context.__parent__.title
[8096]648        return _('${a} <br /> Application Form ${b}', mapping = {
[7714]649            'a':container_title, 'b':self.context.application_number})
[6196]650
[6303]651    def getTransitions(self):
[6351]652        """Return a list of dicts of allowed transition ids and titles.
[6353]653
654        Each list entry provides keys ``name`` and ``title`` for
655        internal name and (human readable) title of a single
656        transition.
[6349]657        """
[6353]658        allowed_transitions = self.wf_info.getManualTransitions()
[7687]659        return [dict(name='', title=_('No transition'))] +[
[6355]660            dict(name=x, title=y) for x, y in allowed_transitions]
[6303]661
[7714]662    @action(_('Save'), style='primary')
[6196]663    def save(self, **data):
[7240]664        form = self.request.form
665        password = form.get('password', None)
666        password_ctl = form.get('control_password', None)
667        if password:
668            validator = getUtility(IPasswordValidator)
669            errors = validator.validate_password(password, password_ctl)
670            if errors:
671                self.flash( ' '.join(errors))
672                return
[7084]673        if self.passport_changed is False:  # False is not None!
674            return # error during image upload. Ignore other values
[6475]675        changed_fields = self.applyData(self.context, **data)
[7199]676        # Turn list of lists into single list
677        if changed_fields:
678            changed_fields = reduce(lambda x,y: x+y, changed_fields.values())
[7240]679        else:
680            changed_fields = []
681        if self.passport_changed:
682            changed_fields.append('passport')
683        if password:
684            # Now we know that the form has no errors and can set password ...
685            IUserAccount(self.context).setPassword(password)
686            changed_fields.append('password')
[7199]687        fields_string = ' + '.join(changed_fields)
[7085]688        trans_id = form.get('transition', None)
689        if trans_id:
690            self.wf_info.fireTransition(trans_id)
[7714]691        self.flash(_('Form has been saved.'))
[7811]692        ob_class = self.__implemented__.__name__.replace('waeup.kofa.','')
[6644]693        if fields_string:
694            self.context.loggerInfo(ob_class, 'saved: % s' % fields_string)
[6196]695        return
696
[7250]697    def unremovable(self, ticket):
[7330]698        return False
[7250]699
700    # This method is also used by the ApplicantEditFormPage
701    def delPaymentTickets(self, **data):
702        form = self.request.form
703        if form.has_key('val_id'):
704            child_id = form['val_id']
705        else:
[7714]706            self.flash(_('No payment selected.'))
[7250]707            self.redirect(self.url(self.context))
708            return
709        if not isinstance(child_id, list):
710            child_id = [child_id]
711        deleted = []
712        for id in child_id:
713            # Applicants are not allowed to remove used payment tickets
714            if not self.unremovable(self.context[id]):
715                try:
716                    del self.context[id]
717                    deleted.append(id)
718                except:
[7714]719                    self.flash(_('Could not delete:') + ' %s: %s: %s' % (
[7250]720                            id, sys.exc_info()[0], sys.exc_info()[1]))
721        if len(deleted):
[7741]722            self.flash(_('Successfully removed: ${a}',
[7738]723                mapping = {'a':', '.join(deleted)}))
[7811]724            ob_class = self.__implemented__.__name__.replace('waeup.kofa.','')
[7363]725            self.context.loggerInfo(
726                ob_class, 'removed: % s' % ', '.join(deleted))
[7250]727        return
728
[7252]729    # We explicitely want the forms to be validated before payment tickets
730    # can be created. If no validation is requested, use
[7459]731    # 'validator=NullValidator' in the action directive
[7714]732    @action(_('Add online payment ticket'))
[7250]733    def addPaymentTicket(self, **data):
734        self.redirect(self.url(self.context, '@@addafp'))
[7252]735        return
[7250]736
[7714]737    @jsaction(_('Remove selected tickets'))
[7250]738    def removePaymentTickets(self, **data):
739        self.delPaymentTickets(**data)
740        self.redirect(self.url(self.context) + '/@@manage')
741        return
742
[7200]743class ApplicantEditFormPage(ApplicantManageFormPage):
[5982]744    """An applicant-centered edit view for applicant data.
745    """
[6196]746    grok.context(IApplicantEdit)
[5273]747    grok.name('edit')
[6198]748    grok.require('waeup.handleApplication')
[6459]749    form_fields = grok.AutoFields(IApplicantEdit).omit(
[6476]750        'locked', 'course_admitted', 'student_id',
[8039]751        'screening_score',
[6459]752        )
[7459]753    form_fields['applicant_id'].for_display = True
[8039]754    form_fields['reg_number'].for_display = True
[7200]755    grok.template('applicanteditpage')
[6322]756    manage_applications = False
[5484]757
[7250]758    @property
759    def display_actions(self):
760        state = IWorkflowState(self.context).getState()
761        if state == INITIALIZED:
762            actions = [[],[]]
763        elif state == STARTED:
[7714]764            actions = [[_('Save')],
765                [_('Add online payment ticket'),_('Remove selected tickets')]]
[7250]766        elif state == PAID:
[7714]767            actions = [[_('Save'), _('Final Submit')],
768                [_('Remove selected tickets')]]
[7351]769        else:
[7250]770            actions = [[],[]]
771        return actions
772
[7330]773    def unremovable(self, ticket):
774        state = IWorkflowState(self.context).getState()
775        return ticket.r_code or state in (INITIALIZED, SUBMITTED)
776
[7145]777    def emit_lock_message(self):
[7714]778        self.flash(_('The requested form is locked (read-only).'))
[5941]779        self.redirect(self.url(self.context))
780        return
[6078]781
[5686]782    def update(self):
[5941]783        if self.context.locked:
[7145]784            self.emit_lock_message()
[5941]785            return
[7200]786        super(ApplicantEditFormPage, self).update()
[5686]787        return
[5952]788
[6196]789    def dataNotComplete(self):
[7252]790        store = getUtility(IExtFileStore)
791        if not store.getFileByContext(self.context, attr=u'passport.jpg'):
[7714]792            return _('No passport picture uploaded.')
[6322]793        if not self.request.form.get('confirm_passport', False):
[7714]794            return _('Passport picture confirmation box not ticked.')
[6196]795        return False
[5952]796
[7252]797    # We explicitely want the forms to be validated before payment tickets
798    # can be created. If no validation is requested, use
[7459]799    # 'validator=NullValidator' in the action directive
[7714]800    @action(_('Add online payment ticket'))
[7250]801    def addPaymentTicket(self, **data):
802        self.redirect(self.url(self.context, '@@addafp'))
[7252]803        return
[7250]804
[7714]805    @jsaction(_('Remove selected tickets'))
[7250]806    def removePaymentTickets(self, **data):
807        self.delPaymentTickets(**data)
808        self.redirect(self.url(self.context) + '/@@edit')
809        return
810
[7996]811    @action(_('Save'), style='primary')
[5273]812    def save(self, **data):
[7084]813        if self.passport_changed is False:  # False is not None!
814            return # error during image upload. Ignore other values
[5273]815        self.applyData(self.context, **data)
[6196]816        self.flash('Form has been saved.')
[5273]817        return
818
[7714]819    @action(_('Final Submit'))
[5484]820    def finalsubmit(self, **data):
[7084]821        if self.passport_changed is False:  # False is not None!
822            return # error during image upload. Ignore other values
[6196]823        if self.dataNotComplete():
824            self.flash(self.dataNotComplete())
[5941]825            return
[7252]826        self.applyData(self.context, **data)
[6303]827        state = IWorkflowState(self.context).getState()
[6322]828        # This shouldn't happen, but the application officer
829        # might have forgotten to lock the form after changing the state
[7250]830        if state != PAID:
[7714]831            self.flash(_('This form cannot be submitted. Wrong state!'))
[6303]832            return
833        IWorkflowInfo(self.context).fireTransition('submit')
[8194]834        self.context.application_date = datetime.utcnow()
[5941]835        self.context.locked = True
[7714]836        self.flash(_('Form has been submitted.'))
[6196]837        self.redirect(self.url(self.context))
[5273]838        return
[5941]839
[7063]840class PassportImage(grok.View):
841    """Renders the passport image for applicants.
842    """
843    grok.name('passport.jpg')
844    grok.context(IApplicant)
[7113]845    grok.require('waeup.viewApplication')
[7063]846
847    def render(self):
848        # A filename chooser turns a context into a filename suitable
849        # for file storage.
850        image = getUtility(IExtFileStore).getFileByContext(self.context)
851        self.response.setHeader(
852            'Content-Type', 'image/jpeg')
853        if image is None:
854            # show placeholder image
[7089]855            return open(DEFAULT_PASSPORT_IMAGE_PATH, 'rb').read()
[7063]856        return image
[7363]857
[7819]858class ApplicantRegistrationPage(KofaAddFormPage):
[7363]859    """Captcha'd registration page for applicants.
860    """
861    grok.context(IApplicantsContainer)
862    grok.name('register')
[7373]863    grok.require('waeup.Anonymous')
[7363]864    grok.template('applicantregister')
865
[7368]866    @property
[8033]867    def form_fields(self):
868        form_fields = None
[8128]869        if self.context.mode == 'update':
870            form_fields = grok.AutoFields(IApplicantRegisterUpdate).select(
871                'firstname','reg_number','email')
872        else: #if self.context.mode == 'create':
[8033]873            form_fields = grok.AutoFields(IApplicantEdit).select(
874                'firstname', 'middlename', 'lastname', 'email', 'phone')
875        return form_fields
876
877    @property
[7368]878    def label(self):
[8078]879        return _('Apply for ${a}',
[7714]880            mapping = {'a':self.context.title})
[7368]881
[7363]882    def update(self):
[7368]883        # Check if application has started ...
[8200]884        if not self.context.startdate or (
885            self.context.startdate > datetime.now(pytz.utc)):
[7714]886            self.flash(_('Application has not yet started.'))
[7368]887            self.redirect(self.url(self.context))
888            return
889        # ... or ended
[8200]890        if not self.context.enddate or (
891            self.context.enddate < datetime.now(pytz.utc)):
[7714]892            self.flash(_('Application has ended.'))
[7368]893            self.redirect(self.url(self.context))
894            return
895        # Handle captcha
[7363]896        self.captcha = getUtility(ICaptchaManager).getCaptcha()
897        self.captcha_result = self.captcha.verify(self.request)
898        self.captcha_code = self.captcha.display(self.captcha_result.error_code)
899        return
900
[7714]901    @action(_('Get login credentials'), style='primary')
[7363]902    def register(self, **data):
903        if not self.captcha_result.is_valid:
[8037]904            # Captcha will display error messages automatically.
[7363]905            # No need to flash something.
906            return
[8033]907        if self.context.mode == 'create':
908            # Add applicant
909            applicant = createObject(u'waeup.Applicant')
910            self.applyData(applicant, **data)
911            self.context.addApplicant(applicant)
[8042]912            applicant.reg_number = applicant.applicant_id
913            notify(grok.ObjectModifiedEvent(applicant))
[8033]914        elif self.context.mode == 'update':
915            # Update applicant
[8037]916            reg_number = data.get('reg_number','')
917            firstname = data.get('firstname','')
[8033]918            cat = getUtility(ICatalog, name='applicants_catalog')
919            results = list(
920                cat.searchResults(reg_number=(reg_number, reg_number)))
921            if results:
922                applicant = results[0]
[8042]923                if getattr(applicant,'firstname',None) is None:
[8037]924                    self.flash(_('An error occurred.'))
925                    return
926                elif applicant.firstname.lower() != firstname.lower():
[8042]927                    # Don't tell the truth here. Anonymous must not
928                    # know that a record was found and only the firstname
929                    # verification failed.
[8037]930                    self.flash(_('No application record found.'))
931                    return
[8042]932                elif applicant.password is not None:
933                    self.flash(_('Your password has already been set. '
934                                 'Please proceed to the login page.'))
935                    return
936                # Store email address but nothing else.
[8033]937                applicant.email = data['email']
[8042]938                notify(grok.ObjectModifiedEvent(applicant))
[8033]939            else:
[8042]940                # No record found, this is the truth.
[8033]941                self.flash(_('No application record found.'))
942                return
943        else:
[8042]944            # Does not happen but anyway ...
[8033]945            return
[7819]946        kofa_utils = getUtility(IKofaUtils)
[7811]947        password = kofa_utils.genPassword()
[7380]948        IUserAccount(applicant).setPassword(password)
[7365]949        # Send email with credentials
[7399]950        login_url = self.url(grok.getSite(), 'login')
[7714]951        msg = _('You have successfully been registered for the')
[7811]952        if kofa_utils.sendCredentials(IUserAccount(applicant),
[7407]953            password, login_url, msg):
[7380]954            self.redirect(self.url(self.context, 'registration_complete',
955                                   data = dict(email=applicant.email)))
956            return
957        else:
[7714]958            self.flash(_('Email could not been sent. Please retry later.'))
[7380]959        return
960
[7819]961class ApplicantRegistrationEmailSent(KofaPage):
[7380]962    """Landing page after successful registration.
963    """
964    grok.name('registration_complete')
965    grok.require('waeup.Public')
966    grok.template('applicantregemailsent')
[7714]967    label = _('Your registration was successful.')
[7380]968
969    def update(self, email=None):
970        self.email = email
971        return
Note: See TracBrowser for help on using the repository browser.