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