source: main/waeup.kofa/trunk/src/waeup/kofa/interfaces.py @ 8977

Last change on this file since 8977 was 8948, checked in by Henrik Bettermann, 12 years ago

We have payments in 2000 and earlier.

  • Property svn:eol-style set to native
  • Property svn:keywords set to Id
File size: 33.0 KB
Line 
1## $Id: interfaces.py 8948 2012-07-09 07:26:29Z 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##
18import os
19import re
20import codecs
21import zope.i18nmessageid
22from datetime import datetime
23from hurry.file.interfaces import IFileRetrieval
24from hurry.workflow.interfaces import IWorkflowInfo
25from zc.sourcefactory.basic import BasicSourceFactory
26from zope import schema
27from zope.pluggableauth.interfaces import IPrincipalInfo
28from zope.security.interfaces import IGroupClosureAwarePrincipal as IPrincipal
29from zope.component import getUtility
30from zope.component.interfaces import IObjectEvent
31from zope.container.interfaces import INameChooser
32from zope.interface import Interface, Attribute
33from zope.schema.interfaces import IObject
34from zope.schema.vocabulary import SimpleVocabulary, SimpleTerm
35from waeup.kofa.schema import PhoneNumber
36
37_ = MessageFactory = zope.i18nmessageid.MessageFactory('waeup.kofa')
38
39DELETION_MARKER = 'XXX'
40IGNORE_MARKER = '<IGNORE>'
41
42CREATED = 'created'
43ADMITTED = 'admitted'
44CLEARANCE = 'clearance started'
45REQUESTED = 'clearance requested'
46CLEARED = 'cleared'
47PAID = 'school fee paid'
48RETURNING = 'returning'
49REGISTERED = 'courses registered'
50VALIDATED = 'courses validated'
51
52#default_rest_frontpage = u'' + codecs.open(os.path.join(
53#        os.path.dirname(__file__), 'frontpage.rst'),
54#        encoding='utf-8', mode='rb').read()
55
56default_html_frontpage = u'' + codecs.open(os.path.join(
57        os.path.dirname(__file__), 'frontpage.html'),
58        encoding='utf-8', mode='rb').read()
59
60def SimpleKofaVocabulary(*terms):
61    """A well-buildt vocabulary provides terms with a value, token and
62       title for each term
63    """
64    return SimpleVocabulary([
65            SimpleTerm(value, value, title) for title, value in terms])
66
67def year_range():
68    curr_year = datetime.now().year
69    return range(curr_year - 4, curr_year + 5)
70
71def academic_sessions():
72    curr_year = datetime.now().year
73    year_range = range(curr_year - 15, curr_year + 2)
74    return [('%s/%s' % (year,year+1), year) for year in year_range]
75
76academic_sessions_vocab = SimpleKofaVocabulary(*academic_sessions())
77
78registration_states_vocab = SimpleKofaVocabulary(
79    (_('created'), CREATED),
80    (_('admitted'), ADMITTED),
81    (_('clearance started'), CLEARANCE),
82    (_('clearance requested'), REQUESTED),
83    (_('cleared'), CLEARED),
84    (_('school fee paid'), PAID),
85    (_('returning'), RETURNING),
86    (_('courses registered'), REGISTERED),
87    (_('courses validated'), VALIDATED),
88    )
89
90class SubjectSource(BasicSourceFactory):
91    """A source for school subjects used in exam documentation.
92    """
93    def getValues(self):
94        subjects_dict = getUtility(IKofaUtils).EXAM_SUBJECTS_DICT
95        return sorted(subjects_dict.keys())
96
97    def getTitle(self, value):
98        subjects_dict = getUtility(IKofaUtils).EXAM_SUBJECTS_DICT
99        return "%s:" % subjects_dict[value]
100
101class GradeSource(BasicSourceFactory):
102    """A source for exam grades.
103    """
104    def getValues(self):
105        for entry in getUtility(IKofaUtils).EXAM_GRADES:
106            yield entry[0]
107
108    def getTitle(self, value):
109        return dict(getUtility(IKofaUtils).EXAM_GRADES)[value]
110
111# Define a validation method for email addresses
112class NotAnEmailAddress(schema.ValidationError):
113    __doc__ = u"Invalid email address"
114
115#: Regular expression to check email-address formats. As these can
116#: become rather complex (nearly everything is allowed by RFCs), we only
117#: forbid whitespaces, commas and dots following onto each other.
118check_email = re.compile(
119    r"^[^@\s,]+@[^@\.\s,]+(\.[^@\.\s,]+)*$").match
120
121def validate_email(value):
122    if not check_email(value):
123        raise NotAnEmailAddress(value)
124    return True
125
126# Define a validation method for international phone numbers
127class InvalidPhoneNumber(schema.ValidationError):
128    __doc__ = u"Invalid phone number"
129
130# represent format +NNN-NNNN-NNNN
131RE_INT_PHONE = re.compile(r"^\+?\d+\-\d+\-[\d\-]+$")
132
133def validate_phone(value):
134    if not RE_INT_PHONE.match(value):
135        raise InvalidPhoneNumber(value)
136    return True
137
138class FatalCSVError(Exception):
139    """Some row could not be processed.
140    """
141    pass
142
143class DuplicationError(Exception):
144    """An exception that can be raised when duplicates are found.
145
146    When raising :exc:`DuplicationError` you can, beside the usual
147    message, specify a list of objects which are duplicates. These
148    values can be used by catching code to print something helpful or
149    similar.
150    """
151    def __init__(self, msg, entries=[]):
152        self.msg = msg
153        self.entries = entries
154
155    def __str__(self):
156        return '%r' % self.msg
157
158class RoleSource(BasicSourceFactory):
159    """A source for site roles.
160    """
161    def getValues(self):
162        # late import: in interfaces we should not import local modules
163        from waeup.kofa.permissions import get_waeup_role_names
164        return get_waeup_role_names()
165
166    def getTitle(self, value):
167        # late import: in interfaces we should not import local modules
168        from waeup.kofa.permissions import get_all_roles
169        roles = dict(get_all_roles())
170        if value in roles.keys():
171            title = roles[value].title
172            if '.' in title:
173                title = title.split('.', 2)[1]
174        return title
175
176class CaptchaSource(BasicSourceFactory):
177    """A source for captchas.
178    """
179    def getValues(self):
180        captchas = ['No captcha', 'Testing captcha', 'ReCaptcha']
181        try:
182            # we have to 'try' because IConfiguration can only handle
183            # interfaces from w.k.interface.
184            from waeup.kofa.browser.interfaces import ICaptchaManager
185        except:
186            return captchas
187        return sorted(getUtility(ICaptchaManager).getAvailCaptchas().keys())
188
189    def getTitle(self, value):
190        return value
191
192class IResultEntry(Interface):
193    """A school grade entry.
194    """
195    subject = schema.Choice(
196        title = _(u'Subject'),
197        source = SubjectSource(),
198        )
199    grade = schema.Choice(
200        title = _(u'Grade'),
201        source = GradeSource(),
202        )
203
204class IResultEntryField(IObject):
205    """A zope.schema-like field for usage in interfaces.
206
207    Marker interface to distuingish result entries from ordinary
208    object fields. Needed for registration of widgets.
209    """
210
211class IKofaUtils(Interface):
212    """A collection of methods which are subject to customization.
213    """
214
215    PORTAL_LANGUAGE = Attribute("Dict of global language setting")
216    PREFERRED_LANGUAGES_DICT = Attribute("Dict of preferred languages")
217    EXAM_SUBJECTS_DICT = Attribute("Dict of examination subjects")
218    EXAM_GRADES_DICT = Attribute("Dict of examination grades")
219    INST_TYPES_DICT = Attribute("Dict if institution types")
220    STUDY_MODES_DICT = Attribute("Dict of study modes")
221    APP_CATS_DICT = Attribute("Dict of application categories")
222    SEMESTER_DICT = Attribute("Dict of semesters or trimesters")
223    INT_PHONE_PREFIXES = Attribute(
224        "Dict of international phone number prefixes")
225
226    def sendContactForm(
227          from_name,from_addr,rcpt_name,rcpt_addr,
228          from_username,usertype,portal,body,subject):
229        """Send an email with data provided by forms.
230        """
231
232    def fullname(firstname,lastname,middlename):
233        """Full name constructor.
234        """
235
236    def sendCredentials(user, password, url_info, msg):
237        """Send credentials as email.
238
239        Input is the applicant for which credentials are sent and the
240        password.
241
242        Returns True or False to indicate successful operation.
243        """
244
245    def genPassword(length, chars):
246        """Generate a random password.
247        """
248
249class IKofaObject(Interface):
250    """A Kofa object.
251
252    This is merely a marker interface.
253    """
254
255class IUniversity(IKofaObject):
256    """Representation of a university.
257    """
258
259
260class IKofaContainer(IKofaObject):
261    """A container for Kofa objects.
262    """
263
264class IKofaContained(IKofaObject):
265    """An item contained in an IKofaContainer.
266    """
267
268class ICSVExporter(Interface):
269    """A CSV file exporter for objects.
270    """
271    fields = Attribute("""List of fieldnames in resulting CSV""")
272
273    title = schema.TextLine(
274        title = u'Title',
275        description = u'Description to be displayed in selections.',
276        )
277    def mangle_value(value, name, obj):
278        """Mangle `value` extracted from `obj` or suobjects thereof.
279
280        This is called by export before actually writing to the result
281        file.
282        """
283
284    def export(iterable, filepath=None):
285        """Export iterables as rows in a CSV file.
286
287        If `filepath` is not given, a string with the data should be
288        returned.
289
290        What kind of iterables are acceptable depends on the specific
291        exporter implementation.
292        """
293
294    def export_all(site, filapath=None):
295        """Export all items in `site` as CSV file.
296
297        if `filepath` is not given, a string with the data should be
298        returned.
299        """
300
301class IKofaExporter(Interface):
302    """An exporter for objects.
303    """
304    def export(obj, filepath=None):
305        """Export by pickling.
306
307        Returns a file-like object containing a representation of `obj`.
308
309        This is done using `pickle`. If `filepath` is ``None``, a
310        `cStringIO` object is returned, that contains the saved data.
311        """
312
313class IKofaXMLExporter(Interface):
314    """An XML exporter for objects.
315    """
316    def export(obj, filepath=None):
317        """Export as XML.
318
319        Returns an XML representation of `obj`.
320
321        If `filepath` is ``None``, a StringIO` object is returned,
322        that contains the transformed data.
323        """
324
325class IKofaXMLImporter(Interface):
326    """An XML import for objects.
327    """
328    def doImport(filepath):
329        """Create Python object from XML.
330
331        Returns a Python object.
332        """
333
334class IBatchProcessor(Interface):
335    """A batch processor that handles mass-operations.
336    """
337    name = schema.TextLine(
338        title = _(u'Processor name')
339        )
340
341    def doImport(path, headerfields, mode='create', user='Unknown',
342                 logger=None, ignore_empty=True):
343        """Read data from ``path`` and update connected object.
344
345        `headerfields` is a list of headerfields as read from the file
346        to import.
347
348        `mode` gives the import mode to use (``'create'``,
349        ``'update'``, or ``'remove'``.
350
351        `user` is a string describing the user performing the
352        import. Normally fetched from current principal.
353
354        `logger` is the logger to use during import.
355
356        `ignore_emtpy` in update mode ignores empty fields if true.
357        """
358
359class IContactForm(IKofaObject):
360    """A contact form.
361    """
362
363    email_from = schema.ASCIILine(
364        title = _(u'Email Address:'),
365        default = None,
366        required = True,
367        constraint=validate_email,
368        )
369
370    email_to = schema.ASCIILine(
371        title = _(u'Email to:'),
372        default = None,
373        required = True,
374        constraint=validate_email,
375        )
376
377    subject = schema.TextLine(
378        title = _(u'Subject:'),
379        required = True,)
380
381    fullname = schema.TextLine(
382        title = _(u'Full Name:'),
383        required = True,)
384
385    body = schema.Text(
386        title = _(u'Text:'),
387        required = True,)
388
389class IKofaPrincipalInfo(IPrincipalInfo):
390    """Infos about principals that are users of Kofa Kofa.
391    """
392    email = Attribute("The email address of a user")
393    phone = Attribute("The phone number of a user")
394    public_name = Attribute("The public name of a user")
395
396
397class IKofaPrincipal(IPrincipal):
398    """A principle for Kofa Kofa.
399
400    This interface extends zope.security.interfaces.IPrincipal and
401    requires also an `id` and other attributes defined there.
402    """
403
404    email = schema.TextLine(
405        title = _(u'Email Address'),
406        description = u'',
407        required=False,)
408
409    phone = PhoneNumber(
410        title = _(u'Phone'),
411        description = u'',
412        required=False,)
413
414    public_name = schema.TextLine(
415        title = _(u'Public Name'),
416        required = False,)
417
418class IUserAccount(IKofaObject):
419    """A user account.
420    """
421    name = schema.TextLine(
422        title = _(u'User Id'),
423        description = u'Login name of user',
424        required = True,)
425
426    title = schema.TextLine(
427        title = _(u'Full Name'),
428        required = True,)
429
430    public_name = schema.TextLine(
431        title = _(u'Public Name'),
432        description = u"Substitute for officer's real name "
433                       "in student object histories.",
434        required = False,)
435
436    description = schema.Text(
437        title = _(u'Description/Notice'),
438        required = False,)
439
440    email = schema.ASCIILine(
441        title = _(u'Email Address'),
442        default = None,
443        required = True,
444        constraint=validate_email,
445        )
446
447    phone = PhoneNumber(
448        title = _(u'Phone'),
449        default = None,
450        required = False,
451        )
452
453    roles = schema.List(
454        title = _(u'Portal Roles'),
455        value_type = schema.Choice(source=RoleSource()),
456        required = False,
457        )
458
459class IPasswordValidator(Interface):
460    """A password validator utility.
461    """
462
463    def validate_password(password, password_repeat):
464        """Validates a password by comparing it with
465        control password and checking some other requirements.
466        """
467
468
469class IUsersContainer(IKofaObject):
470    """A container for users (principals).
471
472    These users are used for authentication purposes.
473    """
474
475    def addUser(name, password, title=None, description=None):
476        """Add a user.
477        """
478
479    def delUser(name):
480        """Delete a user if it exists.
481        """
482
483class ILocalRolesAssignable(Interface):
484    """The local roles assignable to an object.
485    """
486    def __call__():
487        """Returns a list of dicts.
488
489        Each dict contains a ``name`` referring to the role assignable
490        for the specified object and a `title` to describe the range
491        of users to which this role can be assigned.
492        """
493
494class IConfigurationContainer(IKofaObject):
495    """A container for session configuration objects.
496    """
497
498    name = schema.TextLine(
499        title = _(u'Name of University'),
500        default = _(u'Sample University'),
501        required = True,
502        )
503
504    acronym = schema.TextLine(
505        title = _(u'Abbreviated Title of University'),
506        default = u'WAeUP.Kofa',
507        required = True,
508        )
509
510    skin = schema.Choice(
511        title = _(u'Skin'),
512        default = u'gray waeup theme',
513        vocabulary = 'waeup.kofa.browser.theming.ThemesVocabulary',
514        required = True,
515        )
516
517    frontpage = schema.Text(
518        title = _(u'Content in HTML format'),
519        required = False,
520        default = default_html_frontpage,
521        )
522
523    frontpage_dict = schema.Dict(
524        title = u'Content as language dictionary with values in html format',
525        required = False,
526        default = {},
527        )
528
529    name_admin = schema.TextLine(
530        title = _(u'Name of Administrator'),
531        default = u'Administrator',
532        required = True,
533        )
534
535    email_admin = schema.ASCIILine(
536        title = _(u'Email Address of Administrator'),
537        default = 'contact@waeup.org',
538        required = True,
539        constraint=validate_email,
540        )
541
542    email_subject = schema.TextLine(
543        title = _(u'Subject of Email to Administrator'),
544        default = _(u'Kofa Contact'),
545        required = True,
546        )
547
548    smtp_mailer = schema.Choice(
549        title = _(u'SMTP mailer to use when sending mail'),
550        vocabulary = 'Mail Delivery Names',
551        default = 'No email service',
552        required = True,
553        )
554
555    captcha = schema.Choice(
556        title = _(u'Captcha used for public registration pages'),
557        source = CaptchaSource(),
558        default = u'No captcha',
559        required = True,
560        )
561
562    carry_over = schema.Bool(
563        title = _(u'Carry-over Course Registration'),
564        default = False,
565        )
566
567class ISessionConfiguration(IKofaObject):
568    """A session configuration object.
569    """
570
571    academic_session = schema.Choice(
572        title = _(u'Academic Session'),
573        source = academic_sessions_vocab,
574        default = None,
575        required = True,
576        readonly = True,
577        )
578
579    application_fee = schema.Float(
580        title = _(u'Application Fee'),
581        default = 0.0,
582        required = False,
583        )
584
585    clearance_fee = schema.Float(
586        title = _(u'Clearance Fee'),
587        default = 0.0,
588        required = False,
589        )
590
591    booking_fee = schema.Float(
592        title = _(u'Bed Booking Fee'),
593        default = 0.0,
594        required = False,
595        )
596
597    def getSessionString():
598        """Returns the session string from the vocabulary.
599        """
600
601
602class ISessionConfigurationAdd(ISessionConfiguration):
603    """A session configuration object in add mode.
604    """
605
606    academic_session = schema.Choice(
607        title = _(u'Academic Session'),
608        source = academic_sessions_vocab,
609        default = None,
610        required = True,
611        readonly = False,
612        )
613
614ISessionConfigurationAdd['academic_session'].order =  ISessionConfiguration[
615    'academic_session'].order
616
617class IDataCenter(IKofaObject):
618    """A data center.
619
620    A data center manages files (uploads, downloads, etc.).
621
622    Beside providing the bare paths needed to keep files, it also
623    provides some helpers to put results of batch processing into
624    well-defined final locations (with well-defined filenames).
625
626    The main use-case is managing of site-related files, i.e. files
627    for import, export etc.
628
629    DataCenters are _not_ meant as storages for object-specific files
630    like passport photographs and similar.
631
632    It is up to the datacenter implementation how to organize data
633    (paths) inside its storage path.
634    """
635    storage = schema.Bytes(
636        title = u'Path to directory where everything is kept.'
637        )
638
639    deleted_path = schema.Bytes(
640        title = u'Path were data about deleted objects should be stored.'
641        )
642
643    def getFiles(sort='name'):
644        """Get a list of files stored in `storage` sorted by basename.
645        """
646    def setStoragePath(path, move=False, overwrite=False):
647        """Set the path where to store files.
648
649        If `move` is True, move over files from the current location
650        to the new one.
651
652        If `overwrite` is also True, overwrite any already existing
653        files of same name in target location.
654
655        Triggers a DataCenterStorageMovedEvent.
656        """
657
658    def distProcessedFiles(successful, source_path, finished_file,
659                           pending_file, mode='create', move_orig=True):
660        """Distribute processed files over final locations.
661        """
662
663
664class IDataCenterFile(Interface):
665    """A data center file.
666    """
667
668    name = schema.TextLine(
669        title = u'Filename')
670
671    size = schema.TextLine(
672        title = u'Human readable file size')
673
674    uploaddate = schema.TextLine(
675        title = u'Human readable upload datetime')
676
677    lines = schema.Int(
678        title = u'Number of lines in file')
679
680    def getDate():
681        """Get creation timestamp from file in human readable form.
682        """
683
684    def getSize():
685        """Get human readable size of file.
686        """
687
688    def getLinesNumber():
689        """Get number of lines of file.
690        """
691
692class IDataCenterStorageMovedEvent(IObjectEvent):
693    """Emitted, when the storage of a datacenter changes.
694    """
695
696class IObjectUpgradeEvent(IObjectEvent):
697    """Can be fired, when an object shall be upgraded.
698    """
699
700class ILocalRoleSetEvent(IObjectEvent):
701    """A local role was granted/revoked for a principal on an object.
702    """
703    role_id = Attribute(
704        "The role id that was set.")
705    principal_id = Attribute(
706        "The principal id for which the role was granted/revoked.")
707    granted = Attribute(
708        "Boolean. If false, then the role was revoked.")
709
710class IQueryResultItem(Interface):
711    """An item in a search result.
712    """
713    url = schema.TextLine(
714        title = u'URL that links to the found item')
715    title = schema.TextLine(
716        title = u'Title displayed in search results.')
717    description = schema.Text(
718        title = u'Longer description of the item found.')
719
720class IKofaPluggable(Interface):
721    """A component that might be plugged into a Kofa Kofa app.
722
723    Components implementing this interface are referred to as
724    'plugins'. They are normally called when a new
725    :class:`waeup.kofa.app.University` instance is created.
726
727    Plugins can setup and update parts of the central site without the
728    site object (normally a :class:`waeup.kofa.app.University` object)
729    needing to know about that parts. The site simply collects all
730    available plugins, calls them and the plugins care for their
731    respective subarea like the applicants area or the datacenter
732    area.
733
734    Currently we have no mechanism to define an order of plugins. A
735    plugin should therefore make no assumptions about the state of the
736    site or other plugins being run before and instead do appropriate
737    checks if necessary.
738
739    Updates can be triggered for instance by the respective form in
740    the site configuration. You normally do updates when the
741    underlying software changed.
742    """
743    def setup(site, name, logger):
744        """Create an instance of the plugin.
745
746        The method is meant to be called by the central app (site)
747        when it is created.
748
749        `site`:
750           The site that requests a setup.
751
752        `name`:
753           The name under which the plugin was registered (utility name).
754
755        `logger`:
756           A standard Python logger for the plugins use.
757        """
758
759    def update(site, name, logger):
760        """Method to update an already existing plugin.
761
762        This might be called by a site when something serious
763        changes. It is a poor-man replacement for Zope generations
764        (but probably more comprehensive and better understandable).
765
766        `site`:
767           The site that requests an update.
768
769        `name`:
770           The name under which the plugin was registered (utility name).
771
772        `logger`:
773           A standard Python logger for the plugins use.
774        """
775
776class IAuthPluginUtility(Interface):
777    """A component that cares for authentication setup at site creation.
778
779    Utilities providing this interface are looked up when a Pluggable
780    Authentication Utility (PAU) for any
781    :class:`waeup.kofa.app.University` instance is created and put
782    into ZODB.
783
784    The setup-code then calls the `register` method of the utility and
785    expects a modified (or unmodified) version of the PAU back.
786
787    This allows to define any authentication setup modifications by
788    submodules or third-party modules/packages.
789    """
790
791    def register(pau):
792        """Register any plugins wanted to be in the PAU.
793        """
794
795    def unregister(pau):
796        """Unregister any plugins not wanted to be in the PAU.
797        """
798
799class IObjectConverter(Interface):
800    """Object converters are available as simple adapters, adapting
801       interfaces (not regular instances).
802
803    """
804
805    def fromStringDict(self, data_dict, context, form_fields=None):
806        """Convert values in `data_dict`.
807
808        Converts data in `data_dict` into real values based on
809        `context` and `form_fields`.
810
811        `data_dict` is a mapping (dict) from field names to values
812        represented as strings.
813
814        The fields (keys) to convert can be given in optional
815        `form_fields`. If given, form_fields should be an instance of
816        :class:`zope.formlib.form.Fields`. Suitable instances are for
817        example created by :class:`grok.AutoFields`.
818
819        If no `form_fields` are given, a default is computed from the
820        associated interface.
821
822        The `context` can be an existing object (implementing the
823        associated interface) or a factory name. If it is a string, we
824        try to create an object using
825        :func:`zope.component.createObject`.
826
827        Returns a tuple ``(<FIELD_ERRORS>, <INVARIANT_ERRORS>,
828        <DATA_DICT>)`` where
829
830        ``<FIELD_ERRORS>``
831           is a list of tuples ``(<FIELD_NAME>, <ERROR>)`` for each
832           error that happened when validating the input data in
833           `data_dict`
834
835        ``<INVARIANT_ERRORS>``
836           is a list of invariant errors concerning several fields
837
838        ``<DATA_DICT>``
839           is a dict with the values from input dict converted.
840
841        If errors happen, i.e. the error lists are not empty, always
842        an empty ``<DATA_DICT>`` is returned.
843
844        If ``<DATA_DICT>` is non-empty, there were no errors.
845        """
846
847class IFieldConverter(Interface):
848    def request_data(name, value, schema_field, prefix='', mode='create'):
849        """Create a dict with key-value mapping as created by a request.
850
851        `name` and `value` are expected to be parsed from CSV or a
852        similar input and represent an attribute to be set to a
853        representation of value.
854
855        `mode` gives the mode of import.
856
857        :meth:`update_request_data` is then requested to turn this
858        name and value into vars as they would be sent by a regular
859        form submit. This means we do not create the real values to be
860        set but we only define the values that would be sent in a
861        browser request to request the creation of those values.
862
863        The returned dict should contain names and values of a faked
864        browser request for the given `schema_field`.
865
866        Field converters are normally registered as adapters to some
867        specific zope.schema field.
868        """
869
870class IObjectHistory(Interface):
871
872    messages = schema.List(
873        title = u'List of messages stored',
874        required = True,
875        )
876
877    def addMessage(message):
878        """Add a message.
879        """
880
881class IKofaWorkflowInfo(IWorkflowInfo):
882    """A :class:`hurry.workflow.workflow.WorkflowInfo` with additional
883       methods for convenience.
884    """
885    def getManualTransitions():
886        """Get allowed manual transitions.
887
888        Get a sorted list of tuples containing the `transition_id` and
889        `title` of each allowed transition.
890        """
891
892class ISiteLoggers(Interface):
893
894    loggers = Attribute("A list or generator of registered KofaLoggers")
895
896    def register(name, filename=None, site=None, **options):
897        """Register a logger `name` which logs to `filename`.
898
899        If `filename` is not given, logfile will be `name` with
900        ``.log`` as filename extension.
901        """
902
903    def unregister(name):
904        """Unregister a once registered logger.
905        """
906
907class ILogger(Interface):
908    """A logger cares for setup, update and restarting of a Python logger.
909    """
910
911    logger = Attribute("""A :class:`logging.Logger` instance""")
912
913
914    def __init__(name, filename=None, site=None, **options):
915        """Create a Kofa logger instance.
916        """
917
918    def setup():
919        """Create a Python :class:`logging.Logger` instance.
920
921        The created logger is based on the params given by constructor.
922        """
923
924    def update(**options):
925        """Update the logger.
926
927        Updates the logger respecting modified `options` and changed
928        paths.
929        """
930
931class ILoggerCollector(Interface):
932
933    def getLoggers(site):
934        """Return all loggers registered for `site`.
935        """
936
937    def registerLogger(site, logging_component):
938        """Register a logging component residing in `site`.
939        """
940
941    def unregisterLogger(site, logging_component):
942        """Unregister a logger.
943        """
944
945#
946# External File Storage and relatives
947#
948class IFileStoreNameChooser(INameChooser):
949    """See zope.container.interfaces.INameChooser for base methods.
950    """
951    def checkName(name, attr=None):
952        """Check whether an object name is valid.
953
954        Raises a user error if the name is not valid.
955        """
956
957    def chooseName(name, attr=None):
958        """Choose a unique valid file id for the object.
959
960        The given name may be taken into account when choosing the
961        name (file id).
962
963        chooseName is expected to always choose a valid file id (that
964        would pass the checkName test) and never raise an error.
965
966        If `attr` is not ``None`` it might been taken into account as
967        well when generating the file id. Usual behaviour is to
968        interpret `attr` as a hint for what type of file for a given
969        context should be stored if there are several types
970        possible. For instance for a certain student some file could
971        be the connected passport photograph or some certificate scan
972        or whatever. Each of them has to be stored in a different
973        location so setting `attr` to a sensible value should give
974        different file ids returned.
975        """
976
977class IExtFileStore(IFileRetrieval):
978    """A file storage that stores files in filesystem (not as blobs).
979    """
980    root = schema.TextLine(
981        title = u'Root path of file store.',
982        )
983
984    def getFile(file_id):
985        """Get raw file data stored under file with `file_id`.
986
987        Returns a file descriptor open for reading or ``None`` if the
988        file cannot be found.
989        """
990
991    def getFileByContext(context, attr=None):
992        """Get raw file data stored for the given context.
993
994        Returns a file descriptor open for reading or ``None`` if no
995        such file can be found.
996
997        Both, `context` and `attr` might be used to find (`context`)
998        and feed (`attr`) an appropriate file name chooser.
999
1000        This is a convenience method.
1001        """
1002
1003    def deleteFile(file_id):
1004        """Delete file stored under `file_id`.
1005
1006        Remove file from filestore so, that it is not available
1007        anymore on next call to getFile for the same file_id.
1008
1009        Should not complain if no such file exists.
1010        """
1011
1012    def deleteFileByContext(context, attr=None):
1013        """Delete file for given `context` and `attr`.
1014
1015        Both, `context` and `attr` might be used to find (`context`)
1016        and feed (`attr`) an appropriate file name chooser.
1017
1018        This is a convenience method.
1019        """
1020
1021    def createFile(filename, f):
1022        """Create file given by f with filename `filename`
1023
1024        Returns a hurry.file.File-based object.
1025        """
1026
1027class IFileStoreHandler(Interface):
1028    """Filestore handlers handle specific files for file stores.
1029
1030    If a file to store/get provides a specific filename, a file store
1031    looks up special handlers for that type of file.
1032
1033    """
1034    def pathFromFileID(store, root, filename):
1035        """Turn file id into path to store.
1036
1037        Returned path should be absolute.
1038        """
1039
1040    def createFile(store, root, filename, file_id, file):
1041        """Return some hurry.file based on `store` and `file_id`.
1042
1043        Some kind of callback method called by file stores to create
1044        file objects from file_id.
1045
1046        Returns a tuple ``(raw_file, path, file_like_obj)`` where the
1047        ``file_like_obj`` should be a HurryFile, a KofaImageFile or
1048        similar. ``raw_file`` is the (maybe changed) input file and
1049        ``path`` the relative internal path to store the file at.
1050
1051        Please make sure the ``raw_file`` is opened for reading and
1052        the file descriptor set at position 0 when returned.
1053
1054        This method also gets the raw input file object that is about
1055        to be stored and is expected to raise any exceptions if some
1056        kind of validation or similar fails.
1057        """
1058
1059class IPDF(Interface):
1060    """A PDF representation of some context.
1061    """
1062
1063    def __call__(view=None, note=None):
1064        """Create a bytestream representing a PDF from context.
1065
1066        If `view` is passed in additional infos might be rendered into
1067        the document.
1068
1069        `note` is optional HTML rendered at bottom of the created
1070        PDF. Please consider the limited reportlab support for HTML,
1071        but using font-tags and friends you certainly can get the
1072        desired look.
1073        """
1074
1075class IMailService(Interface):
1076    """A mail service.
1077    """
1078
1079    def __call__():
1080        """Get the default mail delivery.
1081        """
1082
1083from zope.configuration.fields import Path
1084class IDataCenterConfig(Interface):
1085    path = Path(
1086        title = u'Path',
1087        description = u"Directory where the datacenter should store "
1088                      u"files by default (adjustable in web UI).",
1089        required = True,
1090        )
1091
1092class IChangePassword(IKofaObject):
1093    """Interface needed for change pasword page.
1094
1095    """
1096    identifier = schema.TextLine(
1097        title = _(u'Unique Identifier'),
1098        description = _(
1099            u'User Name, Student or Applicant Id, Matriculation or '
1100            u'Registration Number'),
1101        required = True,
1102        readonly = False,
1103        )
1104
1105    email = schema.ASCIILine(
1106        title = _(u'Email Address'),
1107        required = True,
1108        constraint=validate_email,
1109        )
Note: See TracBrowser for help on using the repository browser.