source: main/waeup.kofa/trunk/src/waeup/kofa/utils/utils.py @ 15287

Last change on this file since 15287 was 15287, checked in by Henrik Bettermann, 6 years ago

Stored insecure passwords are no longer accepted.
Officers with an insecure password can't login and are
redirected to the ChangePasswordRequestPage to request a
new password.

  • Property svn:keywords set to Id
File size: 12.8 KB
Line 
1## $Id: utils.py 15287 2019-01-09 21:17:08Z henrik $
2##
3## Copyright (C) 2011 Uli Fouquet & Henrik Bettermann
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.
8##
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.
13##
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##
18"""General helper utilities for Kofa.
19"""
20import grok
21import psutil
22import string
23import pytz
24from copy import deepcopy
25from random import SystemRandom as r
26from zope.i18n import translate
27from waeup.kofa.interfaces import IKofaUtils
28from waeup.kofa.interfaces import MessageFactory as _
29from waeup.kofa.smtp import send_mail as send_mail_internally
30from waeup.kofa.utils.helpers import get_sorted_preferred
31from waeup.kofa.utils.degrees import DEGREES_DICT
32
33
34def send_mail(from_name, from_addr,
35              rcpt_name, rcpt_addr,
36              subject, body, config):
37    """Wrapper for the real SMTP functionality in :mod:`waeup.kofa.smtp`.
38
39    Merely here to stay compatible with lots of calls to this place.
40    """
41    mail_id = send_mail_internally(
42        from_name, from_addr, rcpt_name, rcpt_addr,
43        subject, body, config)
44    return True
45
46
47#: A list of phone prefixes (order num, country, prefix).
48#: Items with same order num will be sorted alphabetically.
49#: The lower the order num, the higher the precedence.
50INT_PHONE_PREFIXES = [
51    (99, _('Germany'), '49'),
52    (1, _('Nigeria'), '234'),
53    (99, _('U.S.'), '1'),
54    ]
55
56
57def sorted_phone_prefixes(data=INT_PHONE_PREFIXES, request=None):
58    """Sorted tuples of phone prefixes.
59
60    Ordered as shown above and formatted for use in select boxes.
61
62    If request is given, we'll try to translate all country names in
63    order to sort alphabetically correctly.
64
65    XXX: This is a function (and not a constant) as different
66    languages might give different orders. This is not tested yet.
67
68    XXX: If we really want to use alphabetic ordering here, we might
69    think about caching results of translations.
70    """
71    if request is not None:
72        data = [
73            (x, translate(y, context=request), z)
74            for x, y, z in data]
75    return tuple([
76        ('%s (+%s)' % (x[1], x[2]), '+%s' % x[2])
77        for x in sorted(data)
78        ])
79
80
81class KofaUtils(grok.GlobalUtility):
82    """A collection of parameters and methods subject to customization.
83    """
84    grok.implements(IKofaUtils)
85
86    #: This the only place where we define the portal language
87    #: which is used for the translation of system messages
88    #: (e.g. object histories) pdf slips.
89    PORTAL_LANGUAGE = 'en'
90
91    DEGREES_DICT = DEGREES_DICT
92
93    PREFERRED_LANGUAGES_DICT = {
94        'en': (1, u'English'),
95        'fr': (2, u'Français'),
96        'de': (3, u'Deutsch'),
97        'ha': (4, u'Hausa'),
98        'yo': (5, u'Yoruba'),
99        'ig': (6, u'Igbo'),
100        }
101
102    #: A function to return
103    @classmethod
104    def sorted_phone_prefixes(cls, data=INT_PHONE_PREFIXES, request=None):
105        return sorted_phone_prefixes(data, request)
106
107    EXAM_SUBJECTS_DICT = {
108        'math': 'Mathematics',
109        'computer_science': 'Computer Science',
110        }
111
112    #: Exam grades. The tuple is sorted as it should be displayed in
113    #: select boxes.
114    EXAM_GRADES = (
115        ('A', 'Best'),
116        ('B', 'Better'),
117        ('C', 'Good'),
118        )
119
120    INST_TYPES_DICT = {
121        'none': '',
122        'faculty': 'Faculty of',
123        'department': 'Department of',
124        'school': 'School of',
125        'office': 'Office for',
126        'centre': 'Centre for',
127        'institute': 'Institute of',
128        'school_for': 'School for',
129        'college': 'College of',
130        'directorate': 'Directorate of',
131        }
132
133    STUDY_MODES_DICT = {
134        'transfer': 'Transfer',
135        'ug_ft': 'Undergraduate Full-Time',
136        'ug_pt': 'Undergraduate Part-Time',
137        'pg_ft': 'Postgraduate Full-Time',
138        'pg_pt': 'Postgraduate Part-Time',
139        }
140
141    DISABLE_PAYMENT_GROUP_DICT = {
142        'sf_all': 'School Fee - All Students',
143        }
144
145    APP_CATS_DICT = {
146        'basic': 'Basic Application',
147        'no': 'no application',
148        'pg': 'Postgraduate',
149        'sandwich': 'Sandwich',
150        'cest': 'Part-Time, Diploma, Certificate'
151        }
152
153    SEMESTER_DICT = {
154        1: '1st Semester',
155        2: '2nd Semester',
156        3: 'Combined',
157        9: 'N/A'
158        }
159
160    COURSE_CATEGORY_DICT = {
161        }
162
163    SPECIAL_HANDLING_DICT = {
164        'regular': 'Regular Hostel',
165        'blocked': 'Blocked Hostel',
166        'pg': 'Postgraduate Hostel'
167        }
168
169    SPECIAL_APP_DICT = {
170        'transcript': 'Transcript Fee Payment',
171        'clearance': 'Acceptance Fee',
172        }
173
174    PAYMENT_CATEGORIES = {
175        'schoolfee': 'School Fee',
176        'clearance': 'Acceptance Fee',
177        'bed_allocation': 'Bed Allocation Fee',
178        'hostel_maintenance': 'Hostel Maintenance Fee',
179        'transfer': 'Transfer Fee',
180        'gown': 'Gown Hire Fee',
181        'application': 'Application Fee',
182        'transcript': 'Transcript Fee',
183        'late_registration': 'Late Course Registration Fee'
184        }
185
186    SELECTABLE_PAYMENT_CATEGORIES = deepcopy(PAYMENT_CATEGORIES)
187
188    PREVIOUS_PAYMENT_CATEGORIES = deepcopy(SELECTABLE_PAYMENT_CATEGORIES)
189
190    REPORTABLE_PAYMENT_CATEGORIES = {
191        'schoolfee': 'School Fee',
192        'clearance': 'Acceptance Fee',
193        'hostel_maintenance': 'Hostel Maintenance Fee',
194        'gown': 'Gown Hire Fee',
195        }
196
197    BALANCE_PAYMENT_CATEGORIES = {
198        'schoolfee': 'School Fee',
199        }
200
201    MODE_GROUPS = {
202        'All': ('all',),
203        'Undergraduate Full-Time': ('ug_ft',),
204        'Undergraduate Part-Time': ('ug_pt',),
205        'Postgraduate Full-Time': ('pg_ft',),
206        'Postgraduate Part-Time': ('pg_pt',),
207        }
208
209    VERDICTS_DICT = {
210        '0': _('(not yet)'),
211        'A': 'Successful student',
212        'B': 'Student with carryover courses',
213        'C': 'Student on probation',
214        }
215
216    #: Set positive number for allowed max, negative for required min
217    #: avail.
218    #: Use integer for bytes value, float for percent
219    #: value. `cpu-load`, of course, accepts float values only.
220    #: `swap-mem` = Swap Memory, `virt-mem` = Virtual Memory,
221    #: `cpu-load` = CPU load in percent.
222    SYSTEM_MAX_LOAD = {
223        'swap-mem': None,
224        'virt-mem': None,
225        'cpu-load': 100.0,
226        }
227
228    def sendContactForm(self, from_name, from_addr, rcpt_name, rcpt_addr,
229                        from_username, usertype, portal, body, subject):
230        """Send an email with data provided by forms.
231        """
232        config = grok.getSite()['configuration']
233        text = _(u"""Fullname: ${a}
234User Id: ${b}
235User Type: ${c}
236Portal: ${d}
237
238${e}
239""")
240        text = _(text, mapping={
241            'a': from_name,
242            'b': from_username,
243            'c': usertype,
244            'd': portal,
245            'e': body})
246        body = translate(text, 'waeup.kofa',
247            target_language=self.PORTAL_LANGUAGE)
248        if not (from_addr and rcpt_addr):
249            return False
250        return send_mail(
251            from_name, from_addr, rcpt_name, rcpt_addr,
252            subject, body, config)
253
254    @property
255    def tzinfo(self):
256        """Time zone of the university.
257        """
258        # For Nigeria: pytz.timezone('Africa/Lagos')
259        # For Germany: pytz.timezone('Europe/Berlin')
260        return pytz.utc
261
262    def fullname(self, firstname, lastname, middlename=None):
263        """Construct fullname.
264        """
265        # We do not necessarily have the middlename attribute
266        if middlename:
267            name = '%s %s %s' % (firstname, middlename, lastname)
268        else:
269            name = '%s %s' % (firstname, lastname)
270        if '<' in name:
271            return 'XXX'
272        return string.capwords(
273            name.replace('-', ' - ')).replace(' - ', '-')
274
275    def genPassword(self, length=4, chars=string.letters + string.digits):
276        """Generate a random password.
277        """
278        return ''.join([
279            r().choice(string.uppercase) +
280            r().choice(string.lowercase) +
281            r().choice(string.digits) for i in range(length)])
282
283    def sendCredentials(self, user, password=None, url_info=None, msg=None):
284        """Send credentials as email. Input is the user for which credentials
285        are sent and the password. Method returns True or False to indicate
286        successful operation.
287        """
288        subject = 'Your Kofa credentials'
289        text = _(u"""Dear ${a},
290
291${b}
292Student Registration and Information Portal of
293${c}.
294
295Your user name: ${d}
296Your password: ${e}
297${f}
298
299Please remember your user name and keep
300your password secret!
301
302Please also note that passwords are case-sensitive.
303
304Regards
305""")
306        config = grok.getSite()['configuration']
307        from_name = config.name_admin
308        from_addr = config.email_admin
309        rcpt_name = user.title
310        rcpt_addr = user.email
311        text = _(text, mapping={
312            'a': rcpt_name,
313            'b': msg,
314            'c': config.name,
315            'd': user.name,
316            'e': password,
317            'f': url_info})
318
319        body = translate(text, 'waeup.kofa',
320            target_language=self.PORTAL_LANGUAGE)
321        return send_mail(
322            from_name, from_addr, rcpt_name, rcpt_addr,
323            subject, body, config)
324
325    def inviteReferee(self, referee, applicant, url_info=None):
326        """Send invitation email to referee.
327        """
328        config = grok.getSite()['configuration']
329        subject = 'Request for referee report from %s' % config.name
330        text = _(u"""Dear ${a},
331
332The candidate with Id ${b} and name ${c} applied to
333the ${d} to study ${e} for the ${f} session.
334The candidate has listed you as referee. You are thus required to kindly use
335the link below to provide your referral remarks on or before
336${g}.
337
338${h}
339
340Thank You
341
342The Secretary
343Post Graduate School
344${d}
345""")
346        from_name = config.name_admin
347        from_addr = config.email_admin
348        rcpt_name = referee.name
349        rcpt_addr = referee.email
350        session = '%s/%s' % (
351            applicant.__parent__.year, applicant.__parent__.year+1)
352        text = _(text, mapping={
353            'a': rcpt_name,
354            'b': applicant.applicant_id,
355            'c': applicant.display_fullname,
356            'd': config.name,
357            'e': applicant.course1.title,
358            'f': session,
359            'g': applicant.__parent__.enddate,
360            'h': url_info,
361            })
362
363        body = translate(text, 'waeup.kofa',
364            target_language=self.PORTAL_LANGUAGE)
365        return send_mail(
366            from_name, from_addr, rcpt_name, rcpt_addr,
367            subject, body, config)
368
369    def getPaymentItem(self, payment):
370        """Return payment item. This method can be used to customize the
371        `display_item` property attribute, e.g. in order to hide bed coordinates
372        if maintenance fee is not paid.
373        """
374        return payment.p_item
375
376    def expensive_actions_allowed(self, type=None, request=None):
377        """Tell, whether expensive actions are currently allowed.
378        Check system load/health (or other external circumstances) and
379        locally set values to see, whether expensive actions should be
380        allowed (`True`) or better avoided (`False`).
381        Use this to allow or forbid exports, report generations, or
382        similar actions.
383        """
384        max_values = self.SYSTEM_MAX_LOAD
385        for (key, func) in (
386            ('swap-mem', psutil.swap_memory),
387            ('virt-mem', psutil.virtual_memory),
388            ):
389            max_val = max_values.get(key, None)
390            if max_val is None:
391                continue
392            mem_val = func()
393            if isinstance(max_val, float):
394                # percents
395                if max_val < 0.0:
396                    max_val = 100.0 + max_val
397                if mem_val.percent > max_val:
398                    return False
399            else:
400                # number of bytes
401                if max_val < 0:
402                    max_val = mem_val.total + max_val
403                if mem_val.used > max_val:
404                    return False
405        return True
406
407    def export_disabled_message(self):
408        export_disabled_message = grok.getSite()[
409            'configuration'].export_disabled_message
410        if export_disabled_message:
411            return export_disabled_message
412        return None
413
414    def format_float(self, value, prec):
415        # cut floating point value
416        value = int(pow(10, prec)*value) / (1.0*pow(10, prec))
417        return '{:{width}.{prec}f}'.format(value, width=0, prec=prec)
Note: See TracBrowser for help on using the repository browser.