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 sercom.validators import params_to_list, ParseError
12 from formencode import Invalid
14 hub = PackageHub("sercom")
17 __all__ = ('Curso', 'Usuario', 'Docente', 'Alumno', 'CasoDePrueba')
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)] \
45 + super(SOPickleCol, self).createValidators()
47 class TupleCol(PickleCol):
48 baseClass = SOTupleCol
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)
55 value = params_to_list(value)
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)
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)
72 raise Invalid("invalid parameters in the ParamsCol '%s', parse "
73 "error: %s" % (self.name, e), value, state)
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)
80 class SOParamsCol(SOUnicodeCol):
81 def createValidators(self):
82 return [ParamsValidator(db_encoding=self.dbEncoding, name=self.name)] \
83 + super(SOParamsCol, self).createValidators()
85 class ParamsCol(UnicodeCol):
86 baseClass = SOParamsCol
94 return obj.shortrepr()
98 class Curso(SQLObject): #{{{
100 anio = IntCol(notNone=True)
101 cuatrimestre = IntCol(notNone=True)
102 numero = IntCol(notNone=True)
103 pk = DatabaseIndex(anio, cuatrimestre, numero, unique=True)
105 descripcion = UnicodeCol(length=255, default=None)
107 docentes = MultipleJoin('DocenteInscripto')
108 alumnos = MultipleJoin('AlumnoInscripto')
109 grupos = MultipleJoin('Grupo')
110 ejercicios = MultipleJoin('Ejercicio', orderBy='numero')
112 def __init__(self, docentes=[], ejercicios=[], alumnos=[], **kw):
113 super(Curso, self).__init__(**kw)
116 for (n, e) in enumerate(ejercicios):
117 self.add_ejercicio(n, e)
121 def set(self, docentes=None, ejercicios=None, alumnos=None, **kw):
122 super(Curso, self).set(**kw)
123 if docentes is not None:
124 for d in DocenteInscripto.selectBy(curso=self):
128 if ejercicios is not None:
129 for e in Ejercicio.selectBy(curso=self):
131 for (n, e) in enumerate(ejercicios):
132 self.add_ejercicio(n+1, e)
133 if alumnos is not None:
134 for a in AlumnoInscripto.selectBy(curso=self):
139 def add_docente(self, docente, **kw):
140 if isinstance(docente, Docente):
141 kw['docente'] = docente
143 kw['docenteID'] = docente
144 return DocenteInscripto(curso=self, **kw)
146 def remove_docente(self, docente):
147 if isinstance(docente, Docente):
149 # FIXME esto deberian arreglarlo en SQLObject y debería ser
150 # DocenteInscripto.pk.get(self, docente).destroySelf()
151 DocenteInscripto.pk.get(self.id, docente).destroySelf()
153 def add_alumno(self, alumno, **kw):
154 if isinstance(alumno, Alumno):
155 kw['alumno'] = alumno
157 kw['alumnoID'] = alumno
158 return AlumnoInscripto(curso=self, **kw)
160 def remove_alumno(self, alumno):
161 if isinstance(alumno, Alumno):
163 # FIXME esto deberian arreglarlo en SQLObject
164 AlumnoInscripto.pk.get(self.id, alumno).destroySelf()
166 def add_grupo(self, nombre, **kw):
167 return Grupo(curso=self, nombre=unicode(nombre), **kw)
169 def remove_grupo(self, nombre):
170 # FIXME esto deberian arreglarlo en SQLObject
171 Grupo.pk.get(self.id, nombre).destroySelf()
173 def add_ejercicio(self, numero, enunciado, **kw):
174 if isinstance(enunciado, Enunciado):
175 kw['enunciado'] = enunciado
177 kw['enunciadoID'] = enunciado
178 return Ejercicio(curso=self, numero=numero, **kw)
180 def remove_ejercicio(self, numero):
181 # FIXME esto deberian arreglarlo en SQLObject
182 Ejercicio.pk.get(self.id, numero).destroySelf()
185 return 'Curso(id=%s, anio=%s, cuatrimestre=%s, numero=%s, ' \
187 % (self.id, self.anio, self.cuatrimestre, self.numero,
192 % (self.anio, self.cuatrimestre, self.numero)
195 class Usuario(InheritableSQLObject): #{{{
196 # Clave (para docentes puede ser un nombre de usuario arbitrario)
197 usuario = UnicodeCol(length=10, alternateID=True)
199 contrasenia = UnicodeCol(length=255, default=None)
200 nombre = UnicodeCol(length=255, notNone=True)
201 email = UnicodeCol(length=255, default=None)
202 telefono = UnicodeCol(length=255, default=None)
203 creado = DateTimeCol(notNone=True, default=DateTimeCol.now)
204 observaciones = UnicodeCol(default=None)
205 activo = BoolCol(notNone=True, default=True)
207 roles = RelatedJoin('Rol', addRemoveName='_rol')
209 def __init__(self, password=None, roles=[], **kw):
210 if password is not None:
211 kw['contrasenia'] = encryptpw(password)
212 super(Usuario, self).__init__(**kw)
216 def set(self, password=None, roles=None, **kw):
217 if password is not None:
218 kw['contrasenia'] = encryptpw(password)
219 super(Usuario, self).set(**kw)
220 if roles is not None:
226 def _get_user_name(self): # para identity
230 def by_user_name(cls, user_name): # para identity
231 user = cls.byUsuario(user_name)
233 raise SQLObjectNotFound(_(u'El %s está inactivo' % cls.__name__))
236 def _get_groups(self): # para identity
239 def _get_permissions(self): # para identity
242 perms.update(r.permisos)
245 _get_permisos = _get_permissions
247 def _set_password(self, cleartext_password): # para identity
248 self.contrasenia = encryptpw(cleartext_password)
250 def _get_password(self): # para identity
251 return self.contrasenia
254 raise NotImplementedError(_(u'Clase abstracta!'))
257 return '%s (%s)' % (self.usuario, self.nombre)
260 class Docente(Usuario): #{{{
263 nombrado = BoolCol(notNone=True, default=True)
265 enunciados = MultipleJoin('Enunciado', joinColumn='autor_id')
266 cursos = MultipleJoin('DocenteInscripto')
268 def add_entrega(self, instancia, **kw):
269 return Entrega(instancia=instancia, **kw)
271 def add_enunciado(self, nombre, anio, cuatrimestre, **kw):
272 return Enunciado(nombre=nombre, anio=anio, cuatrimestre=cuatrimestre,
275 def remove_enunciado(self, nombre, anio, cuatrimestre):
276 Enunciado.pk.get(nombre, anio, cuatrimestre).destroySelf()
279 return 'Docente(id=%s, usuario=%s, nombre=%s, password=%s, email=%s, ' \
280 'telefono=%s, activo=%s, creado=%s, observaciones=%s)' \
281 % (self.id, self.usuario, self.nombre, self.password,
282 self.email, self.telefono, self.activo, self.creado,
286 class Alumno(Usuario): #{{{
289 nota = DecimalCol(size=3, precision=1, default=None)
291 inscripciones = MultipleJoin('AlumnoInscripto')
293 def __init__(self, padron=None, **kw):
294 if padron: kw['usuario'] = padron
295 super(Alumno, self).__init__(**kw)
297 def set(self, padron=None, **kw):
298 if padron: kw['usuario'] = padron
299 super(Alumno, self).set(**kw)
301 def _get_padron(self): # alias para poder referirse al alumno por padron
304 def _set_padron(self, padron):
305 self.usuario = padron
308 def byPadron(cls, padron):
309 return cls.byUsuario(unicode(padron))
312 return 'Alumno(id=%s, padron=%s, nombre=%s, password=%s, email=%s, ' \
313 'telefono=%s, activo=%s, creado=%s, observaciones=%s)' \
314 % (self.id, self.padron, self.nombre, self.password, self.email,
315 self.telefono, self.activo, self.creado, self.observaciones)
318 class Tarea(InheritableSQLObject): #{{{
320 nombre = UnicodeCol(length=30, alternateID=True)
322 descripcion = UnicodeCol(length=255, default=None)
323 terminar_si_falla = BoolCol(notNone=True, default=True)
324 rechazar_si_falla = BoolCol(notNone=True, default=True)
326 enunciados = RelatedJoin('Enunciado', addRemoveName='_enunciado')
329 raise NotImplementedError('Tarea es una clase abstracta')
335 class TareaFuente(Tarea): #{{{
337 comandos = MultipleJoin('ComandoFuente', joinColumn='tarea_id')
339 def add_comando(self, orden, comando, **kw):
340 return ComandoFuente(tarea=self, orden=orden, comando=comando, **kw)
342 def remove_comando(self, orden):
343 ComandoFuente.pk.get(self.id, orden).destroySelf()
346 return 'TareaFuente(id=%s, nombre=%s, descripcion=%s)' \
347 % (self.id, self.nombre, self.descripcion)
350 class TareaPrueba(Tarea): #{{{
352 comandos = MultipleJoin('ComandoPrueba', joinColumn='tarea_id')
354 def add_comando(self, orden, comando, **kw):
355 return ComandoPrueba(tarea=self, orden=orden, comando=comando, **kw)
357 def remove_comando(self, orden):
358 ComandoPrueba.pk.get(self.id, orden).destroySelf()
361 return 'TareaPrueba(id=%s, nombre=%s, descripcion=%s)' \
362 % (self.id, self.nombre, self.descripcion)
365 class Comando(InheritableSQLObject): #{{{
367 comando = ParamsCol(length=255, notNone=True)
368 descripcion = UnicodeCol(length=255, default=None)
369 retorno = IntCol(default=None)
370 terminar_si_falla = BoolCol(notNone=True, default=True)
371 rechazar_si_falla = BoolCol(notNone=True, default=True)
372 archivos_entrada = BLOBCol(default=None) # ZIP con archivos de entrada
373 # stdin es caso especial
374 archivos_salida = BLOBCol(default=None) # ZIP con archivos de salida
375 # stdout y stderr son especiales
378 raise NotImplementedError('Comando es una clase abstracta')
384 class ComandoFuente(Comando): #{{{
386 tarea = ForeignKey('TareaFuente', notNone=True, cascade=True)
387 orden = IntCol(notNone=True)
388 pk = DatabaseIndex(tarea, orden, unique=True)
390 tiempo_cpu = FloatCol(default=None)
392 def ejecutar(self): pass # TODO
395 return 'ComandoFuente(tarea=%s, orden=%s, comando=%s, descripcion=%s, ' \
396 'retorno=%s, tiempo_cpu=%s, terminar_si_falla=%s, ' \
397 'rechazar_si_falla=%s)' \
398 % (srepr(self.tarea), self.orden, self.comando, self.descripcion,
399 self.retorno, self.tiempo_cpu, self.terminar_si_falla,
400 self.rechazar_si_falla)
403 class ComandoPrueba(Comando): #{{{
405 tarea = ForeignKey('TareaPrueba', notNone=True, cascade=True)
406 orden = IntCol(notNone=True)
407 pk = DatabaseIndex(tarea, orden, unique=True)
409 multipl_tiempo_cpu = FloatCol(notNone=True, default=1.0)
411 def ejecutar(self): pass # TODO
414 return 'ComandoPrueba(tarea=%s, orden=%s, comando=%s, descripcion=%s, ' \
415 'retorno=%s, tiempo_cpu=%s, terminar_si_falla=%s, ' \
416 'rechazar_si_falla=%s)' \
417 % (srepr(self.tarea), self.orden, self.comando, self.descripcion,
418 self.retorno, self.tiempo_cpu, self.terminar_si_falla,
419 self.rechazar_si_falla)
422 class Enunciado(SQLObject): #{{{
424 nombre = UnicodeCol(length=60)
425 anio = IntCol(notNone=True)
426 cuatrimestre = IntCol(notNone=True)
427 pk = DatabaseIndex(nombre, anio, cuatrimestre, unique=True)
429 descripcion = UnicodeCol(length=255, default=None)
430 autor = ForeignKey('Docente', cascade='null')
431 creado = DateTimeCol(notNone=True, default=DateTimeCol.now)
432 archivo = BLOBCol(default=None)
433 archivo_name = UnicodeCol(length=255, default=None)
434 archivo_type = UnicodeCol(length=255, default=None)
436 ejercicios = MultipleJoin('Ejercicio')
437 casos_de_prueba = MultipleJoin('CasoDePrueba')
438 tareas = RelatedJoin('Tarea', addRemoveName='_tarea')
440 def __init__(self, tareas=[], **kw):
441 super(Enunciado, self).__init__(**kw)
443 self.add_tarea(tarea)
445 def set(self, tareas=None, **kw):
446 super(Enunciado, self).set(**kw)
447 if tareas is not None:
448 for tarea in self.tareas:
449 self.remove_tarea(tarea)
451 self.add_tarea(tarea)
454 def selectByCurso(self, curso):
455 return Enunciado.selectBy(cuatrimestre=curso.cuatrimestre, anio=curso.anio)
457 def add_caso_de_prueba(self, nombre, **kw):
458 return CasoDePrueba(enunciado=self, nombre=nombre, **kw)
461 return 'Enunciado(id=%s, autor=%s, nombre=%s, descripcion=%s, ' \
463 % (self.id, srepr(self.autor), self.nombre, self.descripcion, \
470 class CasoDePrueba(SQLObject): #{{{
472 enunciado = ForeignKey('Enunciado', cascade=True)
473 nombre = UnicodeCol(length=40, notNone=True)
474 pk = DatabaseIndex(enunciado, nombre, unique=True)
476 descripcion = UnicodeCol(length=255, default=None)
477 terminar_si_falla = BoolCol(notNone=True, default=False)
478 rechazar_si_falla = BoolCol(notNone=True, default=True)
479 parametros = ParamsCol(length=255, default=None)
480 retorno = IntCol(default=None)
481 tiempo_cpu = FloatCol(default=None)
482 archivos_entrada = BLOBCol(default=None) # ZIP con archivos de entrada
483 # stdin es caso especial
484 archivos_salida = BLOBCol(default=None) # ZIP con archivos de salida
485 # stdout y stderr son especiales
486 activo = BoolCol(notNone=True, default=True)
488 pruebas = MultipleJoin('Prueba')
491 return 'CasoDePrueba(enunciado=%s, nombre=%s, parametros=%s, ' \
492 'retorno=%s, tiempo_cpu=%s, descripcion=%s)' \
493 % (srepr(self.enunciado), self.nombre, self.parametros,
494 self.retorno, self.tiempo_cpu, self.descripcion)
497 return '%s:%s' % (self.enunciado.shortrepr(), self.nombre)
500 class Ejercicio(SQLObject): #{{{
502 curso = ForeignKey('Curso', notNone=True, cascade=True)
503 numero = IntCol(notNone=True)
504 pk = DatabaseIndex(curso, numero, unique=True)
506 enunciado = ForeignKey('Enunciado', notNone=True, cascade=False)
507 grupal = BoolCol(default=False) # None es grupal o individual
509 instancias = MultipleJoin('InstanciaDeEntrega')
511 def add_instancia(self, numero, inicio, fin, **kw):
512 return InstanciaDeEntrega(ejercicio=self, numero=numero, inicio=inicio,
515 def remove_instancia(self, numero):
517 InstanciaDeEntrega.pk.get(self.id, numero).destroySelf()
520 return 'Ejercicio(id=%s, curso=%s, numero=%s, enunciado=%s, ' \
522 % (self.id, self.curso.shortrepr(), self.numero,
523 self.enunciado.shortrepr(), self.grupal)
526 return '(%s, %s, %s)' \
527 % (self.curso.shortrepr(), str(self.numero), \
528 self.enunciado.shortrepr())
531 class InstanciaDeEntrega(SQLObject): #{{{
533 ejercicio = ForeignKey('Ejercicio', notNone=True, cascade=True)
534 numero = IntCol(notNone=True)
535 pk = DatabaseIndex(ejercicio, numero, unique=True)
537 inicio = DateTimeCol(notNone=True)
538 fin = DateTimeCol(notNone=True)
539 procesada = BoolCol(notNone=True, default=False)
540 observaciones = UnicodeCol(default=None)
541 activo = BoolCol(notNone=True, default=True)
543 entregas = MultipleJoin('Entrega', joinColumn='instancia_id')
544 correcciones = MultipleJoin('Correccion', joinColumn='instancia_id')
547 return 'InstanciaDeEntrega(id=%s, numero=%s, inicio=%s, fin=%s, ' \
548 'procesada=%s, observaciones=%s, activo=%s)' \
549 % (self.id, self.numero, self.inicio, self.fin,
550 self.procesada, self.observaciones, self.activo)
556 class DocenteInscripto(SQLObject): #{{{
558 curso = ForeignKey('Curso', notNone=True, cascade=True)
559 docente = ForeignKey('Docente', notNone=True, cascade=True)
560 pk = DatabaseIndex(curso, docente, unique=True)
562 corrige = BoolCol(notNone=True, default=True)
563 observaciones = UnicodeCol(default=None)
565 alumnos = MultipleJoin('AlumnoInscripto', joinColumn='tutor_id')
566 tutorias = MultipleJoin('Tutor', joinColumn='docente_id')
567 correcciones = MultipleJoin('Correccion', joinColumn='corrector_id')
569 def add_correccion(self, entrega, **kw):
570 return Correccion(instancia=entrega.instancia, entrega=entrega,
571 entregador=entrega.entregador, corrector=self, **kw)
573 def remove_correccion(self, instancia, entregador):
574 # FIXME instancia.id, entregador.id
575 Correccion.pk.get(instancia.id, entregador.id).destroySelf()
578 return 'DocenteInscripto(id=%s, docente=%s, corrige=%s, ' \
580 % (self.id, self.docente.shortrepr(), self.corrige,
584 return self.docente.shortrepr()
587 class Entregador(InheritableSQLObject): #{{{
589 nota = DecimalCol(size=3, precision=1, default=None)
590 nota_cursada = DecimalCol(size=3, precision=1, default=None)
591 observaciones = UnicodeCol(notNone=True, default=u'')
592 activo = BoolCol(notNone=True, default=True)
594 entregas = MultipleJoin('Entrega')
595 correcciones = MultipleJoin('Correccion')
597 def add_entrega(self, instancia, **kw):
598 return Entrega(instancia=instancia, entregador=self, **kw)
601 raise NotImplementedError, 'Clase abstracta!'
604 class Grupo(Entregador): #{{{
607 curso = ForeignKey('Curso', notNone=True, cascade=True)
608 nombre = UnicodeCol(length=20, notNone=True)
609 pk = DatabaseIndex(curso, nombre, unique=True)
611 responsable = ForeignKey('AlumnoInscripto', default=None, cascade='null')
613 miembros = MultipleJoin('Miembro')
614 tutores = MultipleJoin('Tutor')
616 def __init__(self, miembros=[], tutores=[], **kw):
617 super(Grupo, self).__init__(**kw)
623 def set(self, miembros=None, tutores=None, **kw):
624 super(Grupo, self).set(**kw)
625 if miembros is not None:
626 for m in Miembro.selectBy(grupo=self):
630 if tutores is not None:
631 for t in Tutor.selectBy(grupo=self):
636 _doc_alumnos = 'Devuelve una lista de AlumnoInscriptos **activos**.'
637 def _get_alumnos(self):
638 return list([m.alumno for m in Miembro.selectBy(grupo=self, baja=None)])
640 _doc_docentes = 'Devuelve una lista de DocenteInscriptos **activos**.'
641 def _get_docentes(self):
642 return list([t.docente for t in Tutor.selectBy(grupo=self, baja=None)])
644 def add_miembro(self, alumno, **kw):
645 if isinstance(alumno, AlumnoInscripto):
647 return Miembro(grupo=self, alumnoID=alumno, **kw)
649 def remove_miembro(self, alumno):
650 if isinstance(alumno, AlumnoInscripto):
652 m = Miembro.selectBy(grupo=self, alumnoID=alumno, baja=None).getOne()
653 m.baja = DateTimeCol.now()
655 def add_tutor(self, docente, **kw):
656 if isinstance(docente, DocenteInscripto):
658 return Tutor(grupo=self, docenteID=docente, **kw)
660 def remove_tutor(self, docente):
661 if isinstance(docente, DocenteInscripto):
663 t = Tutor.selectBy(grupo=self, docenteID=docente, baja=None)
664 t.baja = DateTimeCol.now()
667 return 'Grupo(id=%s, nombre=%s, responsable=%s, nota=%s, ' \
668 'nota_cursada=%s, observaciones=%s, activo=%s)' \
669 % (self.id, self.nombre, srepr(self.responsable), self.nota,
670 self.nota_cursada, self.observaciones, self.activo)
673 return 'grupo:' + self.nombre
676 class AlumnoInscripto(Entregador): #{{{
679 curso = ForeignKey('Curso', notNone=True, cascade=True)
680 alumno = ForeignKey('Alumno', notNone=True, cascade=True)
681 pk = DatabaseIndex(curso, alumno, unique=True)
683 condicional = BoolCol(notNone=True, default=False)
684 tutor = ForeignKey('DocenteInscripto', default=None, cascade='null')
686 responsabilidades = MultipleJoin('Grupo', joinColumn='responsable_id')
687 membresias = MultipleJoin('Miembro', joinColumn='alumno_id')
688 entregas = MultipleJoin('Entrega', joinColumn='alumno_id')
689 correcciones = MultipleJoin('Correccion', joinColumn='alumno_id')
691 def _get_nombre(self):
692 return self.alumno.padron
695 return 'AlumnoInscripto(id=%s, alumno=%s, condicional=%s, nota=%s, ' \
696 'nota_cursada=%s, tutor=%s, observaciones=%s, activo=%s)' \
697 % (self.id, self.alumno.shortrepr(), self.condicional,
698 self.nota, self.nota_cursada, srepr(self.tutor),
699 self.observaciones, self.activo)
702 return self.alumno.shortrepr()
705 class Tutor(SQLObject): #{{{
707 grupo = ForeignKey('Grupo', notNone=True, cascade=True)
708 docente = ForeignKey('DocenteInscripto', notNone=True, cascade=True)
709 pk = DatabaseIndex(grupo, docente, unique=True)
711 alta = DateTimeCol(notNone=True, default=DateTimeCol.now)
712 baja = DateTimeCol(default=None)
715 return 'Tutor(docente=%s, grupo=%s, alta=%s, baja=%s)' \
716 % (self.docente.shortrepr(), self.grupo.shortrepr(),
717 self.alta, self.baja)
720 return '%s-%s' % (self.docente.shortrepr(), self.grupo.shortrepr())
723 class Miembro(SQLObject): #{{{
725 grupo = ForeignKey('Grupo', notNone=True, cascade=True)
726 alumno = ForeignKey('AlumnoInscripto', notNone=True, cascade=True)
727 pk = DatabaseIndex(grupo, alumno, unique=True)
729 nota = DecimalCol(size=3, precision=1, default=None)
730 alta = DateTimeCol(notNone=True, default=DateTimeCol.now)
731 baja = DateTimeCol(default=None)
734 return 'Miembro(alumno=%s, grupo=%s, nota=%s, alta=%s, baja=%s)' \
735 % (self.alumno.shortrepr(), self.grupo.shortrepr(),
736 self.nota, self.alta, self.baja)
739 return '%s-%s' % (self.alumno.shortrepr(), self.grupo.shortrepr())
742 class Entrega(SQLObject): #{{{
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 archivos = BLOBCol(notNone=True) # ZIP con fuentes de la entrega
750 correcta = BoolCol(default=None) # None es que no se sabe qué pasó
751 inicio_tareas = DateTimeCol(default=None) # Si es None no se procesó
752 fin_tareas = DateTimeCol(default=None) # Si es None pero inicio no, se está procesando
753 observaciones = UnicodeCol(notNone=True, default=u'')
755 comandos_ejecutados = MultipleJoin('ComandoFuenteEjecutado')
756 pruebas = MultipleJoin('Prueba')
758 def add_comando_ejecutado(self, comando, **kw):
759 return ComandoFuenteEjecutado(entrega=self, comando=comando, **kw)
761 def remove_comando_ejecutado(self, comando):
762 if isinstance(comando, ComandoFuente):
765 ComandoFuenteEjecutado.pk.get(self.id, comando).destroySelf()
767 def add_prueba(self, caso_de_prueba, **kw):
768 return Prueba(entrega=self, caso_de_prueba=caso_de_prueba, **kw)
770 def remove_prueba(self, caso_de_prueba):
771 if isinstance(caso_de_prueba, CasoDePrueba):
772 caso_de_prueba = caso_de_prueba.id
773 # FIXME self.id, caso_de_prueba
774 Prueba.pk.get(self.id, caso_de_prueba).destroySelf()
777 return 'Entrega(id=%s, instancia=%s, entregador=%s, fecha=%s, ' \
778 'correcta=%s, inicio_tareas=%s, fin_tareas=%s, observaciones=%s)' \
779 % (self.id, self.instancia.shortrepr(), srepr(self.entregador),
780 self.fecha, self.inicio_tareas, self.fin_tareas,
781 self.correcta, self.observaciones)
784 return '%s-%s-%s' % (self.instancia.shortrepr(),
785 srepr(self.entregador), self.fecha)
788 class Correccion(SQLObject): #{{{
790 instancia = ForeignKey('InstanciaDeEntrega', notNone=True, cascade=False)
791 entregador = ForeignKey('Entregador', notNone=True, cascade=False) # Docente no tiene
792 pk = DatabaseIndex(instancia, entregador, unique=True)
794 entrega = ForeignKey('Entrega', notNone=True, cascade=False)
795 corrector = ForeignKey('DocenteInscripto', default=None, cascade='null')
796 asignado = DateTimeCol(notNone=True, default=DateTimeCol.now)
797 corregido = DateTimeCol(default=None)
798 nota = DecimalCol(size=3, precision=1, default=None)
799 observaciones = UnicodeCol(default=None)
801 def _get_entregas(self):
802 return list(Entrega.selectBy(instancia=self.instancia, entregador=self.entregador))
805 return 'Correccion(instancia=%s, entregador=%s, entrega=%s, ' \
806 'corrector=%s, asignado=%s, corregido=%s, nota=%s, ' \
807 'observaciones=%s)' \
808 % (self.instancia.shortrepr(), self.entregador.shortrepr(),
809 self.entrega.shortrepr(), self.corrector, self.asignado,
810 self.corregido, self.nota, self.observaciones)
813 if not self.corrector:
814 return '%s' % self.entrega.shortrepr()
815 return '%s,%s' % (self.entrega.shortrepr(), self.corrector.shortrepr())
818 class ComandoEjecutado(InheritableSQLObject): #{{{
820 inicio = DateTimeCol(notNone=True, default=DateTimeCol.now)
821 fin = DateTimeCol(default=None)
822 exito = IntCol(default=None)
823 observaciones = UnicodeCol(notNone=True, default=u'')
826 raise NotImplementedError('ComandoEjecutado es una clase abstracta')
829 class ComandoFuenteEjecutado(ComandoEjecutado): #{{{
831 comando = ForeignKey('ComandoFuente', notNone=True, cascade=False)
832 entrega = ForeignKey('Entrega', notNone=True, cascade=False)
833 pk = DatabaseIndex(comando, entrega, unique=True)
836 return 'ComandoFuenteEjecutado(comando=%s, entrega=%s, inicio=%s, ' \
837 'fin=%s, exito=%s, observaciones=%s)' \
838 % (self.comando.shortrepr(), self.entrega.shortrepr(),
839 self.inicio, self.fin, self.exito, self.observaciones)
842 return '%s-%s' % (self.tarea.shortrepr(), self.entrega.shortrepr())
845 class ComandoPruebaEjecutado(ComandoEjecutado): #{{{
847 comando = ForeignKey('ComandoPrueba', notNone=True, cascade=False)
848 prueba = ForeignKey('Prueba', notNone=True, cascade=False)
849 pk = DatabaseIndex(comando, prueba, unique=True)
852 return 'ComandoPruebaEjecutado(comando=%s, prueba=%s, inicio=%s, ' \
853 'fin=%s, exito=%s, observaciones=%s)' \
854 % (self.comando.shortrepr(), self.prueba.shortrepr(),
855 self.inicio, self.fin, self.exito, self.observaciones)
858 return '%s:%s:%s' % (self.tarea.shortrepr(), self.entrega.shortrerp(),
859 self.caso_de_prueba.shortrerp())
862 class Prueba(SQLObject): #{{{
864 entrega = ForeignKey('Entrega', notNone=True, cascade=False)
865 caso_de_prueba = ForeignKey('CasoDePrueba', notNone=True, cascade=False)
866 pk = DatabaseIndex(entrega, caso_de_prueba, unique=True)
868 inicio = DateTimeCol(notNone=True, default=DateTimeCol.now)
869 fin = DateTimeCol(default=None)
870 pasada = IntCol(default=None)
871 observaciones = UnicodeCol(notNone=True, default=u'')
873 comandos_ejecutados = MultipleJoin('ComandoPruebaEjecutado')
875 def add_comando_ejecutado(self, comando, **kw):
876 if isinstance(comando, ComandoPrueba):
878 return ComandoPruebaEjecutado(prueba=self, comandoID=comando, **kw)
880 def remove_comando_ejecutado(self, comando):
881 if isinstance(comando, ComandoPrueba):
883 # FIXME self.id, comando.id
884 ComandoPruebaEjecutado.pk.get(self.id, comando).destroySelf()
887 return 'Prueba(entrega=%s, caso_de_prueba=%s, inicio=%s, fin=%s, ' \
888 'pasada=%s, observaciones=%s)' \
889 % (self.entrega.shortrepr(), self.caso_de_prueba.shortrepr(),
890 self.inicio, self.fin, self.pasada, self.observaciones)
893 return '%s:%s' % (self.entrega.shortrepr(),
894 self.caso_de_prueba.shortrerp())
897 #{{{ Específico de Identity
899 class Visita(SQLObject): #{{{
900 visit_key = StringCol(length=40, alternateID=True,
901 alternateMethodName="by_visit_key")
902 created = DateTimeCol(notNone=True, default=datetime.now)
903 expiry = DateTimeCol()
906 def lookup_visit(cls, visit_key):
908 return cls.by_visit_key(visit_key)
909 except SQLObjectNotFound:
913 class VisitaUsuario(SQLObject): #{{{
915 visit_key = StringCol(length=40, alternateID=True,
916 alternateMethodName="by_visit_key")
918 user_id = IntCol() # Negrada de identity
921 class Rol(SQLObject): #{{{
923 nombre = UnicodeCol(length=255, alternateID=True,
924 alternateMethodName='by_nombre')
926 descripcion = UnicodeCol(length=255, default=None)
927 creado = DateTimeCol(notNone=True, default=datetime.now)
928 permisos = TupleCol(notNone=True)
930 usuarios = RelatedJoin('Usuario', addRemoveName='_usuario')
932 def by_group_name(self, name): # para identity
933 return self.by_nombre(name)
936 # No es un SQLObject porque no tiene sentido agregar/sacar permisos, están
937 # hardcodeados en el código
938 class Permiso(object): #{{{
940 def __init__(self, nombre, descripcion):
941 self.valor = Permiso.max_valor
942 Permiso.max_valor <<= 1
944 self.descripcion = descripcion
947 def createTable(cls, ifNotExists): # para identity
951 def permission_name(self): # para identity
954 def __and__(self, other):
955 return self.valor & other.valor
957 def __or__(self, other):
958 return self.valor | other.valor
965 entregar_tp = Permiso(u'entregar', u'Permite entregar trabajos prácticos')
966 admin = Permiso(u'admin', u'Permite hacer ABMs arbitrarios')