]> git.llucax.com Git - software/sercom.git/blob - sercom/model.py
Arreglar bug en ParamsValidator de ParamsCol.
[software/sercom.git] / sercom / model.py
1 # vim: set et sw=4 sts=4 encoding=utf-8 foldmethod=marker :
2
3 from datetime import datetime
4 from turbogears.database import PackageHub
5 from sqlobject import *
6 from sqlobject.sqlbuilder import *
7 from sqlobject.inheritance import InheritableSQLObject
8 from sqlobject.col import PickleValidator, UnicodeStringValidator
9 from turbogears import identity
10 from turbogears.identity import encrypt_password as encryptpw
11 from sercom.validators import params_to_list, ParseError
12 from formencode import Invalid
13
14 hub = PackageHub("sercom")
15 __connection__ = hub
16
17 __all__ = ('Curso', 'Usuario', 'Docente', 'Alumno', 'Tarea', 'CasoDePrueba')
18
19 #{{{ Custom Columns
20
21 class TupleValidator(PickleValidator):
22     """
23     Validator for tuple types.  A tuple type is simply a pickle type
24     that validates that the represented type is a tuple.
25     """
26     def to_python(self, value, state):
27         value = super(TupleValidator, self).to_python(value, state)
28         if value is None:
29             return None
30         if isinstance(value, tuple):
31             return value
32         raise Invalid("expected a tuple in the TupleCol '%s', got %s %r instead" % \
33             (self.name, type(value), value), value, state)
34     def from_python(self, value, state):
35         if value is None:
36             return None
37         if not isinstance(value, tuple):
38             raise Invalid("expected a tuple in the TupleCol '%s', got %s %r instead" % \
39                 (self.name, type(value), value), value, state)
40         return super(TupleValidator, self).from_python(value, state)
41
42 class SOTupleCol(SOPickleCol):
43     def createValidators(self):
44         return [TupleValidator(name=self.name)] \
45             + super(SOPickleCol, self).createValidators()
46
47 class TupleCol(PickleCol):
48     baseClass = SOTupleCol
49
50 class ParamsValidator(UnicodeStringValidator):
51     def to_python(self, value, state):
52         if isinstance(value, basestring) or value is None:
53             value = super(ParamsValidator, self).to_python(value, state)
54             try:
55                 value = params_to_list(value)
56             except ParseError, e:
57                 raise Invalid("invalid parameters in the ParamsCol '%s', parse "
58                     "error: %s" % (self.name, e), value, state)
59         elif not isinstance(value, (list, tuple)):
60             raise Invalid("expected a tuple, list or valid string in the "
61                 "ParamsCol '%s', got %s %r instead"
62                     % (self.name, type(value), value), value, state)
63         return value
64     def from_python(self, value, state):
65         if isinstance(value, (list, tuple)):
66             value = ' '.join([repr(p) for p in value])
67         elif isinstance(value, basestring) or value is None:
68             value = super(ParamsValidator, self).to_python(value, state)
69             try:
70                 params_to_list(value)
71             except ParseError, e:
72                 raise Invalid("invalid parameters in the ParamsCol '%s', parse "
73                     "error: %s" % (self.name, e), value, state)
74         else:
75             raise Invalid("expected a tuple, list or valid string in the "
76                 "ParamsCol '%s', got %s %r instead"
77                     % (self.name, type(value), value), value, state)
78         return value
79
80 class SOParamsCol(SOUnicodeCol):
81     def createValidators(self):
82         return [ParamsValidator(db_encoding=self.dbEncoding, name=self.name)] \
83             + super(SOParamsCol, self).createValidators()
84
85 class ParamsCol(UnicodeCol):
86     baseClass = SOParamsCol
87
88 #}}}
89
90 #{{{ Tablas intermedias
91
92 # BUG en SQLObject, SQLExpression no tiene cálculo de hash pero se usa como
93 # key de un dict. Workarround hasta que lo arreglen.
94 SQLExpression.__hash__ = lambda self: hash(str(self))
95
96 instancia_tarea_t = table.instancia_tarea
97
98 enunciado_tarea_t = table.enunciado_tarea
99
100 dependencia_t = table.dependencia
101
102 #}}}
103
104 #{{{ Clases
105
106 def srepr(obj): #{{{
107     if obj is not None:
108         return obj.shortrepr()
109     return obj
110 #}}}
111
112 class ByObject(object): #{{{
113     @classmethod
114     def by(cls, **kw):
115         try:
116             return cls.selectBy(**kw)[0]
117         except IndexError:
118             raise SQLObjectNotFound, "The object %s with columns %s does not exist" % (cls.__name__, kw)
119 #}}}
120
121 class Curso(SQLObject, ByObject): #{{{
122     # Clave
123     anio            = IntCol(notNone=True)
124     cuatrimestre    = IntCol(notNone=True)
125     numero          = IntCol(notNone=True)
126     pk              = DatabaseIndex(anio, cuatrimestre, numero, unique=True)
127     # Campos
128     descripcion     = UnicodeCol(length=255, default=None)
129     # Joins
130     docentes        = MultipleJoin('DocenteInscripto')
131     alumnos         = MultipleJoin('AlumnoInscripto')
132     grupos          = MultipleJoin('Grupo')
133     ejercicios      = MultipleJoin('Ejercicio', orderBy='numero')
134
135     def __init__(self, docentes=[], ejercicios=[], **kargs):
136         super(Curso, self).__init__(**kargs)
137         for d in docentes:
138             self.add_docente(d)
139         for (n, e) in enumerate(ejercicios):
140             self.add_ejercicio(n, e)
141
142     def add_docente(self, docente, **kargs):
143         return DocenteInscripto(curso=self, docente=docente, **kargs)
144
145     def add_alumno(self, alumno, **kargs):
146         return AlumnoInscripto(curso=self, alumno=alumno, **kargs)
147
148     def add_grupo(self, nombre, **kargs):
149         return Grupo(curso=self, nombre=unicode(nombre), **kargs)
150
151     def add_ejercicio(self, numero, enunciado, **kargs):
152         return Ejercicio(curso=self, numero=numero, enunciado=enunciado, **kargs)
153
154     def __repr__(self):
155         return 'Curso(id=%s, anio=%s, cuatrimestre=%s, numero=%s, ' \
156             'descripcion=%s)' \
157                 % (self.id, self.anio, self.cuatrimestre, self.numero,
158                     self.descripcion)
159
160     def shortrepr(self):
161         return '%s.%s.%s' \
162             % (self.anio, self.cuatrimestre, self.numero)
163 #}}}
164
165 class Usuario(InheritableSQLObject, ByObject): #{{{
166     # Clave (para docentes puede ser un nombre de usuario arbitrario)
167     usuario         = UnicodeCol(length=10, alternateID=True)
168     # Campos
169     contrasenia     = UnicodeCol(length=255, default=None)
170     nombre          = UnicodeCol(length=255, notNone=True)
171     email           = UnicodeCol(length=255, default=None)
172     telefono        = UnicodeCol(length=255, default=None)
173     creado          = DateTimeCol(notNone=True, default=DateTimeCol.now)
174     observaciones   = UnicodeCol(default=None)
175     activo          = BoolCol(notNone=True, default=True)
176     # Joins
177     roles           = RelatedJoin('Rol')
178
179     def __init__(self, password=None, roles=[], **kargs):
180         passwd = password and encryptpw(password)
181         super(Usuario, self).__init__(contrasenia=passwd, **kargs)
182         for r in roles:
183             self.addRol(r)
184
185     def _get_user_name(self): # para identity
186         return self.usuario
187
188     @classmethod
189     def by_user_name(cls, user_name): # para identity
190         user = cls.byUsuario(user_name)
191         if not user.activo:
192             raise SQLObjectNotFound, "The object %s with user_name %s is " \
193                 "not active" % (cls.__name__, user_name)
194         return user
195
196     def _get_groups(self): # para identity
197         return self.roles
198
199     def _get_permissions(self): # para identity
200         perms = set()
201         for r in self.roles:
202             perms.update(r.permisos)
203         return perms
204
205     _get_permisos = _get_permissions
206
207     def _set_password(self, cleartext_password): # para identity
208         self.contrasenia = encryptpw(cleartext_password)
209
210     def _get_password(self): # para identity
211         return self.contrasenia
212
213     def __repr__(self):
214         raise NotImplementedError, _('Clase abstracta!')
215
216     def shortrepr(self):
217         return '%s (%s)' % (self.usuario, self.nombre)
218 #}}}
219
220 class Docente(Usuario): #{{{
221     _inheritable = False
222     # Campos
223     nombrado        = BoolCol(notNone=True, default=True)
224     # Joins
225     enunciados      = MultipleJoin('Enunciado', joinColumn='autor_id')
226     inscripciones   = MultipleJoin('DocenteInscripto')
227
228     def __init__(self, **kargs):
229         super(Docente, self).__init__(**kargs)
230
231     def add_entrega(self, instancia, **kargs):
232         return Entrega(instancia=instancia, **kargs)
233
234     def add_enunciado(self, nombre, anio, cuatrimestre, **kargs):
235         return Enunciado(nombre=nombre, anio=anio, cuatrimestre=cuatrimestre,
236             autor=self, **kargs)
237
238     def __repr__(self):
239         return 'Docente(id=%s, usuario=%s, nombre=%s, password=%s, email=%s, ' \
240             'telefono=%s, activo=%s, creado=%s, observaciones=%s)' \
241                 % (self.id, self.usuario, self.nombre, self.password,
242                     self.email, self.telefono, self.activo, self.creado,
243                     self.observaciones)
244 #}}}
245
246 class Alumno(Usuario): #{{{
247     _inheritable = False
248     # Campos
249     nota            = DecimalCol(size=3, precision=1, default=None)
250     # Joins
251     inscripciones   = MultipleJoin('AlumnoInscripto')
252
253     def __init__(self, padron=None, **kargs):
254         if padron: kargs['usuario'] = padron
255         super(Alumno, self).__init__(**kargs)
256
257     def _get_padron(self): # alias para poder referirse al alumno por padron
258         return self.usuario
259
260     def _set_padron(self, padron):
261         self.usuario = padron
262
263     def __repr__(self):
264         return 'Alumno(id=%s, padron=%s, nombre=%s, password=%s, email=%s, ' \
265             'telefono=%s, activo=%s, creado=%s, observaciones=%s)' \
266                 % (self.id, self.padron, self.nombre, self.password, self.email,
267                     self.telefono, self.activo, self.creado, self.observaciones)
268 #}}}
269
270 class Tarea(InheritableSQLObject, ByObject): #{{{
271     # Clave
272     nombre          = UnicodeCol(length=30, alternateID=True)
273     # Campos
274     descripcion     = UnicodeCol(length=255, default=None)
275     # Joins
276
277     def __init__(self, dependencias=(), **kargs):
278         super(Tarea, self).__init__(**kargs)
279         if dependencias:
280             self.dependencias = dependencias
281
282     def _get_dependencias(self):
283         OtherTarea = Alias(Tarea, 'other_tarea')
284         self.__dependencias = tuple(Tarea.select(
285             AND(
286                 Tarea.q.id == dependencia_t.hijo_id,
287                 OtherTarea.q.id == dependencia_t.padre_id,
288                 self.id == dependencia_t.padre_id,
289             ),
290             clauseTables=(dependencia_t,),
291             orderBy=dependencia_t.orden,
292         ))
293         return self.__dependencias
294
295     def _set_dependencias(self, dependencias):
296         orden = {}
297         for i, t in enumerate(dependencias):
298             orden[t.id] = i
299         new = frozenset([t.id for t in dependencias])
300         old = frozenset([t.id for t in self.dependencias])
301         dependencias = dict([(t.id, t) for t in dependencias])
302         for tid in old - new: # eliminadas
303             self._connection.query(str(Delete(dependencia_t, where=AND(
304                 dependencia_t.padre_id == self.id,
305                 dependencia_t.hijo_id == tid))))
306         for tid in new - old: # creadas
307             self._connection.query(str(Insert(dependencia_t, values=dict(
308                 padre_id=self.id, hijo_id=tid, orden=orden[tid]
309             ))))
310         for tid in new & old: # actualizados
311             self._connection.query(str(Update(dependencia_t,
312                 values=dict(orden=orden[tid]), where=AND(
313                     dependencia_t.padre_id == self.id,
314                     dependencia_t.hijo_id == tid,
315                 ))))
316
317     def __repr__(self):
318         return 'Tarea(id=%s, nombre=%s, descripcion=%s)' \
319                 % (self.id, self.nombre, self.descripcion)
320
321     def shortrepr(self):
322         return self.nombre
323 #}}}
324
325 class Enunciado(SQLObject, ByObject): #{{{
326     # Clave
327     nombre          = UnicodeCol(length=60)
328     anio            = IntCol(notNone=True)
329     cuatrimestre    = IntCol(notNone=True)
330     pk              = DatabaseIndex(nombre, anio, cuatrimestre, unique=True)
331     # Campos
332     autor           = ForeignKey('Docente')
333     descripcion     = UnicodeCol(length=255, default=None)
334     creado          = DateTimeCol(notNone=True, default=DateTimeCol.now)
335     archivo         = BLOBCol(default=None)
336     archivo_name    = UnicodeCol(length=255, default=None)
337     archivo_type    = UnicodeCol(length=255, default=None)
338     # Joins
339     ejercicios      = MultipleJoin('Ejercicio')
340     casos_de_prueba = MultipleJoin('CasoDePrueba')
341
342     def __init__(self, tareas=(), **kargs):
343         super(Enunciado, self).__init__(**kargs)
344         if tareas:
345             self.tareas = tareas
346
347     @classmethod
348     def selectByCurso(self, curso):
349         return Enunciado.selectBy(cuatrimestre=curso.cuatrimestre, anio=curso.anio)
350
351     def add_caso_de_prueba(self, nombre, **kargs):
352         return CasoDePrueba(enunciado=self, nombre=nombre, **kargs)
353
354     def _get_tareas(self):
355         self.__tareas = tuple(Tarea.select(
356             AND(
357                 Tarea.q.id == enunciado_tarea_t.tarea_id,
358                 Enunciado.q.id == enunciado_tarea_t.enunciado_id,
359                 Enunciado.q.id == self.id
360             ),
361             clauseTables=(enunciado_tarea_t, Enunciado.sqlmeta.table),
362             orderBy=enunciado_tarea_t.orden,
363         ))
364         return self.__tareas
365
366     def _set_tareas(self, tareas):
367         orden = {}
368         for i, t in enumerate(tareas):
369             orden[t.id] = i
370         new = frozenset([t.id for t in tareas])
371         old = frozenset([t.id for t in self.tareas])
372         tareas = dict([(t.id, t) for t in tareas])
373         for tid in old - new: # eliminadas
374             self._connection.query(str(Delete(enunciado_tarea_t, where=AND(
375                 enunciado_tarea_t.enunciado_id == self.id,
376                 enunciado_tarea_t.tarea_id == tid))))
377         for tid in new - old: # creadas
378             self._connection.query(str(Insert(enunciado_tarea_t, values=dict(
379                 enunciado_id=self.id, tarea_id=tid, orden=orden[tid]
380             ))))
381         for tid in new & old: # actualizados
382             self._connection.query(str(Update(enunciado_tarea_t,
383                 values=dict(orden=orden[tid]), where=AND(
384                     enunciado_tarea_t.enunciado_id == self.id,
385                     enunciado_tarea_t.tarea_id == tid,
386                 ))))
387
388     def __repr__(self):
389         return 'Enunciado(id=%s, autor=%s, nombre=%s, descripcion=%s, ' \
390             'creado=%s)' \
391                 % (self.id, srepr(self.autor), self.nombre, self.descripcion, \
392                     self.creado)
393
394     def shortrepr(self):
395         return self.nombre
396 #}}}
397
398 class CasoDePrueba(SQLObject): #{{{
399     # Clave
400     enunciado       = ForeignKey('Enunciado')
401     nombre          = UnicodeCol(length=40, notNone=True)
402     pk              = DatabaseIndex(enunciado, nombre, unique=True)
403     # Campos
404 #    privado         = IntCol(default=None) TODO iria en instancia_de_entrega_caso_de_prueba
405     parametros      = ParamsCol(length=255, default=None)
406     retorno         = IntCol(default=None)
407     tiempo_cpu      = FloatCol(default=None)
408     descripcion     = UnicodeCol(length=255, default=None)
409     # Joins
410     pruebas         = MultipleJoin('Prueba')
411
412     def __repr__(self):
413         return 'CasoDePrueba(enunciado=%s, nombre=%s, parametros=%s, ' \
414             'retorno=%s, tiempo_cpu=%s, descripcion=%s)' \
415                 % (srepr(self.enunciado), self.nombre, self.parametros,
416                     self.retorno, self.tiempo_cpu, self.descripcion)
417
418     def shortrepr(self):
419         return '%s:%s' % (self.enunciado.shortrepr(), self.nombre)
420 #}}}
421
422 class Ejercicio(SQLObject, ByObject): #{{{
423     # Clave
424     curso           = ForeignKey('Curso', notNone=True)
425     numero          = IntCol(notNone=True)
426     pk              = DatabaseIndex(curso, numero, unique=True)
427     # Campos
428     enunciado       = ForeignKey('Enunciado', notNone=True)
429     grupal          = BoolCol(notNone=True, default=False)
430     # Joins
431     instancias      = MultipleJoin('InstanciaDeEntrega')
432
433     def add_instancia(self, numero, inicio, fin, **kargs):
434         return InstanciaDeEntrega(ejercicio=self, numero=numero, inicio=inicio,
435             fin=fin, **kargs)
436
437     def __repr__(self):
438         return 'Ejercicio(id=%s, curso=%s, numero=%s, enunciado=%s, ' \
439             'grupal=%s)' \
440                 % (self.id, self.curso.shortrepr(), self.numero,
441                     self.enunciado.shortrepr(), self.grupal)
442
443     def shortrepr(self):
444         return '(%s, %s, %s)' \
445             % (self.curso.shortrepr(), str(self.numero), \
446                 self.enunciado.shortrepr())
447 #}}}
448
449 class InstanciaDeEntrega(SQLObject, ByObject): #{{{
450     # Clave
451     ejercicio       = ForeignKey('Ejercicio', notNone=True)
452     numero          = IntCol(notNone=True)
453     # Campos
454     inicio          = DateTimeCol(notNone=True)
455     fin             = DateTimeCol(notNone=True)
456     procesada       = BoolCol(notNone=True, default=False)
457     observaciones   = UnicodeCol(default=None)
458     activo          = BoolCol(notNone=True, default=True)
459     # Joins
460     entregas        = MultipleJoin('Entrega', joinColumn='instancia_id')
461     correcciones    = MultipleJoin('Correccion', joinColumn='instancia_id')
462     casos_de_prueba = RelatedJoin('CasoDePrueba') # TODO CasoInstancia -> private
463
464     def __init__(self, tareas=(), **kargs):
465         super(InstanciaDeEntrega, self).__init__(**kargs)
466         if tareas:
467             self.tareas = tareas
468
469     def _get_tareas(self):
470         self.__tareas = tuple(Tarea.select(
471             AND(
472                 Tarea.q.id == instancia_tarea_t.tarea_id,
473                 InstanciaDeEntrega.q.id == instancia_tarea_t.instancia_id,
474                 InstanciaDeEntrega.q.id == self.id,
475             ),
476             clauseTables=(instancia_tarea_t, InstanciaDeEntrega.sqlmeta.table),
477             orderBy=instancia_tarea_t.orden,
478         ))
479         return self.__tareas
480
481     def _set_tareas(self, tareas):
482         orden = {}
483         for i, t in enumerate(tareas):
484             orden[t.id] = i
485         new = frozenset([t.id for t in tareas])
486         old = frozenset([t.id for t in self.tareas])
487         tareas = dict([(t.id, t) for t in tareas])
488         for tid in old - new: # eliminadas
489             self._connection.query(str(Delete(instancia_tarea_t, where=AND(
490                 instancia_tarea_t.instancia_id == self.id,
491                 instancia_tarea_t.tarea_id == tid))))
492         for tid in new - old: # creadas
493             self._connection.query(str(Insert(instancia_tarea_t, values=dict(
494                 instancia_id=self.id, tarea_id=tid, orden=orden[tid]
495             ))))
496         for tid in new & old: # actualizados
497             self._connection.query(str(Update(instancia_tarea_t,
498                 values=dict(orden=orden[tid]), where=AND(
499                     instancia_tarea_t.instancia_id == self.id,
500                     instancia_tarea_t.tarea_id == tid,
501                 ))))
502
503     def __repr__(self):
504         return 'InstanciaDeEntrega(id=%s, numero=%s, inicio=%s, fin=%s, ' \
505             'procesada=%s, observaciones=%s, activo=%s)' \
506                 % (self.id, self.numero, self.inicio, self.fin,
507                     self.procesada, self.observaciones, self.activo)
508
509     def shortrepr(self):
510         return self.numero
511 #}}}
512
513 class DocenteInscripto(SQLObject, ByObject): #{{{
514     # Clave
515     curso           = ForeignKey('Curso', notNone=True)
516     docente         = ForeignKey('Docente', notNone=True)
517     pk              = DatabaseIndex(curso, docente, unique=True)
518     # Campos
519     corrige         = BoolCol(notNone=True, default=True)
520     observaciones   = UnicodeCol(default=None)
521     # Joins
522     alumnos         = MultipleJoin('AlumnoInscripto', joinColumn='tutor_id')
523     tutorias        = MultipleJoin('Tutor', joinColumn='docente_id')
524     entregas        = MultipleJoin('Entrega', joinColumn='instancia_id')
525     correcciones    = MultipleJoin('Correccion', joinColumn='corrector_id')
526
527     def add_correccion(self, entrega, **kargs):
528         return Correccion(instancia=entrega.instancia, entrega=entrega,
529             entregador=entrega.entregador, corrector=self, **kargs)
530
531     def __repr__(self):
532         return 'DocenteInscripto(id=%s, docente=%s, corrige=%s, ' \
533             'observaciones=%s' \
534                 % (self.id, self.docente.shortrepr(), self.corrige,
535                     self.observaciones)
536
537     def shortrepr(self):
538         return self.docente.shortrepr()
539 #}}}
540
541 class Entregador(InheritableSQLObject, ByObject): #{{{
542     # Campos
543     nota            = DecimalCol(size=3, precision=1, default=None)
544     nota_cursada    = DecimalCol(size=3, precision=1, default=None)
545     observaciones   = UnicodeCol(default=None)
546     activo          = BoolCol(notNone=True, default=True)
547     # Joins
548     entregas        = MultipleJoin('Entrega')
549     correcciones    = MultipleJoin('Correccion')
550
551     def add_entrega(self, instancia, **kargs):
552         return Entrega(instancia=instancia, entregador=self, **kargs)
553
554     def __repr__(self):
555         raise NotImplementedError, 'Clase abstracta!'
556 #}}}
557
558 class Grupo(Entregador): #{{{
559     _inheritable = False
560     # Clave
561     curso           = ForeignKey('Curso', notNone=True)
562     nombre          = UnicodeCol(length=20, notNone=True)
563     # Campos
564     responsable     = ForeignKey('AlumnoInscripto', default=None)
565     # Joins
566     miembros        = MultipleJoin('Miembro')
567     tutores         = MultipleJoin('Tutor')
568
569     def __init__(self, miembros=[], tutores=[], **kargs):
570         super(Grupo, self).__init__(**kargs)
571         for a in miembros:
572             self.add_miembro(a)
573         for d in tutores:
574             self.add_tutor(d)
575
576     def add_miembro(self, alumno, **kargs):
577         return Miembro(grupo=self, alumno=alumno, **kargs)
578
579     def add_tutor(self, docente, **kargs):
580         return Tutor(grupo=self, docente=docente, **kargs)
581
582     def __repr__(self):
583         return 'Grupo(id=%s, nombre=%s, responsable=%s, nota=%s, ' \
584             'nota_cursada=%s, observaciones=%s, activo=%s)' \
585                 % (self.id, self.nombre, srepr(self.responsable), self.nota,
586                     self.nota_cursada, self.observaciones, self.activo)
587
588     def shortrepr(self):
589         return 'grupo:' + self.nombre
590 #}}}
591
592 class AlumnoInscripto(Entregador): #{{{
593     _inheritable = False
594     # Clave
595     curso               = ForeignKey('Curso', notNone=True)
596     alumno              = ForeignKey('Alumno', notNone=True)
597     pk                  = DatabaseIndex(curso, alumno, unique=True)
598     # Campos
599     condicional         = BoolCol(notNone=True, default=False)
600     tutor               = ForeignKey('DocenteInscripto', default=None)
601     # Joins
602     responsabilidades   = MultipleJoin('Grupo', joinColumn='responsable_id')
603     membresias          = MultipleJoin('Miembro', joinColumn='alumno_id')
604     entregas            = MultipleJoin('Entrega', joinColumn='alumno_id')
605     correcciones        = MultipleJoin('Correccion', joinColumn='alumno_id')
606
607     def __repr__(self):
608         return 'AlumnoInscripto(id=%s, alumno=%s, condicional=%s, nota=%s, ' \
609             'nota_cursada=%s, tutor=%s, observaciones=%s, activo=%s)' \
610                 % (self.id, self.alumno.shortrepr(), self.condicional,
611                     self.nota, self.nota_cursada, srepr(self.tutor),
612                     self.observaciones, self.activo)
613
614     def shortrepr(self):
615         return self.alumno.shortrepr()
616 #}}}
617
618 class Tutor(SQLObject, ByObject): #{{{
619     # Clave
620     grupo           = ForeignKey('Grupo', notNone=True)
621     docente         = ForeignKey('DocenteInscripto', notNone=True)
622     pk              = DatabaseIndex(grupo, docente, unique=True)
623     # Campos
624     alta            = DateTimeCol(notNone=True, default=DateTimeCol.now)
625     baja            = DateTimeCol(default=None)
626
627     def __repr__(self):
628         return 'Tutor(docente=%s, grupo=%s, alta=%s, baja=%s)' \
629                 % (self.docente.shortrepr(), self.grupo.shortrepr(),
630                     self.alta, self.baja)
631
632     def shortrepr(self):
633         return '%s-%s' % (self.docente.shortrepr(), self.grupo.shortrepr())
634 #}}}
635
636 class Miembro(SQLObject, ByObject): #{{{
637     # Clave
638     grupo           = ForeignKey('Grupo', notNone=True)
639     alumno          = ForeignKey('AlumnoInscripto', notNone=True)
640     pk              = DatabaseIndex(grupo, alumno, unique=True)
641     # Campos
642     nota            = DecimalCol(size=3, precision=1, default=None)
643     alta            = DateTimeCol(notNone=True, default=DateTimeCol.now)
644     baja            = DateTimeCol(default=None)
645
646     def __repr__(self):
647         return 'Miembro(alumno=%s, grupo=%s, nota=%s, alta=%s, baja=%s)' \
648                 % (self.alumno.shortrepr(), self.grupo.shortrepr(),
649                     self.nota, self.alta, self.baja)
650
651     def shortrepr(self):
652         return '%s-%s' % (self.alumno.shortrepr(), self.grupo.shortrepr())
653 #}}}
654
655 class Entrega(SQLObject, ByObject): #{{{
656     # Clave
657     instancia       = ForeignKey('InstanciaDeEntrega', notNone=True)
658     entregador      = ForeignKey('Entregador', default=None) # Si es None era un Docente
659     fecha           = DateTimeCol(notNone=True, default=DateTimeCol.now)
660     pk              = DatabaseIndex(instancia, entregador, fecha, unique=True)
661     # Campos
662     correcta        = BoolCol(notNone=True, default=False)
663     observaciones   = UnicodeCol(default=None)
664     # Joins
665     tareas          = MultipleJoin('TareaEjecutada')
666     # Para generar código
667     codigo_dict     = r'0123456789abcdefghijklmnopqrstuvwxyz_.,*@#+'
668     codigo_format   = r'%m%d%H%M%S'
669
670     def add_tarea_ejecutada(self, tarea, **kargs):
671         return TareaEjecutada(tarea=tarea, entrega=self, **kargs)
672
673     def _get_codigo(self):
674         if not hasattr(self, '_codigo'): # cache
675             n = long(self.fecha.strftime(Entrega.codigo_format))
676             d = Entrega.codigo_dict
677             l = len(d)
678             res = ''
679             while n:
680                     res += d[n % l]
681                     n /= l
682             self._codigo = res
683         return self._codigo
684
685     def _set_fecha(self, fecha):
686         self._SO_set_fecha(fecha)
687         if hasattr(self, '_codigo'): del self._codigo # bye, bye cache!
688
689     def __repr__(self):
690         return 'Entrega(instancia=%s, entregador=%s, codigo=%s, fecha=%s, ' \
691             'correcta=%s, observaciones=%s)' \
692                 % (self.instancia.shortrepr(), srepr(self.entregador),
693                     self.codigo, self.fecha, self.correcta, self.observaciones)
694
695     def shortrepr(self):
696         return '%s-%s-%s' % (self.instancia.shortrepr(), srepr(self.entregador),
697             self.codigo)
698 #}}}
699
700 class Correccion(SQLObject, ByObject): #{{{
701     # Clave
702     instancia       = ForeignKey('InstanciaDeEntrega', notNone=True)
703     entregador      = ForeignKey('Entregador', notNone=True) # Docente no tiene
704     pk              = DatabaseIndex(instancia, entregador, unique=True)
705     # Campos
706     entrega         = ForeignKey('Entrega', notNone=True)
707     corrector       = ForeignKey('DocenteInscripto', notNone=True)
708     asignado        = DateTimeCol(notNone=True, default=DateTimeCol.now)
709     corregido       = DateTimeCol(default=None)
710     nota            = DecimalCol(size=3, precision=1, default=None)
711     observaciones   = UnicodeCol(default=None)
712
713     def __repr__(self):
714         return 'Correccion(instancia=%s, entregador=%s, entrega=%s, ' \
715             'corrector=%s, asignado=%s, corregido=%s, nota=%s, ' \
716             'observaciones=%s)' \
717                 % (self.instancia.shortrepr(), self.entregador.shortrepr(),
718                     self.entrega.shortrepr(), self.corrector, self.asignado,
719                     self.corregido, self.nota, self.observaciones)
720
721     def shortrepr(self):
722         return '%s,%s' % (self.entrega.shortrepr(), self.corrector.shortrepr())
723 #}}}
724
725 class TareaEjecutada(InheritableSQLObject, ByObject): #{{{
726     # Clave
727     tarea           = ForeignKey('Tarea', notNone=True)
728     entrega         = ForeignKey('Entrega', notNone=True)
729     pk              = DatabaseIndex(tarea, entrega, unique=True)
730     # Campos
731     inicio          = DateTimeCol(notNone=True, default=DateTimeCol.now)
732     fin             = DateTimeCol(default=None)
733     exito           = IntCol(default=None)
734     observaciones   = UnicodeCol(default=None)
735     # Joins
736     pruebas         = MultipleJoin('Prueba')
737
738     def add_prueba(self, caso_de_prueba, **kargs):
739         return Prueba(tarea_ejecutada=self, caso_de_prueba=caso_de_prueba,
740             **kargs)
741
742     def __repr__(self):
743         return 'TareaEjecutada(tarea=%s, entrega=%s, inicio=%s, fin=%s, ' \
744             'exito=%s, observaciones=%s)' \
745                 % (self.tarea.shortrepr(), self.entrega.shortrepr(),
746                     self.inicio, self.fin, self.exito, self.observaciones)
747
748     def shortrepr(self):
749         return '%s-%s' % (self.tarea.shortrepr(), self.entrega.shortrepr())
750 #}}}
751
752 class Prueba(SQLObject): #{{{
753     # Clave
754     tarea_ejecutada = ForeignKey('TareaEjecutada', notNone=True)
755     caso_de_prueba  = ForeignKey('CasoDePrueba', notNone=True)
756     pk              = DatabaseIndex(tarea_ejecutada, caso_de_prueba, unique=True)
757     # Campos
758     inicio          = DateTimeCol(notNone=True, default=DateTimeCol.now)
759     fin             = DateTimeCol(default=None)
760     pasada          = IntCol(default=None)
761     observaciones   = UnicodeCol(default=None)
762
763     def __repr__(self):
764         return 'Prueba(tarea_ejecutada=%s, caso_de_prueba=%s, inicio=%s, ' \
765             'fin=%s, pasada=%s, observaciones=%s)' \
766                 % (self.tarea_ejecutada.shortrepr(),
767                     self.caso_de_prueba.shortrepr(), self.inicio, self.fin,
768                     self.pasada, self.observaciones)
769
770     def shortrepr(self):
771         return '%s:%s' % (self.tarea_ejecutada.shortrepr(),
772             self.caso_de_prueba.shortrerp())
773 #}}}
774
775 #{{{ Específico de Identity
776
777 class Visita(SQLObject): #{{{
778     visit_key   = StringCol(length=40, alternateID=True,
779                     alternateMethodName="by_visit_key")
780     created     = DateTimeCol(notNone=True, default=datetime.now)
781     expiry      = DateTimeCol()
782
783     @classmethod
784     def lookup_visit(cls, visit_key):
785         try:
786             return cls.by_visit_key(visit_key)
787         except SQLObjectNotFound:
788             return None
789 #}}}
790
791 class VisitaUsuario(SQLObject): #{{{
792     # Clave
793     visit_key   = StringCol(length=40, alternateID=True,
794                           alternateMethodName="by_visit_key")
795     # Campos
796     user_id     = IntCol() # Negrada de identity
797 #}}}
798
799 class Rol(SQLObject): #{{{
800     # Clave
801     nombre      = UnicodeCol(length=255, alternateID=True,
802                     alternateMethodName="by_group_name")
803     # Campos
804     descripcion = UnicodeCol(length=255, default=None)
805     creado      = DateTimeCol(notNone=True, default=datetime.now)
806     permisos    = TupleCol(notNone=True)
807     # Joins
808     usuarios    = RelatedJoin('Usuario')
809 #}}}
810
811 # No es un SQLObject porque no tiene sentido agregar/sacar permisos, están
812 # hardcodeados en el código
813 class Permiso(object): #{{{
814     def __init__(self, nombre, descripcion):
815         self.nombre = nombre
816         self.descripcion = descripcion
817
818     @classmethod
819     def createTable(cls, ifNotExists): # para identity
820         pass
821
822     @property
823     def permission_name(self): # para identity
824         return self.nombre
825
826     def __repr__(self):
827         return self.nombre
828 #}}}
829
830 # TODO ejemplos
831 entregar_tp = Permiso(u'entregar', u'Permite entregar trabajos prácticos')
832 admin = Permiso(u'admin', u'Permite hacer ABMs arbitrarios')
833
834 #}}} Identity
835
836 #}}} Clases
837