1 # vim: set et sw=4 sts=4 encoding=utf-8 foldmethod=marker :
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 formencode import Invalid
13 hub = PackageHub("sercom")
16 __all__ = ('Curso', 'Usuario', 'Docente', 'Alumno', 'CasoDePrueba')
20 # TODO Esto debería implementarse con CSV para mayor legibilidad
21 class TupleValidator(PickleValidator):
23 Validator for tuple types. A tuple type is simply a pickle type
24 that validates that the represented type is a tuple.
26 def to_python(self, value, state):
27 value = super(TupleValidator, self).to_python(value, state)
30 if isinstance(value, tuple):
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):
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)
42 class SOTupleCol(SOPickleCol):
43 def createValidators(self):
44 return [TupleValidator(name=self.name)]
46 class TupleCol(PickleCol):
47 baseClass = SOTupleCol
55 return obj.shortrepr()
59 class Curso(SQLObject): #{{{
61 anio = IntCol(notNone=True)
62 cuatrimestre = IntCol(notNone=True)
63 numero = IntCol(notNone=True)
64 pk = DatabaseIndex(anio, cuatrimestre, numero, unique=True)
66 descripcion = UnicodeCol(length=255, default=None)
68 docentes = MultipleJoin('DocenteInscripto')
69 alumnos = MultipleJoin('AlumnoInscripto')
70 grupos = MultipleJoin('Grupo')
71 ejercicios = MultipleJoin('Ejercicio', orderBy='numero')
73 def __init__(self, docentes=[], ejercicios=[], alumnos=[], **kw):
74 super(Curso, self).__init__(**kw)
77 for (n, e) in enumerate(ejercicios):
78 self.add_ejercicio(n+1, e)
82 def set(self, docentes=None, ejercicios=None, alumnos=None, **kw):
83 super(Curso, self).set(**kw)
84 if docentes is not None:
85 for d in DocenteInscripto.selectBy(curso=self):
89 if ejercicios is not None:
90 for e in Ejercicio.selectBy(curso=self):
92 for (n, e) in enumerate(ejercicios):
93 self.add_ejercicio(n+1, e)
94 if alumnos is not None:
95 for a in AlumnoInscripto.selectBy(curso=self):
100 def add_docente(self, docente, **kw):
101 if isinstance(docente, Docente):
102 kw['docente'] = docente
104 kw['docenteID'] = docente
105 return DocenteInscripto(curso=self, **kw)
107 def remove_docente(self, docente):
108 if isinstance(docente, Docente):
110 # FIXME esto deberian arreglarlo en SQLObject y debería ser
111 # DocenteInscripto.pk.get(self, docente).destroySelf()
112 DocenteInscripto.pk.get(self.id, docente).destroySelf()
114 def add_alumno(self, alumno, **kw):
115 if isinstance(alumno, Alumno):
116 kw['alumno'] = alumno
118 kw['alumnoID'] = alumno
119 return AlumnoInscripto(curso=self, **kw)
121 def remove_alumno(self, alumno):
122 if isinstance(alumno, Alumno):
124 # FIXME esto deberian arreglarlo en SQLObject
125 AlumnoInscripto.pk.get(self.id, alumno).destroySelf()
127 def add_grupo(self, nombre, **kw):
128 return Grupo(curso=self, nombre=unicode(nombre), **kw)
130 def remove_grupo(self, nombre):
131 # FIXME esto deberian arreglarlo en SQLObject
132 Grupo.pk.get(self.id, nombre).destroySelf()
134 def add_ejercicio(self, numero, enunciado, **kw):
135 if isinstance(enunciado, Enunciado):
136 kw['enunciado'] = enunciado
138 kw['enunciadoID'] = enunciado
139 return Ejercicio(curso=self, numero=numero, **kw)
141 def remove_ejercicio(self, numero):
142 # FIXME esto deberian arreglarlo en SQLObject
143 Ejercicio.pk.get(self.id, numero).destroySelf()
146 return 'Curso(id=%s, anio=%s, cuatrimestre=%s, numero=%s, ' \
148 % (self.id, self.anio, self.cuatrimestre, self.numero,
153 % (self.anio, self.cuatrimestre, self.numero)
156 class Usuario(InheritableSQLObject): #{{{
157 # Clave (para docentes puede ser un nombre de usuario arbitrario)
158 usuario = UnicodeCol(length=10, alternateID=True)
160 contrasenia = UnicodeCol(length=255, default=None)
161 nombre = UnicodeCol(length=255, notNone=True)
162 email = UnicodeCol(length=255, default=None)
163 telefono = UnicodeCol(length=255, default=None)
164 creado = DateTimeCol(notNone=True, default=DateTimeCol.now)
165 observaciones = UnicodeCol(default=None)
166 activo = BoolCol(notNone=True, default=True)
168 roles = RelatedJoin('Rol', addRemoveName='_rol')
170 def __init__(self, password=None, roles=[], **kw):
171 if password is not None:
172 kw['contrasenia'] = encryptpw(password)
173 super(Usuario, self).__init__(**kw)
177 def set(self, password=None, roles=None, **kw):
178 if password is not None:
179 kw['contrasenia'] = encryptpw(password)
180 super(Usuario, self).set(**kw)
181 if roles is not None:
187 def _get_user_name(self): # para identity
191 def by_user_name(cls, user_name): # para identity
192 user = cls.byUsuario(user_name)
194 raise SQLObjectNotFound(_(u'El %s está inactivo' % cls.__name__))
197 def _get_groups(self): # para identity
200 def _get_permissions(self): # para identity
203 perms.update(r.permisos)
206 _get_permisos = _get_permissions
208 def _set_password(self, cleartext_password): # para identity
209 self.contrasenia = encryptpw(cleartext_password)
211 def _get_password(self): # para identity
212 return self.contrasenia
215 raise NotImplementedError(_(u'Clase abstracta!'))
218 return '%s (%s)' % (self.usuario, self.nombre)
221 class Docente(Usuario): #{{{
224 nombrado = BoolCol(notNone=True, default=True)
226 enunciados = MultipleJoin('Enunciado', joinColumn='autor_id')
227 cursos = MultipleJoin('DocenteInscripto')
229 def add_entrega(self, instancia, **kw):
230 return Entrega(instancia=instancia, **kw)
232 def add_enunciado(self, nombre, anio, cuatrimestre, **kw):
233 return Enunciado(nombre=nombre, anio=anio, cuatrimestre=cuatrimestre,
236 def remove_enunciado(self, nombre, anio, cuatrimestre):
237 Enunciado.pk.get(nombre, anio, cuatrimestre).destroySelf()
240 return 'Docente(id=%s, usuario=%s, nombre=%s, password=%s, email=%s, ' \
241 'telefono=%s, activo=%s, creado=%s, observaciones=%s)' \
242 % (self.id, self.usuario, self.nombre, self.password,
243 self.email, self.telefono, self.activo, self.creado,
247 class Alumno(Usuario): #{{{
250 nota = DecimalCol(size=3, precision=1, default=None)
252 inscripciones = MultipleJoin('AlumnoInscripto')
254 def __init__(self, padron=None, **kw):
255 if padron: kw['usuario'] = padron
256 super(Alumno, self).__init__(**kw)
258 def set(self, padron=None, **kw):
259 if padron: kw['usuario'] = padron
260 super(Alumno, self).set(**kw)
262 def _get_padron(self): # alias para poder referirse al alumno por padron
265 def _set_padron(self, padron):
266 self.usuario = padron
269 def byPadron(cls, padron):
270 return cls.byUsuario(unicode(padron))
273 return 'Alumno(id=%s, padron=%s, nombre=%s, password=%s, email=%s, ' \
274 'telefono=%s, activo=%s, creado=%s, observaciones=%s)' \
275 % (self.id, self.padron, self.nombre, self.password, self.email,
276 self.telefono, self.activo, self.creado, self.observaciones)
279 class Tarea(InheritableSQLObject): #{{{
281 nombre = UnicodeCol(length=30, alternateID=True)
283 descripcion = UnicodeCol(length=255, default=None)
284 terminar_si_falla = BoolCol(notNone=True, default=True)
285 rechazar_si_falla = BoolCol(notNone=True, default=True)
287 enunciados = RelatedJoin('Enunciado', addRemoveName='_enunciado')
290 raise NotImplementedError('Tarea es una clase abstracta')
296 class TareaFuente(Tarea): #{{{
299 comandos = MultipleJoin('ComandoFuente', joinColumn='tarea_id')
301 def add_comando(self, orden, comando, **kw):
302 return ComandoFuente(tarea=self, orden=orden, comando=comando, **kw)
304 def remove_comando(self, orden):
305 ComandoFuente.pk.get(self.id, orden).destroySelf()
308 return 'TareaFuente(id=%s, nombre=%s, descripcion=%s)' \
309 % (self.id, self.nombre, self.descripcion)
312 class TareaPrueba(Tarea): #{{{
315 comandos = MultipleJoin('ComandoPrueba', joinColumn='tarea_id')
317 def add_comando(self, orden, **kw):
318 return ComandoPrueba(tarea=self, orden=orden, comando='', **kw)
320 def remove_comando(self, orden):
321 ComandoPrueba.pk.get(self.id, orden).destroySelf()
324 return 'TareaPrueba(id=%s, nombre=%s, descripcion=%s)' \
325 % (self.id, self.nombre, self.descripcion)
328 class Comando(InheritableSQLObject): #{{{
329 # Tipos de retorno especiales
332 # Archivos especiales
334 STDOUT = '__stdout__'
335 STDERR = '__stderr__'
336 STDOUTERR = '__stdouterr__'
338 comando = UnicodeCol(length=255, notNone=True)
339 descripcion = UnicodeCol(length=255, default=None)
340 retorno = IntCol(default=None) # Ver RET_XXX y si es negativo
341 # se espera una señal
342 max_tiempo_cpu = IntCol(default=None) # En segundos
343 max_memoria = IntCol(default=None) # En MB
344 max_tam_archivo = IntCol(default=None) # En MB
345 max_cant_archivos = IntCol(default=None)
346 max_cant_procesos = IntCol(default=None)
347 max_locks_memoria = IntCol(default=None)
348 terminar_si_falla = BoolCol(notNone=True, default=True)
349 rechazar_si_falla = BoolCol(notNone=True, default=True)
350 archivos_entrada = BLOBCol(default=None) # ZIP con archivos de entrada
351 # __stdin__ es caso especial
352 archivos_a_comparar = BLOBCol(default=None) # ZIP con archivos de salida
353 # __stdout__, __stderr__ y
354 # __stdouterr__ (ambos juntos)
355 # son casos especiales
356 archivos_a_guardar = TupleCol(notNone=True, default=()) # TODO SetCol
357 # __stdout__, __stderr__ y
358 # __stdouterr__ (ambos juntos)
359 # son casos especiales
360 activo = BoolCol(notNone=True, default=True)
362 def __repr__(self, clave='', mas=''):
363 return ('%s(%s comando=%s, descripcion=%s, retorno=%s, '
364 'max_tiempo_cpu=%s, max_memoria=%s, max_tam_archivo=%s, '
365 'max_cant_archivos=%s, max_cant_procesos=%s, max_locks_memoria=%s, '
366 'terminar_si_falla=%s, rechazar_si_falla=%s%s)'
367 % (self.__class__.__name__, clave, self.comando,
368 self.descripcion, self.retorno, self.max_tiempo_cpu,
369 self.max_memoria, self.max_tam_archivo,
370 self.max_cant_archivos, self.max_cant_procesos,
371 self.max_locks_memoria, self.terminar_si_falla,
372 self.rechazar_si_falla, mas))
375 return '%s (%s)' % (self.comando, self.descripcion)
378 class ComandoFuente(Comando): #{{{
381 tarea = ForeignKey('TareaFuente', notNone=True, cascade=True)
382 orden = IntCol(notNone=True)
383 pk = DatabaseIndex(tarea, orden, unique=True)
386 return super(ComandoFuente, self).__repr__('tarea=%s, orden=%s'
387 % (self.tarea.shortrepr(), self.orden))
390 return '%s:%s (%s)' % (self.tarea.shortrepr(), self.orden, self.comando)
393 class ComandoPrueba(Comando): #{{{
395 RET_PRUEBA = -2 # Espera el mismo retorno que el de la prueba.
396 # XXX todos los campos de limitación en este caso son multiplicadores para
397 # los valores del caso de prueba.
399 tarea = ForeignKey('TareaPrueba', notNone=True, cascade=True)
400 orden = IntCol(notNone=True)
401 pk = DatabaseIndex(tarea, orden, unique=True)
404 return super(ComandoFuente, self).__repr__('tarea=%s, orden=%s'
405 % (self.tarea.shortrepr(), self.orden))
408 return '%s:%s (%s)' % (self.tarea.shortrepr(), self.orden, self.comando)
411 class Enunciado(SQLObject): #{{{
413 nombre = UnicodeCol(length=60)
414 anio = IntCol(notNone=True)
415 cuatrimestre = IntCol(notNone=True)
416 pk = DatabaseIndex(nombre, anio, cuatrimestre, unique=True)
418 descripcion = UnicodeCol(length=255, default=None)
419 autor = ForeignKey('Docente', cascade='null')
420 creado = DateTimeCol(notNone=True, default=DateTimeCol.now)
421 archivo = BLOBCol(default=None)
422 archivo_name = UnicodeCol(length=255, default=None)
423 archivo_type = UnicodeCol(length=255, default=None)
425 ejercicios = MultipleJoin('Ejercicio')
426 casos_de_prueba = MultipleJoin('CasoDePrueba')
427 tareas = RelatedJoin('Tarea', addRemoveName='_tarea')
429 def __init__(self, tareas=[], **kw):
430 super(Enunciado, self).__init__(**kw)
432 self.add_tarea(tarea)
434 def set(self, tareas=None, **kw):
435 super(Enunciado, self).set(**kw)
436 if tareas is not None:
437 for tarea in self.tareas:
438 self.remove_tarea(tarea)
440 self.add_tarea(tarea)
443 def selectByCurso(self, curso):
444 return Enunciado.selectBy(cuatrimestre=curso.cuatrimestre, anio=curso.anio)
446 def add_caso_de_prueba(self, nombre, **kw):
447 return CasoDePrueba(enunciado=self, nombre=nombre, **kw)
450 return 'Enunciado(id=%s, autor=%s, nombre=%s, descripcion=%s, ' \
452 % (self.id, srepr(self.autor), self.nombre, self.descripcion, \
459 class CasoDePrueba(Comando): #{{{
462 enunciado = ForeignKey('Enunciado', cascade=True)
463 nombre = UnicodeCol(length=40, notNone=True)
464 pk = DatabaseIndex(enunciado, nombre, unique=True)
466 pruebas = MultipleJoin('Prueba')
469 return super(ComandoFuente, self).__repr__('enunciado=%s, nombre=%s'
470 % (srepr(self.enunciado), self.nombre))
473 return '%s:%s' % (self.enunciado.shortrepr(), self.nombre)
476 class Ejercicio(SQLObject): #{{{
478 curso = ForeignKey('Curso', notNone=True, cascade=True)
479 numero = IntCol(notNone=True)
480 pk = DatabaseIndex(curso, numero, unique=True)
482 enunciado = ForeignKey('Enunciado', notNone=True, cascade=False)
483 grupal = BoolCol(default=False) # None es grupal o individual
485 instancias = MultipleJoin('InstanciaDeEntrega')
487 def add_instancia(self, numero, inicio, fin, **kw):
488 return InstanciaDeEntrega(ejercicio=self, numero=numero, inicio=inicio,
491 def remove_instancia(self, numero):
493 InstanciaDeEntrega.pk.get(self.id, numero).destroySelf()
496 return 'Ejercicio(id=%s, curso=%s, numero=%s, enunciado=%s, ' \
498 % (self.id, self.curso.shortrepr(), self.numero,
499 self.enunciado.shortrepr(), self.grupal)
502 return '(%s, %s, %s)' \
503 % (self.curso.shortrepr(), str(self.numero), \
504 self.enunciado.shortrepr())
507 class InstanciaDeEntrega(SQLObject): #{{{
509 ejercicio = ForeignKey('Ejercicio', notNone=True, cascade=True)
510 numero = IntCol(notNone=True)
511 pk = DatabaseIndex(ejercicio, numero, unique=True)
513 inicio = DateTimeCol(notNone=True)
514 fin = DateTimeCol(notNone=True)
515 procesada = BoolCol(notNone=True, default=False)
516 observaciones = UnicodeCol(default=None)
517 activo = BoolCol(notNone=True, default=True)
519 entregas = MultipleJoin('Entrega', joinColumn='instancia_id')
520 correcciones = MultipleJoin('Correccion', joinColumn='instancia_id')
523 return 'InstanciaDeEntrega(id=%s, numero=%s, inicio=%s, fin=%s, ' \
524 'procesada=%s, observaciones=%s, activo=%s)' \
525 % (self.id, self.numero, self.inicio, self.fin,
526 self.procesada, self.observaciones, self.activo)
532 class DocenteInscripto(SQLObject): #{{{
534 curso = ForeignKey('Curso', notNone=True, cascade=True)
535 docente = ForeignKey('Docente', notNone=True, cascade=True)
536 pk = DatabaseIndex(curso, docente, unique=True)
538 corrige = BoolCol(notNone=True, default=True)
539 observaciones = UnicodeCol(default=None)
541 alumnos = MultipleJoin('AlumnoInscripto', joinColumn='tutor_id')
542 tutorias = MultipleJoin('Tutor', joinColumn='docente_id')
543 correcciones = MultipleJoin('Correccion', joinColumn='corrector_id')
545 def add_correccion(self, entrega, **kw):
546 return Correccion(instancia=entrega.instancia, entrega=entrega,
547 entregador=entrega.entregador, corrector=self, **kw)
549 def remove_correccion(self, instancia, entregador):
550 # FIXME instancia.id, entregador.id
551 Correccion.pk.get(instancia.id, entregador.id).destroySelf()
554 return 'DocenteInscripto(id=%s, docente=%s, corrige=%s, ' \
556 % (self.id, self.docente.shortrepr(), self.corrige,
560 return self.docente.shortrepr()
563 class Entregador(InheritableSQLObject): #{{{
565 nota = DecimalCol(size=3, precision=1, default=None)
566 nota_cursada = DecimalCol(size=3, precision=1, default=None)
567 observaciones = UnicodeCol(notNone=True, default=u'')
568 activo = BoolCol(notNone=True, default=True)
570 entregas = MultipleJoin('Entrega')
571 correcciones = MultipleJoin('Correccion')
573 def add_entrega(self, instancia, **kw):
574 return Entrega(instancia=instancia, entregador=self, **kw)
577 raise NotImplementedError, 'Clase abstracta!'
580 class Grupo(Entregador): #{{{
583 curso = ForeignKey('Curso', notNone=True, cascade=True)
584 nombre = UnicodeCol(length=20, notNone=True)
585 pk = DatabaseIndex(curso, nombre, unique=True)
587 responsable = ForeignKey('AlumnoInscripto', default=None, cascade='null')
589 miembros = MultipleJoin('Miembro')
590 tutores = MultipleJoin('Tutor')
592 def __init__(self, miembros=[], tutores=[], **kw):
593 super(Grupo, self).__init__(**kw)
599 def set(self, miembros=None, tutores=None, **kw):
600 super(Grupo, self).set(**kw)
601 if miembros is not None:
602 for m in Miembro.selectBy(grupo=self):
606 if tutores is not None:
607 for t in Tutor.selectBy(grupo=self):
612 _doc_alumnos = 'Devuelve una lista de AlumnoInscriptos **activos**.'
613 def _get_alumnos(self):
614 return list([m.alumno for m in Miembro.selectBy(grupo=self, baja=None)])
616 _doc_docentes = 'Devuelve una lista de DocenteInscriptos **activos**.'
617 def _get_docentes(self):
618 return list([t.docente for t in Tutor.selectBy(grupo=self, baja=None)])
620 def add_miembro(self, alumno, **kw):
621 if isinstance(alumno, AlumnoInscripto):
623 return Miembro(grupo=self, alumnoID=alumno, **kw)
625 def remove_miembro(self, alumno):
626 if isinstance(alumno, AlumnoInscripto):
628 m = Miembro.selectBy(grupo=self, alumnoID=alumno, baja=None).getOne()
629 m.baja = DateTimeCol.now()
631 def add_tutor(self, docente, **kw):
632 if isinstance(docente, DocenteInscripto):
634 return Tutor(grupo=self, docenteID=docente, **kw)
636 def remove_tutor(self, docente):
637 if isinstance(docente, DocenteInscripto):
639 t = Tutor.selectBy(grupo=self, docenteID=docente, baja=None)
640 t.baja = DateTimeCol.now()
643 return 'Grupo(id=%s, nombre=%s, responsable=%s, nota=%s, ' \
644 'nota_cursada=%s, observaciones=%s, activo=%s)' \
645 % (self.id, self.nombre, srepr(self.responsable), self.nota,
646 self.nota_cursada, self.observaciones, self.activo)
649 def selectByAlumno(self, alumno):
650 return Miembro.select(AND(Miembro.q.alumnoID == AlumnoInscripto.q.id,
651 AlumnoInscripto.q.alumnoID == alumno.id))
654 return 'grupo:' + self.nombre
657 class AlumnoInscripto(Entregador): #{{{
660 curso = ForeignKey('Curso', notNone=True, cascade=True)
661 alumno = ForeignKey('Alumno', notNone=True, cascade=True)
662 pk = DatabaseIndex(curso, alumno, unique=True)
664 condicional = BoolCol(notNone=True, default=False)
665 tutor = ForeignKey('DocenteInscripto', default=None, cascade='null')
667 responsabilidades = MultipleJoin('Grupo', joinColumn='responsable_id')
668 membresias = MultipleJoin('Miembro', joinColumn='alumno_id')
669 entregas = MultipleJoin('Entrega', joinColumn='alumno_id')
670 correcciones = MultipleJoin('Correccion', joinColumn='alumno_id')
672 def _get_nombre(self):
673 return self.alumno.padron
676 def selectByAlumno(self, alumno):
677 return AlumnoInscripto.select(AlumnoInscripto.q.alumnoID == alumno.id).getOne()
680 return 'AlumnoInscripto(id=%s, alumno=%s, condicional=%s, nota=%s, ' \
681 'nota_cursada=%s, tutor=%s, observaciones=%s, activo=%s)' \
682 % (self.id, self.alumno.shortrepr(), self.condicional,
683 self.nota, self.nota_cursada, srepr(self.tutor),
684 self.observaciones, self.activo)
687 return self.alumno.shortrepr()
690 class Tutor(SQLObject): #{{{
692 grupo = ForeignKey('Grupo', notNone=True, cascade=True)
693 docente = ForeignKey('DocenteInscripto', notNone=True, cascade=True)
694 pk = DatabaseIndex(grupo, docente, unique=True)
696 alta = DateTimeCol(notNone=True, default=DateTimeCol.now)
697 baja = DateTimeCol(default=None)
700 return 'Tutor(docente=%s, grupo=%s, alta=%s, baja=%s)' \
701 % (self.docente.shortrepr(), self.grupo.shortrepr(),
702 self.alta, self.baja)
705 return '%s-%s' % (self.docente.shortrepr(), self.grupo.shortrepr())
708 class Miembro(SQLObject): #{{{
710 grupo = ForeignKey('Grupo', notNone=True, cascade=True)
711 alumno = ForeignKey('AlumnoInscripto', notNone=True, cascade=True)
712 pk = DatabaseIndex(grupo, alumno, unique=True)
714 nota = DecimalCol(size=3, precision=1, default=None)
715 alta = DateTimeCol(notNone=True, default=DateTimeCol.now)
716 baja = DateTimeCol(default=None)
719 return 'Miembro(alumno=%s, grupo=%s, nota=%s, alta=%s, baja=%s)' \
720 % (self.alumno.shortrepr(), self.grupo.shortrepr(),
721 self.nota, self.alta, self.baja)
724 return '%s-%s' % (self.alumno.shortrepr(), self.grupo.shortrepr())
727 class Ejecucion(InheritableSQLObject): #{{{
729 inicio = DateTimeCol(notNone=True, default=DateTimeCol.now)
730 fin = DateTimeCol(default=None)
731 exito = IntCol(default=None)
732 observaciones = UnicodeCol(notNone=True, default=u'')
733 archivos = BLOBCol(default=None) # ZIP con archivos
735 def __repr__(self, clave='', mas=''):
736 return ('%s(%s inicio=%s, fin=%s, exito=%s, observaciones=%s%s)'
737 % (self.__class__.__name__, clave, self.inicio, self.fin,
738 self.exito, self.observaciones, mas))
741 class Entrega(Ejecucion): #{{{
744 instancia = ForeignKey('InstanciaDeEntrega', notNone=True, cascade=False)
745 entregador = ForeignKey('Entregador', default=None, cascade=False) # Si es None era un Docente
746 fecha = DateTimeCol(notNone=True, default=DateTimeCol.now)
747 pk = DatabaseIndex(instancia, entregador, fecha, unique=True)
749 comandos_ejecutados = MultipleJoin('ComandoFuenteEjecutado')
750 pruebas = MultipleJoin('Prueba')
752 def add_comando_ejecutado(self, comando, **kw):
753 return ComandoFuenteEjecutado(entrega=self, comando=comando, **kw)
755 def remove_comando_ejecutado(self, comando):
756 if isinstance(comando, ComandoFuente):
759 ComandoFuenteEjecutado.pk.get(self.id, comando).destroySelf()
761 def add_prueba(self, caso_de_prueba, **kw):
762 return Prueba(entrega=self, caso_de_prueba=caso_de_prueba, **kw)
764 def remove_prueba(self, caso_de_prueba):
765 if isinstance(caso_de_prueba, CasoDePrueba):
766 caso_de_prueba = caso_de_prueba.id
767 # FIXME self.id, caso_de_prueba
768 Prueba.pk.get(self.id, caso_de_prueba).destroySelf()
771 return super(Entrega, self).__repr__('instancia=%s, entregador=%s, '
772 'fecha=%s' % (self.instancia.shortrepr(), srepr(self.entregador),
776 return '%s-%s-%s' % (self.instancia.shortrepr(),
777 srepr(self.entregador), self.fecha)
780 class Correccion(SQLObject): #{{{
782 instancia = ForeignKey('InstanciaDeEntrega', notNone=True, cascade=False)
783 entregador = ForeignKey('Entregador', notNone=True, cascade=False) # Docente no tiene
784 pk = DatabaseIndex(instancia, entregador, unique=True)
786 entrega = ForeignKey('Entrega', notNone=True, cascade=False)
787 corrector = ForeignKey('DocenteInscripto', default=None, cascade='null')
788 asignado = DateTimeCol(notNone=True, default=DateTimeCol.now)
789 corregido = DateTimeCol(default=None)
790 nota = DecimalCol(size=3, precision=1, default=None)
791 observaciones = UnicodeCol(default=None)
793 def _get_entregas(self):
794 return list(Entrega.selectBy(instancia=self.instancia, entregador=self.entregador))
797 return 'Correccion(instancia=%s, entregador=%s, entrega=%s, ' \
798 'corrector=%s, asignado=%s, corregido=%s, nota=%s, ' \
799 'observaciones=%s)' \
800 % (self.instancia.shortrepr(), self.entregador.shortrepr(),
801 self.entrega.shortrepr(), self.corrector, self.asignado,
802 self.corregido, self.nota, self.observaciones)
805 if not self.corrector:
806 return '%s' % self.entrega.shortrepr()
807 return '%s,%s' % (self.entrega.shortrepr(), self.corrector.shortrepr())
810 class ComandoEjecutado(Ejecucion): #{{{
812 diferencias = BLOBCol(default=None) # ZIP con archivos guardados
814 def __repr__(self, clave='', mas=''):
815 return super(ComandoFuenteEjecutado, self).__repr__(clave, mas)
818 class ComandoFuenteEjecutado(ComandoEjecutado): #{{{
821 comando = ForeignKey('ComandoFuente', notNone=True, cascade=False)
822 entrega = ForeignKey('Entrega', notNone=True, cascade=False)
823 pk = DatabaseIndex(comando, entrega, unique=True)
826 return super(ComandoFuenteEjecutado, self).__repr__(
827 'comando=%s, entrega=%s' % (self.comando.shortrepr(),
828 self.entrega.shortrepr()))
831 return '%s-%s' % (self.tarea.shortrepr(), self.entrega.shortrepr())
834 class ComandoPruebaEjecutado(ComandoEjecutado): #{{{
837 comando = ForeignKey('ComandoPrueba', notNone=True, cascade=False)
838 prueba = ForeignKey('Prueba', notNone=True, cascade=False)
839 pk = DatabaseIndex(comando, prueba, unique=True)
842 return super(ComandoPruebaEjecutado, self).__repr__(
843 'comando=%s, entrega=%s' % (self.comando.shortrepr(),
844 self.entrega.shortrepr()))
847 return '%s:%s:%s' % (self.tarea.shortrepr(), self.entrega.shortrepr(),
848 self.caso_de_prueba.shortrepr())
851 class Prueba(ComandoEjecutado): #{{{
854 entrega = ForeignKey('Entrega', notNone=True, cascade=False)
855 caso_de_prueba = ForeignKey('CasoDePrueba', notNone=True, cascade=False)
856 pk = DatabaseIndex(entrega, caso_de_prueba, unique=True)
858 comandos_ejecutados = MultipleJoin('ComandoPruebaEjecutado')
860 def add_comando_ejecutado(self, comando, **kw):
861 if isinstance(comando, ComandoPrueba):
863 return ComandoPruebaEjecutado(prueba=self, comandoID=comando, **kw)
865 def remove_comando_ejecutado(self, comando):
866 if isinstance(comando, ComandoPrueba):
868 # FIXME self.id, comando.id
869 ComandoPruebaEjecutado.pk.get(self.id, comando).destroySelf()
872 return super(Prueba, self).__repr__('entrega=%s, caso_de_prueba=%s'
873 % (self.entrega.shortrepr(), self.caso_de_prueba.shortrepr()))
876 return '%s:%s' % (self.entrega.shortrepr(),
877 self.caso_de_prueba.shortrepr())
880 #{{{ Específico de Identity
882 class Visita(SQLObject): #{{{
883 visit_key = StringCol(length=40, alternateID=True,
884 alternateMethodName="by_visit_key")
885 created = DateTimeCol(notNone=True, default=datetime.now)
886 expiry = DateTimeCol()
889 def lookup_visit(cls, visit_key):
891 return cls.by_visit_key(visit_key)
892 except SQLObjectNotFound:
896 class VisitaUsuario(SQLObject): #{{{
898 visit_key = StringCol(length=40, alternateID=True,
899 alternateMethodName="by_visit_key")
901 user_id = IntCol() # Negrada de identity
904 class Rol(SQLObject): #{{{
906 nombre = UnicodeCol(length=255, alternateID=True,
907 alternateMethodName='by_nombre')
909 descripcion = UnicodeCol(length=255, default=None)
910 creado = DateTimeCol(notNone=True, default=datetime.now)
911 permisos = TupleCol(notNone=True)
913 usuarios = RelatedJoin('Usuario', addRemoveName='_usuario')
915 def by_group_name(self, name): # para identity
916 return self.by_nombre(name)
919 # No es un SQLObject porque no tiene sentido agregar/sacar permisos, están
920 # hardcodeados en el código
921 class Permiso(object): #{{{
923 def __init__(self, nombre, descripcion):
924 self.valor = Permiso.max_valor
925 Permiso.max_valor <<= 1
927 self.descripcion = descripcion
930 def createTable(cls, ifNotExists): # para identity
934 def permission_name(self): # para identity
937 def __and__(self, other):
938 return self.valor & other.valor
940 def __or__(self, other):
941 return self.valor | other.valor
948 entregar_tp = Permiso(u'entregar', u'Permite entregar trabajos prácticos')
949 admin = Permiso(u'admin', u'Permite hacer ABMs arbitrarios')