1 | ## $Id: batching.py 15140 2018-09-18 05:53:44Z 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 | """Batch processing components for student objects. |
---|
19 | |
---|
20 | Batch processors eat CSV files to add, update or remove large numbers |
---|
21 | of certain kinds of objects at once. |
---|
22 | |
---|
23 | Here we define the processors for students specific objects like |
---|
24 | students, studycourses, payment tickets and accommodation tickets. |
---|
25 | """ |
---|
26 | import grok |
---|
27 | import unicodecsv as csv # XXX: csv ops should move to dedicated module. |
---|
28 | from time import time |
---|
29 | from datetime import datetime |
---|
30 | from zope.i18n import translate |
---|
31 | from zope.interface import Interface |
---|
32 | from zope.schema import getFields |
---|
33 | from zope.component import queryUtility, getUtility, createObject |
---|
34 | from zope.event import notify |
---|
35 | from zope.catalog.interfaces import ICatalog |
---|
36 | from hurry.workflow.interfaces import IWorkflowState, IWorkflowInfo |
---|
37 | from waeup.kofa.interfaces import ( |
---|
38 | IBatchProcessor, FatalCSVError, IObjectConverter, IUserAccount, |
---|
39 | IObjectHistory, VALIDATED, REGISTERED, IGNORE_MARKER) |
---|
40 | from waeup.kofa.interfaces import IKofaUtils, DuplicationError |
---|
41 | from waeup.kofa.interfaces import MessageFactory as _ |
---|
42 | from waeup.kofa.students.interfaces import ( |
---|
43 | IStudent, IStudentStudyCourse, IStudentStudyCourseTransfer, |
---|
44 | IStudentUpdateByRegNo, IStudentUpdateByMatricNo, |
---|
45 | IStudentStudyLevel, ICourseTicketImport, |
---|
46 | IStudentOnlinePayment, IStudentVerdictUpdate) |
---|
47 | from waeup.kofa.payments.interfaces import IPayer |
---|
48 | from waeup.kofa.students.workflow import ( |
---|
49 | IMPORTABLE_STATES, IMPORTABLE_TRANSITIONS, |
---|
50 | FORBIDDEN_POSTGRAD_TRANS, FORBIDDEN_POSTGRAD_STATES) |
---|
51 | from waeup.kofa.utils.batching import BatchProcessor |
---|
52 | |
---|
53 | class StudentProcessor(BatchProcessor): |
---|
54 | """The Student Processor imports student base data. |
---|
55 | |
---|
56 | In create mode no locator is required. If no `student_id` is given, |
---|
57 | the portal automatically assigns a new student id. |
---|
58 | |
---|
59 | In update or remove mode the processor uses |
---|
60 | either the `student_id`, `reg_number` or `matric_number` to localize the |
---|
61 | student object, exactly in this order. If `student_id` is given and an |
---|
62 | object can be found, `reg_number` and `matric_number` will be overwritten |
---|
63 | by the values provided in the import file. If `student_id` is missing, |
---|
64 | `reg_number` is used to localize the object and only `matric_number` |
---|
65 | will be overwritten. `matric_number` is used as locator only if both |
---|
66 | `student_id` and `reg_number` are missing. `student_id` can't be changed |
---|
67 | by the batch processor. |
---|
68 | |
---|
69 | There are two ways to change the workflow state of the student, |
---|
70 | an unsafe and a safe way. The safe way makes use of workflow transitions. |
---|
71 | Transitions are only possible between allowed workflow states. Only |
---|
72 | transitions ensure that the registration workflow is maintained. |
---|
73 | |
---|
74 | **Always prefer the safe way!** |
---|
75 | """ |
---|
76 | grok.implements(IBatchProcessor) |
---|
77 | grok.provides(IBatchProcessor) |
---|
78 | grok.context(Interface) |
---|
79 | util_name = 'studentprocessor' |
---|
80 | grok.name(util_name) |
---|
81 | |
---|
82 | name = _('Student Processor') |
---|
83 | iface = IStudent |
---|
84 | iface_byregnumber = IStudentUpdateByRegNo |
---|
85 | iface_bymatricnumber = IStudentUpdateByMatricNo |
---|
86 | |
---|
87 | factory_name = 'waeup.Student' |
---|
88 | |
---|
89 | @property |
---|
90 | def available_fields(self): |
---|
91 | fields = getFields(self.iface) |
---|
92 | return sorted(list(set( |
---|
93 | ['student_id','reg_number','matric_number', |
---|
94 | 'password', 'state', 'transition'] + fields.keys()))) |
---|
95 | |
---|
96 | def checkHeaders(self, headerfields, mode='create'): |
---|
97 | if 'state' in headerfields and 'transition' in headerfields: |
---|
98 | raise FatalCSVError( |
---|
99 | "State and transition can't be imported at the same time!") |
---|
100 | if not 'reg_number' in headerfields and not 'student_id' \ |
---|
101 | in headerfields and not 'matric_number' in headerfields: |
---|
102 | raise FatalCSVError( |
---|
103 | "Need at least columns student_id or reg_number " + |
---|
104 | "or matric_number for import!") |
---|
105 | if mode == 'create': |
---|
106 | for field in self.required_fields: |
---|
107 | if not field in headerfields: |
---|
108 | raise FatalCSVError( |
---|
109 | "Need at least columns %s for import!" % |
---|
110 | ', '.join(["'%s'" % x for x in self.required_fields])) |
---|
111 | # Check for fields to be ignored... |
---|
112 | not_ignored_fields = [x for x in headerfields |
---|
113 | if not x.startswith('--')] |
---|
114 | if len(set(not_ignored_fields)) < len(not_ignored_fields): |
---|
115 | raise FatalCSVError( |
---|
116 | "Double headers: each column name may only appear once.") |
---|
117 | return True |
---|
118 | |
---|
119 | def parentsExist(self, row, site): |
---|
120 | return 'students' in site.keys() |
---|
121 | |
---|
122 | def getLocator(self, row): |
---|
123 | if row.get('student_id',None) not in (None, IGNORE_MARKER): |
---|
124 | return 'student_id' |
---|
125 | elif row.get('reg_number',None) not in (None, IGNORE_MARKER): |
---|
126 | return 'reg_number' |
---|
127 | elif row.get('matric_number',None) not in (None, IGNORE_MARKER): |
---|
128 | return 'matric_number' |
---|
129 | else: |
---|
130 | return None |
---|
131 | |
---|
132 | # The entry never exists in create mode. |
---|
133 | def entryExists(self, row, site): |
---|
134 | return self.getEntry(row, site) is not None |
---|
135 | |
---|
136 | def getParent(self, row, site): |
---|
137 | return site['students'] |
---|
138 | |
---|
139 | def getEntry(self, row, site): |
---|
140 | if not 'students' in site.keys(): |
---|
141 | return None |
---|
142 | if self.getLocator(row) == 'student_id': |
---|
143 | if row['student_id'] in site['students']: |
---|
144 | student = site['students'][row['student_id']] |
---|
145 | return student |
---|
146 | elif self.getLocator(row) == 'reg_number': |
---|
147 | reg_number = row['reg_number'] |
---|
148 | cat = queryUtility(ICatalog, name='students_catalog') |
---|
149 | results = list( |
---|
150 | cat.searchResults(reg_number=(reg_number, reg_number))) |
---|
151 | if results: |
---|
152 | return results[0] |
---|
153 | elif self.getLocator(row) == 'matric_number': |
---|
154 | matric_number = row['matric_number'] |
---|
155 | cat = queryUtility(ICatalog, name='students_catalog') |
---|
156 | results = list( |
---|
157 | cat.searchResults(matric_number=(matric_number, matric_number))) |
---|
158 | if results: |
---|
159 | return results[0] |
---|
160 | return None |
---|
161 | |
---|
162 | def addEntry(self, obj, row, site): |
---|
163 | parent = self.getParent(row, site) |
---|
164 | parent.addStudent(obj) |
---|
165 | # Reset _curr_stud_id if student_id has been imported |
---|
166 | if self.getLocator(row) == 'student_id': |
---|
167 | parent._curr_stud_id -= 1 |
---|
168 | # We have to log this if state is provided. If not, |
---|
169 | # logging is done by the event handler handle_student_added |
---|
170 | if 'state' in row: |
---|
171 | parent.logger.info('%s - Student record created' % obj.student_id) |
---|
172 | history = IObjectHistory(obj) |
---|
173 | history.addMessage(_('Student record created')) |
---|
174 | return |
---|
175 | |
---|
176 | def delEntry(self, row, site): |
---|
177 | student = self.getEntry(row, site) |
---|
178 | if student is not None: |
---|
179 | parent = self.getParent(row, site) |
---|
180 | parent.logger.info('%s - Student removed' % student.student_id) |
---|
181 | del parent[student.student_id] |
---|
182 | pass |
---|
183 | |
---|
184 | def checkUpdateRequirements(self, obj, row, site): |
---|
185 | """Checks requirements the object must fulfill when being updated. |
---|
186 | |
---|
187 | This method is not used in case of deleting or adding objects. |
---|
188 | |
---|
189 | Returns error messages as strings in case of requirement |
---|
190 | problems. |
---|
191 | """ |
---|
192 | transition = row.get('transition', IGNORE_MARKER) |
---|
193 | if transition not in (IGNORE_MARKER, ''): |
---|
194 | allowed_transitions = IWorkflowInfo(obj).getManualTransitionIds() |
---|
195 | if transition not in allowed_transitions: |
---|
196 | return 'Transition not allowed.' |
---|
197 | if transition in FORBIDDEN_POSTGRAD_TRANS and \ |
---|
198 | obj.is_postgrad: |
---|
199 | return 'Transition not allowed (pg student).' |
---|
200 | state = row.get('state', IGNORE_MARKER) |
---|
201 | if state not in (IGNORE_MARKER, ''): |
---|
202 | if state in FORBIDDEN_POSTGRAD_STATES and \ |
---|
203 | obj.is_postgrad: |
---|
204 | return 'State not allowed (pg student).' |
---|
205 | return None |
---|
206 | |
---|
207 | def updateEntry(self, obj, row, site, filename): |
---|
208 | """Update obj to the values given in row. |
---|
209 | """ |
---|
210 | items_changed = '' |
---|
211 | |
---|
212 | # Remove student_id from row if empty |
---|
213 | if 'student_id' in row and row['student_id'] in (None, IGNORE_MARKER): |
---|
214 | row.pop('student_id') |
---|
215 | |
---|
216 | # Update password |
---|
217 | # XXX: Take DELETION_MARKER into consideration |
---|
218 | if 'password' in row: |
---|
219 | passwd = row.get('password', IGNORE_MARKER) |
---|
220 | if passwd not in ('', IGNORE_MARKER): |
---|
221 | if passwd.startswith('{SSHA}'): |
---|
222 | # already encrypted password |
---|
223 | obj.password = passwd |
---|
224 | else: |
---|
225 | # not yet encrypted password |
---|
226 | IUserAccount(obj).setPassword(passwd) |
---|
227 | items_changed += ('%s=%s, ' % ('password', passwd)) |
---|
228 | row.pop('password') |
---|
229 | |
---|
230 | # Update registration state |
---|
231 | if 'state' in row: |
---|
232 | state = row.get('state', IGNORE_MARKER) |
---|
233 | if state not in (IGNORE_MARKER, ''): |
---|
234 | value = row['state'] |
---|
235 | IWorkflowState(obj).setState(value) |
---|
236 | msg = _("State '${a}' set", mapping = {'a':value}) |
---|
237 | history = IObjectHistory(obj) |
---|
238 | history.addMessage(msg) |
---|
239 | items_changed += ('%s=%s, ' % ('state', state)) |
---|
240 | row.pop('state') |
---|
241 | |
---|
242 | if 'transition' in row: |
---|
243 | transition = row.get('transition', IGNORE_MARKER) |
---|
244 | if transition not in (IGNORE_MARKER, ''): |
---|
245 | value = row['transition'] |
---|
246 | IWorkflowInfo(obj).fireTransition(value) |
---|
247 | items_changed += ('%s=%s, ' % ('transition', transition)) |
---|
248 | row.pop('transition') |
---|
249 | |
---|
250 | # apply other values... |
---|
251 | items_changed += super(StudentProcessor, self).updateEntry( |
---|
252 | obj, row, site, filename) |
---|
253 | |
---|
254 | # Log actions... |
---|
255 | parent = self.getParent(row, site) |
---|
256 | if hasattr(obj,'student_id'): |
---|
257 | # Update mode: the student exists and we can get the student_id. |
---|
258 | # Create mode: the record contains the student_id |
---|
259 | parent.logger.info( |
---|
260 | '%s - %s - %s - updated: %s' |
---|
261 | % (self.name, filename, obj.student_id, items_changed)) |
---|
262 | else: |
---|
263 | # Create mode: the student does not yet exist |
---|
264 | # XXX: It seems that this never happens because student_id |
---|
265 | # is always set. |
---|
266 | parent.logger.info( |
---|
267 | '%s - %s - %s - imported: %s' |
---|
268 | % (self.name, filename, obj.student_id, items_changed)) |
---|
269 | return items_changed |
---|
270 | |
---|
271 | def getMapping(self, path, headerfields, mode): |
---|
272 | """Get a mapping from CSV file headerfields to actually used fieldnames. |
---|
273 | """ |
---|
274 | result = dict() |
---|
275 | reader = csv.reader(open(path, 'rb')) |
---|
276 | raw_header = reader.next() |
---|
277 | for num, field in enumerate(headerfields): |
---|
278 | if field not in ['student_id', 'reg_number', 'matric_number' |
---|
279 | ] and mode == 'remove': |
---|
280 | continue |
---|
281 | if field == u'--IGNORE--': |
---|
282 | # Skip ignored columns in failed and finished data files. |
---|
283 | continue |
---|
284 | result[raw_header[num]] = field |
---|
285 | return result |
---|
286 | |
---|
287 | def checkConversion(self, row, mode='create'): |
---|
288 | """Validates all values in row. |
---|
289 | """ |
---|
290 | iface = self.iface |
---|
291 | if mode in ['update', 'remove']: |
---|
292 | if self.getLocator(row) == 'reg_number': |
---|
293 | iface = self.iface_byregnumber |
---|
294 | elif self.getLocator(row) == 'matric_number': |
---|
295 | iface = self.iface_bymatricnumber |
---|
296 | converter = IObjectConverter(iface) |
---|
297 | errs, inv_errs, conv_dict = converter.fromStringDict( |
---|
298 | row, self.factory_name, mode=mode) |
---|
299 | # We cannot import both state and transition. |
---|
300 | if 'transition' in row and 'state' in row: |
---|
301 | if row['transition'] not in (IGNORE_MARKER, '') and \ |
---|
302 | row['state'] not in (IGNORE_MARKER, ''): |
---|
303 | errs.append(('workflow','not allowed')) |
---|
304 | return errs, inv_errs, conv_dict |
---|
305 | if 'transition' in row: |
---|
306 | if row['transition'] not in IMPORTABLE_TRANSITIONS: |
---|
307 | if row['transition'] not in (IGNORE_MARKER, ''): |
---|
308 | errs.append(('transition','not allowed')) |
---|
309 | if 'state' in row: |
---|
310 | if row['state'] not in IMPORTABLE_STATES: |
---|
311 | if row['state'] not in (IGNORE_MARKER, ''): |
---|
312 | errs.append(('state','not allowed')) |
---|
313 | else: |
---|
314 | # State is an attribute of Student and must not |
---|
315 | # be changed if empty. |
---|
316 | conv_dict['state'] = IGNORE_MARKER |
---|
317 | try: |
---|
318 | # Correct stud_id counter. As the IConverter for students |
---|
319 | # creates student objects that are not used afterwards, we |
---|
320 | # have to fix the site-wide student_id counter. |
---|
321 | site = grok.getSite() |
---|
322 | students = site['students'] |
---|
323 | students._curr_stud_id -= 1 |
---|
324 | except (KeyError, TypeError, AttributeError): |
---|
325 | pass |
---|
326 | return errs, inv_errs, conv_dict |
---|
327 | |
---|
328 | |
---|
329 | class StudentProcessorBase(BatchProcessor): |
---|
330 | """A base for student subitem processor. |
---|
331 | |
---|
332 | Helps reducing redundancy. |
---|
333 | """ |
---|
334 | grok.baseclass() |
---|
335 | |
---|
336 | # additional available fields |
---|
337 | # beside 'student_id', 'reg_number' and 'matric_number' |
---|
338 | additional_fields = [] |
---|
339 | |
---|
340 | # additional required fields (subset of additional_fields) |
---|
341 | additional_fields_required = [] |
---|
342 | |
---|
343 | @property |
---|
344 | def available_fields(self): |
---|
345 | fields = ['student_id','reg_number','matric_number' |
---|
346 | ] + self.additional_fields |
---|
347 | return sorted(list(set(fields + getFields( |
---|
348 | self.iface).keys()))) |
---|
349 | |
---|
350 | def checkHeaders(self, headerfields, mode='ignore'): |
---|
351 | if not 'reg_number' in headerfields and not 'student_id' \ |
---|
352 | in headerfields and not 'matric_number' in headerfields: |
---|
353 | raise FatalCSVError( |
---|
354 | "Need at least columns student_id " + |
---|
355 | "or reg_number or matric_number for import!") |
---|
356 | for name in self.additional_fields_required: |
---|
357 | if not name in headerfields: |
---|
358 | raise FatalCSVError( |
---|
359 | "Need %s for import!" % name) |
---|
360 | |
---|
361 | # Check for fields to be ignored... |
---|
362 | not_ignored_fields = [x for x in headerfields |
---|
363 | if not x.startswith('--')] |
---|
364 | if len(set(not_ignored_fields)) < len(not_ignored_fields): |
---|
365 | raise FatalCSVError( |
---|
366 | "Double headers: each column name may only appear once.") |
---|
367 | return True |
---|
368 | |
---|
369 | def _getStudent(self, row, site): |
---|
370 | NON_VALUES = ['', IGNORE_MARKER] |
---|
371 | if not 'students' in site.keys(): |
---|
372 | return None |
---|
373 | if row.get('student_id', '') not in NON_VALUES: |
---|
374 | if row['student_id'] in site['students']: |
---|
375 | student = site['students'][row['student_id']] |
---|
376 | return student |
---|
377 | elif row.get('reg_number', '') not in NON_VALUES: |
---|
378 | reg_number = row['reg_number'] |
---|
379 | cat = queryUtility(ICatalog, name='students_catalog') |
---|
380 | results = list( |
---|
381 | cat.searchResults(reg_number=(reg_number, reg_number))) |
---|
382 | if results: |
---|
383 | return results[0] |
---|
384 | elif row.get('matric_number', '') not in NON_VALUES: |
---|
385 | matric_number = row['matric_number'] |
---|
386 | cat = queryUtility(ICatalog, name='students_catalog') |
---|
387 | results = list( |
---|
388 | cat.searchResults(matric_number=(matric_number, matric_number))) |
---|
389 | if results: |
---|
390 | return results[0] |
---|
391 | return None |
---|
392 | |
---|
393 | def parentsExist(self, row, site): |
---|
394 | return self.getParent(row, site) is not None |
---|
395 | |
---|
396 | def entryExists(self, row, site): |
---|
397 | return self.getEntry(row, site) is not None |
---|
398 | |
---|
399 | def checkConversion(self, row, mode='ignore'): |
---|
400 | """Validates all values in row. |
---|
401 | """ |
---|
402 | converter = IObjectConverter(self.iface) |
---|
403 | errs, inv_errs, conv_dict = converter.fromStringDict( |
---|
404 | row, self.factory_name, mode=mode) |
---|
405 | return errs, inv_errs, conv_dict |
---|
406 | |
---|
407 | def getMapping(self, path, headerfields, mode): |
---|
408 | """Get a mapping from CSV file headerfields to actually used fieldnames. |
---|
409 | """ |
---|
410 | result = dict() |
---|
411 | reader = csv.reader(open(path, 'rb')) |
---|
412 | raw_header = reader.next() |
---|
413 | for num, field in enumerate(headerfields): |
---|
414 | if field not in ['student_id', 'reg_number', 'matric_number', |
---|
415 | 'p_id', 'code', 'level' |
---|
416 | ] and mode == 'remove': |
---|
417 | continue |
---|
418 | if field == u'--IGNORE--': |
---|
419 | # Skip ignored columns in failed and finished data files. |
---|
420 | continue |
---|
421 | result[raw_header[num]] = field |
---|
422 | return result |
---|
423 | |
---|
424 | |
---|
425 | class StudentStudyCourseProcessor(StudentProcessorBase): |
---|
426 | """The Student Study Course Processor imports data which refer |
---|
427 | to the student's course of study. The study course container data |
---|
428 | describe the current state of the course of study and it stores the |
---|
429 | entry conditions, i.e. when the student started the course. |
---|
430 | |
---|
431 | Most important is the `certificate` attribute which tells us which course |
---|
432 | the student is studying. The terms 'study course' and 'course of study' |
---|
433 | are used synonymously. The 'certificate' is the study programme described |
---|
434 | in the acadmic section. The study course object stores a referrer to a |
---|
435 | certificate in the acadmic section. |
---|
436 | |
---|
437 | When importing a new certificate code, `checkConversion` does not only |
---|
438 | check whether a certificate with the same code exists, it also |
---|
439 | proves if `current_level` is inside the level range of the certificate. |
---|
440 | For example, some study programmes start at level 200. The imported |
---|
441 | current level must thus be 200 or higher. |
---|
442 | |
---|
443 | `checkUpdateRequirements` looks up if the imported values match the |
---|
444 | certificate already stored with the study course object. The imported |
---|
445 | `current_level` must be in the range of the certificate already |
---|
446 | stored. |
---|
447 | |
---|
448 | .. note:: |
---|
449 | |
---|
450 | The processor does only offer an update mode. An 'empty' study course |
---|
451 | object is automatically created when the student object is added. So this |
---|
452 | object always exists. It can neither be added a second time nor |
---|
453 | be removed. |
---|
454 | |
---|
455 | Students can be transferred by import. A transfer is initialized if the |
---|
456 | `entry_mode` value is ``transfer``. In this case `checkConversion` uses a |
---|
457 | different interface for data validation and `checkUpdateRequirements` |
---|
458 | ensures that a student can only be transferred twice. The student transfer |
---|
459 | process is described elsewhere. |
---|
460 | """ |
---|
461 | grok.implements(IBatchProcessor) |
---|
462 | grok.provides(IBatchProcessor) |
---|
463 | grok.context(Interface) |
---|
464 | util_name = 'studycourseupdater' |
---|
465 | grok.name(util_name) |
---|
466 | |
---|
467 | name = _('StudentStudyCourse Processor (update only)') |
---|
468 | iface = IStudentStudyCourse |
---|
469 | iface_transfer = IStudentStudyCourseTransfer |
---|
470 | factory_name = 'waeup.StudentStudyCourse' |
---|
471 | |
---|
472 | def getParent(self, row, site): |
---|
473 | return self._getStudent(row, site) |
---|
474 | |
---|
475 | def getEntry(self, row, site): |
---|
476 | student = self.getParent(row, site) |
---|
477 | if student is None: |
---|
478 | return None |
---|
479 | return student.get('studycourse') |
---|
480 | |
---|
481 | def updateEntry(self, obj, row, site, filename): |
---|
482 | """Update obj to the values given in row. |
---|
483 | """ |
---|
484 | entry_mode = row.get('entry_mode', None) |
---|
485 | certificate = row.get('certificate', None) |
---|
486 | current_session = row.get('current_session', None) |
---|
487 | student = self.getParent(row, site) |
---|
488 | if entry_mode == 'transfer': |
---|
489 | # We do not expect any error here since we |
---|
490 | # checked all constraints in checkConversion and |
---|
491 | # in checkUpdateRequirements |
---|
492 | student.transfer( |
---|
493 | certificate=certificate, current_session=current_session) |
---|
494 | obj = student['studycourse'] |
---|
495 | items_changed = super(StudentStudyCourseProcessor, self).updateEntry( |
---|
496 | obj, row, site, filename) |
---|
497 | student.__parent__.logger.info( |
---|
498 | '%s - %s - %s - updated: %s' |
---|
499 | % (self.name, filename, student.student_id, items_changed)) |
---|
500 | # Update the students_catalog |
---|
501 | notify(grok.ObjectModifiedEvent(student)) |
---|
502 | return |
---|
503 | |
---|
504 | def checkConversion(self, row, mode='ignore'): |
---|
505 | """Validates all values in row. |
---|
506 | """ |
---|
507 | # We have to use the correct interface. Transfer |
---|
508 | # updates have different constraints. |
---|
509 | entry_mode = row.get('entry_mode', None) |
---|
510 | if entry_mode == 'transfer': |
---|
511 | converter = IObjectConverter(self.iface_transfer) |
---|
512 | else: |
---|
513 | converter = IObjectConverter(self.iface) |
---|
514 | errs, inv_errs, conv_dict = converter.fromStringDict( |
---|
515 | row, self.factory_name, mode=mode) |
---|
516 | |
---|
517 | # We have to check if current_level is in range of certificate. |
---|
518 | if 'certificate' in conv_dict and 'current_level' in conv_dict: |
---|
519 | cert = conv_dict['certificate'] |
---|
520 | level = conv_dict['current_level'] |
---|
521 | if level < cert.start_level or level > cert.end_level+120: |
---|
522 | errs.append(('current_level','not in range')) |
---|
523 | return errs, inv_errs, conv_dict |
---|
524 | |
---|
525 | def checkUpdateRequirements(self, obj, row, site): |
---|
526 | """Checks requirements the object must fulfill when being updated. |
---|
527 | Returns error messages as strings in case of requirement |
---|
528 | problems. |
---|
529 | """ |
---|
530 | if obj.student.studycourse_locked: |
---|
531 | return 'Studycourse is locked.' |
---|
532 | certificate = getattr(obj, 'certificate', None) |
---|
533 | entry_session = getattr(obj, 'entry_session', None) |
---|
534 | current_level = row.get('current_level', None) |
---|
535 | entry_mode = row.get('entry_mode', None) |
---|
536 | # We have to ensure that the student can be transferred. |
---|
537 | if entry_mode == 'transfer': |
---|
538 | if certificate is None or entry_session is None: |
---|
539 | return 'Former study course record incomplete.' |
---|
540 | if 'studycourse_1' in obj.__parent__.keys() and \ |
---|
541 | 'studycourse_2' in obj.__parent__.keys(): |
---|
542 | return 'Maximum number of transfers exceeded.' |
---|
543 | if current_level: |
---|
544 | if current_level == 999 and \ |
---|
545 | obj.__parent__.state in FORBIDDEN_POSTGRAD_STATES: |
---|
546 | return 'Not a pg student.' |
---|
547 | cert = row.get('certificate', None) |
---|
548 | if certificate is None and cert is None: |
---|
549 | return 'No certificate to check level.' |
---|
550 | if certificate is not None and cert is None and ( |
---|
551 | current_level < certificate.start_level or \ |
---|
552 | current_level > certificate.end_level+120): |
---|
553 | return 'current_level not in range.' |
---|
554 | return None |
---|
555 | |
---|
556 | class StudentStudyLevelProcessor(StudentProcessorBase): |
---|
557 | """The Student Study Level Processor imports study level data. |
---|
558 | It overwrites the container attributes but not the content of the container, |
---|
559 | i.e. the course tickets stored inside the container. There is nothing |
---|
560 | special about this processor. |
---|
561 | """ |
---|
562 | grok.implements(IBatchProcessor) |
---|
563 | grok.provides(IBatchProcessor) |
---|
564 | grok.context(Interface) |
---|
565 | util_name = 'studylevelprocessor' |
---|
566 | grok.name(util_name) |
---|
567 | |
---|
568 | name = _('StudentStudyLevel Processor') |
---|
569 | iface = IStudentStudyLevel |
---|
570 | factory_name = 'waeup.StudentStudyLevel' |
---|
571 | |
---|
572 | @property |
---|
573 | def available_fields(self): |
---|
574 | fields = super(StudentStudyLevelProcessor, self).available_fields |
---|
575 | fields.remove('total_credits') |
---|
576 | fields.remove('gpa') |
---|
577 | return fields |
---|
578 | |
---|
579 | def getParent(self, row, site): |
---|
580 | student = self._getStudent(row, site) |
---|
581 | if student is None: |
---|
582 | return None |
---|
583 | return student['studycourse'] |
---|
584 | |
---|
585 | def getEntry(self, row, site): |
---|
586 | studycourse = self.getParent(row, site) |
---|
587 | if studycourse is None: |
---|
588 | return None |
---|
589 | try: |
---|
590 | entry = studycourse.get(str(row['level'])) |
---|
591 | except KeyError: |
---|
592 | return None |
---|
593 | return entry |
---|
594 | |
---|
595 | def delEntry(self, row, site): |
---|
596 | studylevel = self.getEntry(row, site) |
---|
597 | parent = self.getParent(row, site) |
---|
598 | if studylevel is not None: |
---|
599 | student = self._getStudent(row, site) |
---|
600 | student.__parent__.logger.info('%s - Level removed: %s' |
---|
601 | % (student.student_id, studylevel.__name__)) |
---|
602 | del parent[studylevel.__name__] |
---|
603 | return |
---|
604 | |
---|
605 | def updateEntry(self, obj, row, site, filename): |
---|
606 | """Update obj to the values given in row. |
---|
607 | """ |
---|
608 | items_changed = super(StudentStudyLevelProcessor, self).updateEntry( |
---|
609 | obj, row, site, filename) |
---|
610 | student = self.getParent(row, site).__parent__ |
---|
611 | student.__parent__.logger.info( |
---|
612 | '%s - %s - %s - updated: %s' |
---|
613 | % (self.name, filename, student.student_id, items_changed)) |
---|
614 | return |
---|
615 | |
---|
616 | def addEntry(self, obj, row, site): |
---|
617 | if IGNORE_MARKER == str(row['level']): |
---|
618 | raise FatalCSVError("level: Invalid value") |
---|
619 | parent = self.getParent(row, site) |
---|
620 | parent[str(row['level'])] = obj |
---|
621 | return |
---|
622 | |
---|
623 | def checkUpdateRequirements(self, obj, row, site): |
---|
624 | """ |
---|
625 | """ |
---|
626 | if obj.student.studycourse_locked: |
---|
627 | return 'Studylevel is locked.' |
---|
628 | return None |
---|
629 | |
---|
630 | class CourseTicketProcessor(StudentProcessorBase): |
---|
631 | """The Course Ticket Processor imports course tickets, the subobjects |
---|
632 | of student study levels (= course lists). |
---|
633 | |
---|
634 | An imported course ticket contains a copy of the original course data. |
---|
635 | During import only a few attributes can be set/overwritten. |
---|
636 | |
---|
637 | Like all other student data importers, this processor also requires |
---|
638 | either `student_id`, `reg_number` or `matric_number` to find the student. |
---|
639 | Then it needs `level` and `code` to localize the course ticket. |
---|
640 | |
---|
641 | `checkConversion` first searches the courses catalog for the imported |
---|
642 | `code` and ensures that a course with such a code really exists |
---|
643 | in the academic section. It furthermore checks if `level_session` in |
---|
644 | the row corresponds with the session of the parent student |
---|
645 | study level object. It fails if one of the conditions is not met. |
---|
646 | |
---|
647 | In create mode `fcode`, `dcode`, `title`, `credits`, `passmark` and |
---|
648 | `semester` are taken from the course found in the academic section. |
---|
649 | `fcode` and `dcode` can nevermore be changed, neither via the user interface |
---|
650 | nor by import. Other values can be overwritten by import. |
---|
651 | """ |
---|
652 | grok.implements(IBatchProcessor) |
---|
653 | grok.provides(IBatchProcessor) |
---|
654 | grok.context(Interface) |
---|
655 | util_name = 'courseticketprocessor' |
---|
656 | grok.name(util_name) |
---|
657 | |
---|
658 | name = _('CourseTicket Processor') |
---|
659 | iface = ICourseTicketImport |
---|
660 | factory_name = 'waeup.CourseTicket' |
---|
661 | |
---|
662 | additional_fields = ['level', 'code'] |
---|
663 | additional_fields_required = additional_fields |
---|
664 | |
---|
665 | @property |
---|
666 | def available_fields(self): |
---|
667 | fields = [ |
---|
668 | 'student_id','reg_number','matric_number', |
---|
669 | 'mandatory', 'score', 'carry_over', 'automatic', |
---|
670 | 'outstanding', 'course_category', 'level_session', |
---|
671 | 'title', 'credits', 'passmark', 'semester' |
---|
672 | ] + self.additional_fields |
---|
673 | return sorted(fields) |
---|
674 | |
---|
675 | def getParent(self, row, site): |
---|
676 | student = self._getStudent(row, site) |
---|
677 | if student is None: |
---|
678 | return None |
---|
679 | return student['studycourse'].get(str(row['level'])) |
---|
680 | |
---|
681 | def getEntry(self, row, site): |
---|
682 | level = self.getParent(row, site) |
---|
683 | if level is None: |
---|
684 | return None |
---|
685 | return level.get(row['code']) |
---|
686 | |
---|
687 | def updateEntry(self, obj, row, site, filename): |
---|
688 | """Update obj to the values given in row. |
---|
689 | """ |
---|
690 | items_changed = super(CourseTicketProcessor, self).updateEntry( |
---|
691 | obj, row, site, filename) |
---|
692 | parent = self.getParent(row, site) |
---|
693 | student = self.getParent(row, site).__parent__.__parent__ |
---|
694 | student.__parent__.logger.info( |
---|
695 | '%s - %s - %s - %s - updated: %s' |
---|
696 | % (self.name, filename, student.student_id, parent.level, items_changed)) |
---|
697 | return |
---|
698 | |
---|
699 | def addEntry(self, obj, row, site): |
---|
700 | parent = self.getParent(row, site) |
---|
701 | catalog = getUtility(ICatalog, name='courses_catalog') |
---|
702 | entries = list(catalog.searchResults(code=(row['code'],row['code']))) |
---|
703 | obj.fcode = entries[0].__parent__.__parent__.__parent__.code |
---|
704 | obj.dcode = entries[0].__parent__.__parent__.code |
---|
705 | if getattr(obj, 'title', None) is None: |
---|
706 | obj.title = entries[0].title |
---|
707 | if getattr(obj, 'credits', None) is None: |
---|
708 | obj.credits = entries[0].credits |
---|
709 | if getattr(obj, 'passmark', None) is None: |
---|
710 | obj.passmark = entries[0].passmark |
---|
711 | if getattr(obj, 'semester', None) is None: |
---|
712 | obj.semester = entries[0].semester |
---|
713 | parent[row['code']] = obj |
---|
714 | return |
---|
715 | |
---|
716 | def delEntry(self, row, site): |
---|
717 | ticket = self.getEntry(row, site) |
---|
718 | parent = self.getParent(row, site) |
---|
719 | if ticket is not None: |
---|
720 | student = self._getStudent(row, site) |
---|
721 | student.__parent__.logger.info('%s - Course ticket in %s removed: %s' |
---|
722 | % (student.student_id, parent.level, ticket.code)) |
---|
723 | del parent[ticket.code] |
---|
724 | return |
---|
725 | |
---|
726 | def checkUpdateRequirements(self, obj, row, site): |
---|
727 | """ |
---|
728 | """ |
---|
729 | if obj.student.studycourse_locked: |
---|
730 | return 'Studycourse is locked.' |
---|
731 | return None |
---|
732 | |
---|
733 | def checkConversion(self, row, mode='ignore'): |
---|
734 | """Validates all values in row. |
---|
735 | """ |
---|
736 | errs, inv_errs, conv_dict = super( |
---|
737 | CourseTicketProcessor, self).checkConversion(row, mode=mode) |
---|
738 | if mode == 'remove': |
---|
739 | return errs, inv_errs, conv_dict |
---|
740 | # In update and create mode we have to check if course really exists. |
---|
741 | # This is not done by the converter. |
---|
742 | catalog = getUtility(ICatalog, name='courses_catalog') |
---|
743 | entries = catalog.searchResults(code=(row['code'],row['code'])) |
---|
744 | if len(entries) == 0: |
---|
745 | errs.append(('code','non-existent')) |
---|
746 | return errs, inv_errs, conv_dict |
---|
747 | # If level_session is provided in row we have to check if |
---|
748 | # the parent studylevel exists and if its level_session |
---|
749 | # attribute corresponds with the expected value in row. |
---|
750 | level_session = conv_dict.get('level_session', IGNORE_MARKER) |
---|
751 | if level_session not in (IGNORE_MARKER, None): |
---|
752 | site = grok.getSite() |
---|
753 | studylevel = self.getParent(row, site) |
---|
754 | if studylevel is not None: |
---|
755 | if studylevel.level_session != level_session: |
---|
756 | errs.append(('level_session','does not match %s' |
---|
757 | % studylevel.level_session)) |
---|
758 | else: |
---|
759 | errs.append(('level object','does not exist')) |
---|
760 | return errs, inv_errs, conv_dict |
---|
761 | |
---|
762 | class StudentOnlinePaymentProcessor(StudentProcessorBase): |
---|
763 | """The Student Online Payment Processor imports student payment tickets. |
---|
764 | The tickets are located in the ``payments`` subfolder of the student |
---|
765 | container. The only additional locator is `p_id`, the object id. |
---|
766 | |
---|
767 | The `checkConversion` method checks the format of the payment identifier. |
---|
768 | In create mode it does also ensures that same `p_id` does not exist |
---|
769 | elsewhere. It must be portal-wide unique. |
---|
770 | |
---|
771 | When adding a payment ticket, the `addEntry` method checks if the same |
---|
772 | payment has already been made. It compares `p_category` and `p_session` |
---|
773 | in the row with the corresponding attributes of existing payment |
---|
774 | tickets in state ``paid``. If they match, a `DuplicationError` is raised. |
---|
775 | """ |
---|
776 | grok.implements(IBatchProcessor) |
---|
777 | grok.provides(IBatchProcessor) |
---|
778 | grok.context(Interface) |
---|
779 | util_name = 'paymentprocessor' |
---|
780 | grok.name(util_name) |
---|
781 | |
---|
782 | name = _('StudentOnlinePayment Processor') |
---|
783 | iface = IStudentOnlinePayment |
---|
784 | factory_name = 'waeup.StudentOnlinePayment' |
---|
785 | |
---|
786 | additional_fields = ['p_id'] |
---|
787 | |
---|
788 | @property |
---|
789 | def available_fields(self): |
---|
790 | af = super( |
---|
791 | StudentOnlinePaymentProcessor, self).available_fields |
---|
792 | af.remove('display_item') |
---|
793 | return af |
---|
794 | |
---|
795 | def checkHeaders(self, headerfields, mode='ignore'): |
---|
796 | super(StudentOnlinePaymentProcessor, self).checkHeaders(headerfields) |
---|
797 | if mode in ('update', 'remove') and not 'p_id' in headerfields: |
---|
798 | raise FatalCSVError( |
---|
799 | "Need p_id for import in update and remove modes!") |
---|
800 | return True |
---|
801 | |
---|
802 | def parentsExist(self, row, site): |
---|
803 | return self.getParent(row, site) is not None |
---|
804 | |
---|
805 | def getParent(self, row, site): |
---|
806 | student = self._getStudent(row, site) |
---|
807 | if student is None: |
---|
808 | return None |
---|
809 | return student['payments'] |
---|
810 | |
---|
811 | def getEntry(self, row, site): |
---|
812 | payments = self.getParent(row, site) |
---|
813 | if payments is None: |
---|
814 | return None |
---|
815 | p_id = row.get('p_id', None) |
---|
816 | if p_id in (None, IGNORE_MARKER): |
---|
817 | return None |
---|
818 | # We can use the hash symbol at the end of p_id in import files |
---|
819 | # to avoid annoying automatic number transformation |
---|
820 | # by Excel or Calc |
---|
821 | p_id = p_id.strip('#') |
---|
822 | if len(p_id.split('-')) != 3 and not p_id.startswith('p'): |
---|
823 | # For data migration from old SRP only |
---|
824 | p_id = 'p' + p_id[7:] + '0' |
---|
825 | entry = payments.get(p_id) |
---|
826 | return entry |
---|
827 | |
---|
828 | def updateEntry(self, obj, row, site, filename): |
---|
829 | """Update obj to the values given in row. |
---|
830 | """ |
---|
831 | items_changed = super(StudentOnlinePaymentProcessor, self).updateEntry( |
---|
832 | obj, row, site, filename) |
---|
833 | student = self.getParent(row, site).__parent__ |
---|
834 | student.__parent__.logger.info( |
---|
835 | '%s - %s - %s - updated: %s' |
---|
836 | % (self.name, filename, student.student_id, items_changed)) |
---|
837 | return |
---|
838 | |
---|
839 | def samePaymentMade(self, student, category, p_session): |
---|
840 | for key in student['payments'].keys(): |
---|
841 | ticket = student['payments'][key] |
---|
842 | if ticket.p_state == 'paid' and\ |
---|
843 | ticket.p_category == category and \ |
---|
844 | ticket.p_session == p_session and \ |
---|
845 | ticket.p_item != 'Balance': |
---|
846 | return True |
---|
847 | return False |
---|
848 | |
---|
849 | def addEntry(self, obj, row, site): |
---|
850 | parent = self.getParent(row, site) |
---|
851 | student = parent.student |
---|
852 | p_id = row['p_id'].strip('#') |
---|
853 | # Requirement added on 19/02/2015: same payment must not exist. |
---|
854 | if obj.p_item != 'Balance' and self.samePaymentMade( |
---|
855 | student, obj.p_category, obj.p_session): |
---|
856 | student.__parent__.logger.info( |
---|
857 | '%s - %s - previous update cancelled' |
---|
858 | % (self.name, student.student_id)) |
---|
859 | raise DuplicationError('Same payment has already been made.') |
---|
860 | if len(p_id.split('-')) != 3 and not p_id.startswith('p'): |
---|
861 | # For data migration from old SRP |
---|
862 | obj.p_id = 'p' + p_id[7:] + '0' |
---|
863 | parent[obj.p_id] = obj |
---|
864 | else: |
---|
865 | parent[p_id] = obj |
---|
866 | return |
---|
867 | |
---|
868 | def delEntry(self, row, site): |
---|
869 | payment = self.getEntry(row, site) |
---|
870 | parent = self.getParent(row, site) |
---|
871 | if payment is not None: |
---|
872 | student = self._getStudent(row, site) |
---|
873 | student.__parent__.logger.info('%s - Payment ticket removed: %s' |
---|
874 | % (student.student_id, payment.p_id)) |
---|
875 | del parent[payment.p_id] |
---|
876 | return |
---|
877 | |
---|
878 | def checkConversion(self, row, mode='ignore'): |
---|
879 | """Validates all values in row. |
---|
880 | """ |
---|
881 | errs, inv_errs, conv_dict = super( |
---|
882 | StudentOnlinePaymentProcessor, self).checkConversion(row, mode=mode) |
---|
883 | |
---|
884 | # We have to check p_id. |
---|
885 | p_id = row.get('p_id', None) |
---|
886 | if mode == 'create' and p_id in (None, IGNORE_MARKER): |
---|
887 | timestamp = ("%d" % int(time()*10000))[1:] |
---|
888 | p_id = "p%s" % timestamp |
---|
889 | conv_dict['p_id'] = p_id |
---|
890 | return errs, inv_errs, conv_dict |
---|
891 | elif p_id in (None, IGNORE_MARKER): |
---|
892 | errs.append(('p_id','missing')) |
---|
893 | return errs, inv_errs, conv_dict |
---|
894 | else: |
---|
895 | p_id = p_id.strip('#') |
---|
896 | if p_id.startswith('p'): |
---|
897 | if not len(p_id) == 14: |
---|
898 | errs.append(('p_id','invalid length')) |
---|
899 | return errs, inv_errs, conv_dict |
---|
900 | elif len(p_id.split('-')) == 3: |
---|
901 | # The SRP used either pins as keys ... |
---|
902 | if len(p_id.split('-')[2]) not in (9, 10): |
---|
903 | errs.append(('p_id','invalid pin')) |
---|
904 | return errs, inv_errs, conv_dict |
---|
905 | else: |
---|
906 | # ... or order_ids. |
---|
907 | if not len(p_id) == 19: |
---|
908 | errs.append(('p_id','invalid format')) |
---|
909 | return errs, inv_errs, conv_dict |
---|
910 | # Requirement added on 24/01/2015: p_id must be portal-wide unique. |
---|
911 | if mode == 'create': |
---|
912 | cat = getUtility(ICatalog, name='payments_catalog') |
---|
913 | results = list(cat.searchResults(p_id=(p_id, p_id))) |
---|
914 | if len(results) > 0: |
---|
915 | sids = [IPayer(payment).id for payment in results] |
---|
916 | sids_string = '' |
---|
917 | for id in sids: |
---|
918 | sids_string += '%s ' % id |
---|
919 | errs.append(('p_id','p_id exists in %s' % sids_string)) |
---|
920 | return errs, inv_errs, conv_dict |
---|
921 | return errs, inv_errs, conv_dict |
---|
922 | |
---|
923 | class StudentVerdictProcessor(StudentStudyCourseProcessor): |
---|
924 | """The Student Verdict Processor inherits from the Student Study |
---|
925 | Course Processor. It's a pure updater. Import step 2 raises a warning |
---|
926 | message if a datacenter manager tries to select another mode. |
---|
927 | But it does more than only overwriting study course attributes. |
---|
928 | |
---|
929 | The Student Verdict Processor is the only processor which cannot be |
---|
930 | used for restoring data. Purpose is to announce a verdict at the end of |
---|
931 | each academic session. The processor does not only import a verdict, |
---|
932 | it also conditions the student data so that the student can pay for the |
---|
933 | next session and proceed to the next study level. |
---|
934 | |
---|
935 | The `checkUpdateRequirements` method ensures that the imported data |
---|
936 | really correspond to the actual state of the student. |
---|
937 | `current_level` and `current_session` in the row must be on par |
---|
938 | with the attributes of the study course object. Thus, the processor |
---|
939 | does not use these values to overwrite the attributes of the study course |
---|
940 | but to control that the verdict is really meant for the current session of |
---|
941 | the student. The verdict is only imported if a corresponding study level |
---|
942 | object exists and the student is in the right registration state, |
---|
943 | either ``courses validated`` or ``courses registered``. Course registration |
---|
944 | can be bypassed by setting `bypass_validation` to ``True``. |
---|
945 | |
---|
946 | The `updateEntry` method does not only update the current verdict of |
---|
947 | the student study course, it also updates the matching student study |
---|
948 | level object. It saves the current verdict as `level_verdict` and sets |
---|
949 | the `validated_by` and `validation_date` attributes, whereas `validated_by` |
---|
950 | is taken from the row of the import file and `validation_date` is set to the |
---|
951 | actual UTC datetime. Finally, the student is moved to state ``returning``. |
---|
952 | """ |
---|
953 | |
---|
954 | util_name = 'verdictupdater' |
---|
955 | grok.name(util_name) |
---|
956 | |
---|
957 | name = _('Verdict Processor (special processor, update only)') |
---|
958 | iface = IStudentVerdictUpdate |
---|
959 | factory_name = 'waeup.StudentStudyCourse' |
---|
960 | |
---|
961 | additional_fields_required = [ |
---|
962 | 'current_level', 'current_session', 'current_verdict'] |
---|
963 | |
---|
964 | def checkUpdateRequirements(self, obj, row, site): |
---|
965 | """Checks requirements the studycourse and the student must fulfill |
---|
966 | before being updated. |
---|
967 | """ |
---|
968 | # Check if current_levels correspond |
---|
969 | if obj.current_level != row['current_level']: |
---|
970 | return 'Current level does not correspond.' |
---|
971 | # Check if current_sessions correspond |
---|
972 | if obj.current_session != row['current_session']: |
---|
973 | return 'Current session does not correspond.' |
---|
974 | # Check if new verdict is provided |
---|
975 | if row['current_verdict'] in (IGNORE_MARKER, ''): |
---|
976 | return 'No verdict in import file.' |
---|
977 | # Check if studylevel exists |
---|
978 | level_string = str(obj.current_level) |
---|
979 | if obj.get(level_string) is None: |
---|
980 | return 'Study level object is missing.' |
---|
981 | # Check if student is in state REGISTERED or VALIDATED |
---|
982 | if row.get('bypass_validation'): |
---|
983 | if obj.student.state not in (VALIDATED, REGISTERED): |
---|
984 | return 'Student in wrong state.' |
---|
985 | else: |
---|
986 | if obj.student.state != VALIDATED: |
---|
987 | return 'Student in wrong state.' |
---|
988 | return None |
---|
989 | |
---|
990 | def updateEntry(self, obj, row, site, filename): |
---|
991 | """Update obj to the values given in row. |
---|
992 | """ |
---|
993 | # Don't set current_session, current_level |
---|
994 | vals_to_set = dict((key, val) for key, val in row.items() |
---|
995 | if key not in ('current_session','current_level')) |
---|
996 | super(StudentVerdictProcessor, self).updateEntry( |
---|
997 | obj, vals_to_set, site, filename) |
---|
998 | parent = self.getParent(row, site) |
---|
999 | # Set current_verdict in corresponding studylevel |
---|
1000 | level_string = str(obj.current_level) |
---|
1001 | obj[level_string].level_verdict = row['current_verdict'] |
---|
1002 | # Fire transition and set studylevel attributes |
---|
1003 | # depending on student's state |
---|
1004 | if obj.__parent__.state == REGISTERED: |
---|
1005 | validated_by = row.get('validated_by', '') |
---|
1006 | if validated_by in (IGNORE_MARKER, ''): |
---|
1007 | portal_language = getUtility(IKofaUtils).PORTAL_LANGUAGE |
---|
1008 | system = translate(_('System'),'waeup.kofa', |
---|
1009 | target_language=portal_language) |
---|
1010 | obj[level_string].validated_by = system |
---|
1011 | else: |
---|
1012 | obj[level_string].validated_by = validated_by |
---|
1013 | obj[level_string].validation_date = datetime.utcnow() |
---|
1014 | IWorkflowInfo(obj.__parent__).fireTransition('bypass_validation') |
---|
1015 | else: |
---|
1016 | IWorkflowInfo(obj.__parent__).fireTransition('return') |
---|
1017 | # Update the students_catalog |
---|
1018 | notify(grok.ObjectModifiedEvent(obj.__parent__)) |
---|
1019 | return |
---|