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

Last change on this file since 13610 was 13492, checked in by Henrik Bettermann, 9 years ago

Disable rendering of HTML tags in fullnames.

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