source: main/waeup.ikoba/trunk/src/waeup/ikoba/utils/utils.py @ 12444

Last change on this file since 12444 was 12410, checked in by Henrik Bettermann, 10 years ago

Add exporter and batch processor for REST documents.

Fix DocumentProcessorBase?.

  • Property svn:keywords set to Id
File size: 8.6 KB
Line 
1## $Id: utils.py 12410 2015-01-07 08:49:38Z 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 Ikoba.
19"""
20import grok
21import psutil
22import string
23import pytz
24from random import SystemRandom as r
25from zope.i18n import translate
26from waeup.ikoba.interfaces import IIkobaUtils
27from waeup.ikoba.interfaces import MessageFactory as _
28from waeup.ikoba.smtp import send_mail as send_mail_internally
29from waeup.ikoba.utils.helpers import get_sorted_preferred
30from waeup.ikoba.payments.currencies import ISO_4217_CURRENCIES
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.ikoba.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 IkobaUtils(grok.GlobalUtility):
81    """A collection of parameters and methods subject to customization.
82
83    """
84    grok.implements(IIkobaUtils)
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).
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    # CURRENCIES must be equal to or an excerpt of ISO_4217_CURRENCIES
100    CURRENCIES = ISO_4217_CURRENCIES
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    CON_CATS_DICT = {
108        'sample': 'Sample Category',
109        'license': 'License',
110        'no': 'no contract',
111        }
112
113    PAYMENT_CATEGORIES = {
114        'license': 'License Fee',
115        }
116
117    #: Set positive number for allowed max, negative for required min
118    #: avail.
119    #:
120    #: Use integer for bytes value, float for percent
121    #: value. `cpu-load`, of course, accepts float values only.
122    #: `swap-mem` = Swap Memory, `virt-mem` = Virtual Memory,
123    #: `cpu-load` = CPU load in percent.
124    SYSTEM_MAX_LOAD = {
125        'swap-mem': None,
126        'virt-mem': None,
127        'cpu-load': 100.0,
128        }
129
130    EXPORTER_NAMES = (
131        'pdfdocuments',
132        'htmldocuments',
133        'restdocuments',
134        'users',
135        'products',
136        'customers',
137        'customersampledocuments',
138        'samplecontracts')
139
140    BATCH_PROCESSOR_NAMES = (
141        'customerprocessor',
142        'customersampledocumentprocessor',
143        'samplecontractprocessor',
144        'productprocessor',
145        'pdfdocumentprocessor',
146        'htmldocumentprocessor',
147        'restdocumentprocessor',
148        'userprocessor')
149
150    def sendContactForm(self, from_name, from_addr, rcpt_name, rcpt_addr,
151                        from_username, usertype, portal, body, subject):
152        """Send an email with data provided by forms.
153        """
154        config = grok.getSite()['configuration']
155        text = _(u"""Fullname: ${a}
156User Id: ${b}
157User Type: ${c}
158Portal: ${d}
159
160${e}
161""")
162        text = _(text, mapping={
163            'a': from_name,
164            'b': from_username,
165            'c': usertype,
166            'd': portal,
167            'e': body})
168        body = translate(text, 'waeup.ikoba',
169            target_language=self.PORTAL_LANGUAGE)
170        if not (from_addr and rcpt_addr):
171            return False
172        return send_mail(
173            from_name, from_addr, rcpt_name, rcpt_addr,
174            subject, body, config)
175
176    @property
177    def tzinfo(self):
178        # For Nigeria: pytz.timezone('Africa/Lagos')
179        # For Germany: pytz.timezone('Europe/Berlin')
180        return pytz.utc
181
182    def fullname(self, firstname, lastname, middlename=None):
183        """Full name constructor.
184        """
185        # We do not necessarily have the middlename attribute
186        if middlename:
187            name = '%s %s %s' % (firstname, middlename, lastname)
188        else:
189            name = '%s %s' % (firstname, lastname)
190        return string.capwords(
191            name.replace('-', ' - ')).replace(' - ', '-')
192
193    def genPassword(self, length=8, chars=string.letters + string.digits):
194        """Generate a random password.
195        """
196        return ''.join([r().choice(chars) for i in range(length)])
197
198    def sendCredentials(self, user, password=None, url_info=None, msg=None):
199        """Send credentials as email.
200
201        Input is the customer for which credentials are sent and the
202        password.
203
204        Returns True or False to indicate successful operation.
205        """
206        subject = 'Your Ikoba credentials'
207        text = _(u"""Dear ${a},
208
209${b}
210Registration and Application Portal of
211${c}.
212
213Your user name: ${d}
214Your password: ${e}
215${f}
216
217Please remember your user name and keep
218your password secret!
219
220Please also note that passwords are case-sensitive.
221
222Regards
223""")
224        config = grok.getSite()['configuration']
225        from_name = config.name_admin
226        from_addr = config.email_admin
227        rcpt_name = user.title
228        rcpt_addr = user.email
229        text = _(text, mapping={
230            'a': rcpt_name,
231            'b': msg,
232            'c': config.name,
233            'd': user.name,
234            'e': password,
235            'f': url_info})
236
237        body = translate(text, 'waeup.ikoba',
238            target_language=self.PORTAL_LANGUAGE)
239        return send_mail(
240            from_name, from_addr, rcpt_name, rcpt_addr,
241            subject, body, config)
242
243    def getPaymentItem(self, payment):
244        """Return payment item.
245
246        This method can be used to customize the display_item property method.
247        """
248        return payment.p_item
249
250    def expensive_actions_allowed(self, type=None, request=None):
251        """Tell, whether expensive actions are currently allowed.
252
253        Check system load/health (or other external circumstances) and
254        locally set values to see, whether expensive actions should be
255        allowed (`True`) or better avoided (`False`).
256
257        Use this to allow or forbid exports, report generations, or
258        similar actions.
259        """
260        max_values = self.SYSTEM_MAX_LOAD
261        for (key, func) in (
262            ('swap-mem', psutil.swap_memory),
263            ('virt-mem', psutil.virtual_memory),
264            ):
265            max_val = max_values.get(key, None)
266            if max_val is None:
267                continue
268            mem_val = func()
269            if isinstance(max_val, float):
270                # percents
271                if max_val < 0.0:
272                    max_val = 100.0 + max_val
273                if mem_val.percent > max_val:
274                    return False
275            else:
276                # number of bytes
277                if max_val < 0:
278                    max_val = mem_val.total + max_val
279                if mem_val.used > max_val:
280                    return False
281        return True
Note: See TracBrowser for help on using the repository browser.