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)]
46 class TupleCol(PickleCol):
47 baseClass = SOTupleCol
49 class ParamsValidator(UnicodeStringValidator):
50 def to_python(self, value, state):
51 if isinstance(value, basestring) or value is None:
52 value = super(ParamsValidator, self).to_python(value, state)
54 value = params_to_list(value)
56 raise Invalid("invalid parameters in the ParamsCol '%s', parse "
57 "error: %s" % (self.name, e), value, state)
58 elif not isinstance(value, (list, tuple)):
59 raise Invalid("expected a tuple, list or valid string in the "
60 "ParamsCol '%s', got %s %r instead"
61 % (self.name, type(value), value), value, state)
63 def from_python(self, value, state):
64 if isinstance(value, (list, tuple)):
65 value = ' '.join([repr(p) for p in value])
66 elif isinstance(value, basestring) or value is None:
67 value = super(ParamsValidator, self).to_python(value, state)
71 raise Invalid("invalid parameters in the ParamsCol '%s', parse "
72 "error: %s" % (self.name, e), value, state)
74 raise Invalid("expected a tuple, list or valid string in the "
75 "ParamsCol '%s', got %s %r instead"
76 % (self.name, type(value), value), value, state)
79 class SOParamsCol(SOUnicodeCol):
80 def createValidators(self):
81 return [ParamsValidator(db_encoding=self.dbEncoding, name=self.name)]
83 class ParamsCol(UnicodeCol):
84 baseClass = SOParamsCol
92 return obj.shortrepr()
96 class Curso(SQLObject): #{{{
98 anio = IntCol(notNone=True)
99 cuatrimestre = IntCol(notNone=True)
100 numero = IntCol(notNone=True)
101 pk = DatabaseIndex(anio, cuatrimestre, numero, unique=True)
103 descripcion = UnicodeCol(length=255, default=None)
105 docentes = MultipleJoin('DocenteInscripto')
106 alumnos = MultipleJoin('AlumnoInscripto')
107 grupos = MultipleJoin('Grupo')
108 ejercicios = MultipleJoin('Ejercicio', orderBy='numero')
110 def __init__(self, docentes=[], ejercicios=[], alumnos=[], **kw):
111 super(Curso, self).__init__(**kw)
114 for (n, e) in enumerate(ejercicios):
115 self.add_ejercicio(n, e)
119 def set(self, docentes=None, ejercicios=None, alumnos=None, **kw):
120 super(Curso, self).set(**kw)
121 if docentes is not None:
122 for d in DocenteInscripto.selectBy(curso=self):
126 if ejercicios is not None:
127 for e in Ejercicio.selectBy(curso=self):
129 for (n, e) in enumerate(ejercicios):
130 self.add_ejercicio(n+1, e)
131 if alumnos is not None:
132 for a in AlumnoInscripto.selectBy(curso=self):
137 def add_docente(self, docente, **kw):
138 if isinstance(docente, Docente):
139 kw['docente'] = docente
141 kw['docenteID'] = docente
142 return DocenteInscripto(curso=self, **kw)
144 def remove_docente(self, docente):
145 if isinstance(docente, Docente):
147 # FIXME esto deberian arreglarlo en SQLObject y debería ser
148 # DocenteInscripto.pk.get(self, docente).destroySelf()
149 DocenteInscripto.pk.get(self.id, docente).destroySelf()
151 def add_alumno(self, alumno, **kw):
152 if isinstance(alumno, Alumno):
153 kw['alumno'] = alumno
155 kw['alumnoID'] = alumno
156 return AlumnoInscripto(curso=self, **kw)
158 def remove_alumno(self, alumno):
159 if isinstance(alumno, Alumno):
161 # FIXME esto deberian arreglarlo en SQLObject
162 AlumnoInscripto.pk.get(self.id, alumno).destroySelf()
164 def add_grupo(self, nombre, **kw):
165 return Grupo(curso=self, nombre=unicode(nombre), **kw)
167 def remove_grupo(self, nombre):
168 # FIXME esto deberian arreglarlo en SQLObject
169 Grupo.pk.get(self.id, nombre).destroySelf()
171 def add_ejercicio(self, numero, enunciado, **kw):
172 if isinstance(enunciado, Enunciado):
173 kw['enunciado'] = enunciado
175 kw['enunciadoID'] = enunciado
176 return Ejercicio(curso=self, numero=numero, **kw)
178 def remove_ejercicio(self, numero):
179 # FIXME esto deberian arreglarlo en SQLObject
180 Ejercicio.pk.get(self.id, numero).destroySelf()
183 return 'Curso(id=%s, anio=%s, cuatrimestre=%s, numero=%s, ' \
185 % (self.id, self.anio, self.cuatrimestre, self.numero,
190 % (self.anio, self.cuatrimestre, self.numero)
193 class Usuario(InheritableSQLObject): #{{{
194 # Clave (para docentes puede ser un nombre de usuario arbitrario)
195 usuario = UnicodeCol(length=10, alternateID=True)
197 contrasenia = UnicodeCol(length=255, default=None)
198 nombre = UnicodeCol(length=255, notNone=True)
199 email = UnicodeCol(length=255, default=None)
200 telefono = UnicodeCol(length=255, default=None)
201 creado = DateTimeCol(notNone=True, default=DateTimeCol.now)
202 observaciones = UnicodeCol(default=None)
203 activo = BoolCol(notNone=True, default=True)
205 roles = RelatedJoin('Rol', addRemoveName='_rol')
207 def __init__(self, password=None, roles=[], **kw):
208 if password is not None:
209 kw['contrasenia'] = encryptpw(password)
210 super(Usuario, self).__init__(**kw)
214 def set(self, password=None, roles=None, **kw):
215 if password is not None:
216 kw['contrasenia'] = encryptpw(password)
217 super(Usuario, self).set(**kw)
218 if roles is not None:
224 def _get_user_name(self): # para identity
228 def by_user_name(cls, user_name): # para identity
229 user = cls.byUsuario(user_name)
231 raise SQLObjectNotFound(_(u'El %s está inactivo' % cls.__name__))
234 def _get_groups(self): # para identity
237 def _get_permissions(self): # para identity
240 perms.update(r.permisos)
243 _get_permisos = _get_permissions
245 def _set_password(self, cleartext_password): # para identity
246 self.contrasenia = encryptpw(cleartext_password)
248 def _get_password(self): # para identity
249 return self.contrasenia
252 raise NotImplementedError(_(u'Clase abstracta!'))
255 return '%s (%s)' % (self.usuario, self.nombre)
258 class Docente(Usuario): #{{{
261 nombrado = BoolCol(notNone=True, default=True)
263 enunciados = MultipleJoin('Enunciado', joinColumn='autor_id')
264 cursos = MultipleJoin('DocenteInscripto')
266 def add_entrega(self, instancia, **kw):
267 return Entrega(instancia=instancia, **kw)
269 def add_enunciado(self, nombre, anio, cuatrimestre, **kw):
270 return Enunciado(nombre=nombre, anio=anio, cuatrimestre=cuatrimestre,
273 def remove_enunciado(self, nombre, anio, cuatrimestre):
274 Enunciado.pk.get(nombre, anio, cuatrimestre).destroySelf()
277 return 'Docente(id=%s, usuario=%s, nombre=%s, password=%s, email=%s, ' \
278 'telefono=%s, activo=%s, creado=%s, observaciones=%s)' \
279 % (self.id, self.usuario, self.nombre, self.password,
280 self.email, self.telefono, self.activo, self.creado,
284 class Alumno(Usuario): #{{{
287 nota = DecimalCol(size=3, precision=1, default=None)
289 inscripciones = MultipleJoin('AlumnoInscripto')
291 def __init__(self, padron=None, **kw):
292 if padron: kw['usuario'] = padron
293 super(Alumno, self).__init__(**kw)
295 def set(self, padron=None, **kw):
296 if padron: kw['usuario'] = padron
297 super(Alumno, self).set(**kw)
299 def _get_padron(self): # alias para poder referirse al alumno por padron
302 def _set_padron(self, padron):
303 self.usuario = padron
306 def byPadron(cls, padron):
307 return cls.byUsuario(unicode(padron))
310 return 'Alumno(id=%s, padron=%s, nombre=%s, password=%s, email=%s, ' \
311 'telefono=%s, activo=%s, creado=%s, observaciones=%s)' \
312 % (self.id, self.padron, self.nombre, self.password, self.email,
313 self.telefono, self.activo, self.creado, self.observaciones)
316 class Tarea(InheritableSQLObject): #{{{
318 nombre = UnicodeCol(length=30, alternateID=True)
320 descripcion = UnicodeCol(length=255, default=None)
321 terminar_si_falla = BoolCol(notNone=True, default=True)
322 rechazar_si_falla = BoolCol(notNone=True, default=True)
324 enunciados = RelatedJoin('Enunciado', addRemoveName='_enunciado')
327 raise NotImplementedError('Tarea es una clase abstracta')
333 class TareaFuente(Tarea): #{{{
335 comandos = MultipleJoin('ComandoFuente', joinColumn='tarea_id')
337 def add_comando(self, orden, comando, **kw):
338 return ComandoFuente(tarea=self, orden=orden, comando=comando, **kw)
340 def remove_comando(self, orden):
341 ComandoFuente.pk.get(self.id, orden).destroySelf()
344 return 'TareaFuente(id=%s, nombre=%s, descripcion=%s)' \
345 % (self.id, self.nombre, self.descripcion)
348 class TareaPrueba(Tarea): #{{{
350 comandos = MultipleJoin('ComandoPrueba', joinColumn='tarea_id')
352 def add_comando(self, orden, comando, **kw):
353 return ComandoPrueba(tarea=self, orden=orden, comando=comando, **kw)
355 def remove_comando(self, orden):
356 ComandoPrueba.pk.get(self.id, orden).destroySelf()
359 return 'TareaPrueba(id=%s, nombre=%s, descripcion=%s)' \
360 % (self.id, self.nombre, self.descripcion)
363 class Comando(InheritableSQLObject): #{{{
365 comando = ParamsCol(length=255, notNone=True)
366 descripcion = UnicodeCol(length=255, default=None)
367 retorno = IntCol(default=None)
368 terminar_si_falla = BoolCol(notNone=True, default=True)
369 rechazar_si_falla = BoolCol(notNone=True, default=True)
370 archivos_entrada = BLOBCol(default=None) # ZIP con archivos de entrada
371 # stdin es caso especial
372 archivos_salida = BLOBCol(default=None) # ZIP con archivos de salida
373 # stdout y stderr son especiales
376 raise NotImplementedError('Comando es una clase abstracta')
382 class ComandoFuente(Comando): #{{{
384 tarea = ForeignKey('TareaFuente', notNone=True, cascade=True)
385 orden = IntCol(notNone=True)
386 pk = DatabaseIndex(tarea, orden, unique=True)
388 tiempo_cpu = FloatCol(default=None)
390 def ejecutar(self): pass # TODO
393 return 'ComandoFuente(tarea=%s, orden=%s, comando=%s, descripcion=%s, ' \
394 'retorno=%s, tiempo_cpu=%s, terminar_si_falla=%s, ' \
395 'rechazar_si_falla=%s)' \
396 % (srepr(self.tarea), self.orden, self.comando, self.descripcion,
397 self.retorno, self.tiempo_cpu, self.terminar_si_falla,
398 self.rechazar_si_falla)
401 class ComandoPrueba(Comando): #{{{
403 tarea = ForeignKey('TareaPrueba', notNone=True, cascade=True)
404 orden = IntCol(notNone=True)
405 pk = DatabaseIndex(tarea, orden, unique=True)
407 multipl_tiempo_cpu = FloatCol(notNone=True, default=1.0)
409 def ejecutar(self): pass # TODO
412 return 'ComandoPrueba(tarea=%s, orden=%s, comando=%s, descripcion=%s, ' \
413 'retorno=%s, multipl_tiempo_cpu=%s, terminar_si_falla=%s, ' \
414 'rechazar_si_falla=%s)' \
415 % (srepr(self.tarea), self.orden, self.comando, self.descripcion,
416 self.retorno, self.multipl_tiempo_cpu, self.terminar_si_falla,
417 self.rechazar_si_falla)
420 class Enunciado(SQLObject): #{{{
422 nombre = UnicodeCol(length=60)
423 anio = IntCol(notNone=True)
424 cuatrimestre = IntCol(notNone=True)
425 pk = DatabaseIndex(nombre, anio, cuatrimestre, unique=True)
427 descripcion = UnicodeCol(length=255, default=None)
428 autor = ForeignKey('Docente', cascade='null')
429 creado = DateTimeCol(notNone=True, default=DateTimeCol.now)
430 archivo = BLOBCol(default=None)
431 archivo_name = UnicodeCol(length=255, default=None)
432 archivo_type = UnicodeCol(length=255, default=None)
434 ejercicios = MultipleJoin('Ejercicio')
435 casos_de_prueba = MultipleJoin('CasoDePrueba')
436 tareas = RelatedJoin('Tarea', addRemoveName='_tarea')
438 def __init__(self, tareas=[], **kw):
439 super(Enunciado, self).__init__(**kw)
441 self.add_tarea(tarea)
443 def set(self, tareas=None, **kw):
444 super(Enunciado, self).set(**kw)
445 if tareas is not None:
446 for tarea in self.tareas:
447 self.remove_tarea(tarea)
449 self.add_tarea(tarea)
452 def selectByCurso(self, curso):
453 return Enunciado.selectBy(cuatrimestre=curso.cuatrimestre, anio=curso.anio)
455 def add_caso_de_prueba(self, nombre, **kw):
456 return CasoDePrueba(enunciado=self, nombre=nombre, **kw)
459 return 'Enunciado(id=%s, autor=%s, nombre=%s, descripcion=%s, ' \
461 % (self.id, srepr(self.autor), self.nombre, self.descripcion, \
468 class CasoDePrueba(SQLObject): #{{{
470 enunciado = ForeignKey('Enunciado', cascade=True)
471 nombre = UnicodeCol(length=40, notNone=True)
472 pk = DatabaseIndex(enunciado, nombre, unique=True)
474 descripcion = UnicodeCol(length=255, default=None)
475 terminar_si_falla = BoolCol(notNone=True, default=False)
476 rechazar_si_falla = BoolCol(notNone=True, default=True)
477 parametros = ParamsCol(length=255, default=None)
478 retorno = IntCol(default=None)
479 tiempo_cpu = FloatCol(default=None)
480 archivos_entrada = BLOBCol(default=None) # ZIP con archivos de entrada
481 # stdin es caso especial
482 archivos_salida = BLOBCol(default=None) # ZIP con archivos de salida
483 # stdout y stderr son especiales
484 activo = BoolCol(notNone=True, default=True)
486 pruebas = MultipleJoin('Prueba')
489 return 'CasoDePrueba(enunciado=%s, nombre=%s, parametros=%s, ' \
490 'retorno=%s, tiempo_cpu=%s, descripcion=%s)' \
491 % (srepr(self.enunciado), self.nombre, self.parametros,
492 self.retorno, self.tiempo_cpu, self.descripcion)
495 return '%s:%s' % (self.enunciado.shortrepr(), self.nombre)
498 class Ejercicio(SQLObject): #{{{
500 curso = ForeignKey('Curso', notNone=True, cascade=True)
501 numero = IntCol(notNone=True)
502 pk = DatabaseIndex(curso, numero, unique=True)
504 enunciado = ForeignKey('Enunciado', notNone=True, cascade=False)
505 grupal = BoolCol(default=False) # None es grupal o individual
507 instancias = MultipleJoin('InstanciaDeEntrega')
509 def add_instancia(self, numero, inicio, fin, **kw):
510 return InstanciaDeEntrega(ejercicio=self, numero=numero, inicio=inicio,
513 def remove_instancia(self, numero):
515 InstanciaDeEntrega.pk.get(self.id, numero).destroySelf()
518 return 'Ejercicio(id=%s, curso=%s, numero=%s, enunciado=%s, ' \
520 % (self.id, self.curso.shortrepr(), self.numero,
521 self.enunciado.shortrepr(), self.grupal)
524 return '(%s, %s, %s)' \
525 % (self.curso.shortrepr(), str(self.numero), \
526 self.enunciado.shortrepr())
529 class InstanciaDeEntrega(SQLObject): #{{{
531 ejercicio = ForeignKey('Ejercicio', notNone=True, cascade=True)
532 numero = IntCol(notNone=True)
533 pk = DatabaseIndex(ejercicio, numero, unique=True)
535 inicio = DateTimeCol(notNone=True)
536 fin = DateTimeCol(notNone=True)
537 procesada = BoolCol(notNone=True, default=False)
538 observaciones = UnicodeCol(default=None)
539 activo = BoolCol(notNone=True, default=True)
541 entregas = MultipleJoin('Entrega', joinColumn='instancia_id')
542 correcciones = MultipleJoin('Correccion', joinColumn='instancia_id')
545 return 'InstanciaDeEntrega(id=%s, numero=%s, inicio=%s, fin=%s, ' \
546 'procesada=%s, observaciones=%s, activo=%s)' \
547 % (self.id, self.numero, self.inicio, self.fin,
548 self.procesada, self.observaciones, self.activo)
554 class DocenteInscripto(SQLObject): #{{{
556 curso = ForeignKey('Curso', notNone=True, cascade=True)
557 docente = ForeignKey('Docente', notNone=True, cascade=True)
558 pk = DatabaseIndex(curso, docente, unique=True)
560 corrige = BoolCol(notNone=True, default=True)
561 observaciones = UnicodeCol(default=None)
563 alumnos = MultipleJoin('AlumnoInscripto', joinColumn='tutor_id')
564 tutorias = MultipleJoin('Tutor', joinColumn='docente_id')
565 correcciones = MultipleJoin('Correccion', joinColumn='corrector_id')
567 def add_correccion(self, entrega, **kw):
568 return Correccion(instancia=entrega.instancia, entrega=entrega,
569 entregador=entrega.entregador, corrector=self, **kw)
571 def remove_correccion(self, instancia, entregador):
572 # FIXME instancia.id, entregador.id
573 Correccion.pk.get(instancia.id, entregador.id).destroySelf()
576 return 'DocenteInscripto(id=%s, docente=%s, corrige=%s, ' \
578 % (self.id, self.docente.shortrepr(), self.corrige,
582 return self.docente.shortrepr()
585 class Entregador(InheritableSQLObject): #{{{
587 nota = DecimalCol(size=3, precision=1, default=None)
588 nota_cursada = DecimalCol(size=3, precision=1, default=None)
589 observaciones = UnicodeCol(notNone=True, default=u'')
590 activo = BoolCol(notNone=True, default=True)
592 entregas = MultipleJoin('Entrega')
593 correcciones = MultipleJoin('Correccion')
595 def add_entrega(self, instancia, **kw):
596 return Entrega(instancia=instancia, entregador=self, **kw)
599 raise NotImplementedError, 'Clase abstracta!'
602 class Grupo(Entregador): #{{{
605 curso = ForeignKey('Curso', notNone=True, cascade=True)
606 nombre = UnicodeCol(length=20, notNone=True)
607 pk = DatabaseIndex(curso, nombre, unique=True)
609 responsable = ForeignKey('AlumnoInscripto', default=None, cascade='null')
611 miembros = MultipleJoin('Miembro')
612 tutores = MultipleJoin('Tutor')
614 def __init__(self, miembros=[], tutores=[], **kw):
615 super(Grupo, self).__init__(**kw)
621 def set(self, miembros=None, tutores=None, **kw):
622 super(Grupo, self).set(**kw)
623 if miembros is not None:
624 for m in Miembro.selectBy(grupo=self):
628 if tutores is not None:
629 for t in Tutor.selectBy(grupo=self):
634 _doc_alumnos = 'Devuelve una lista de AlumnoInscriptos **activos**.'
635 def _get_alumnos(self):
636 return list([m.alumno for m in Miembro.selectBy(grupo=self, baja=None)])
638 _doc_docentes = 'Devuelve una lista de DocenteInscriptos **activos**.'
639 def _get_docentes(self):
640 return list([t.docente for t in Tutor.selectBy(grupo=self, baja=None)])
642 def add_miembro(self, alumno, **kw):
643 if isinstance(alumno, AlumnoInscripto):
645 return Miembro(grupo=self, alumnoID=alumno, **kw)
647 def remove_miembro(self, alumno):
648 if isinstance(alumno, AlumnoInscripto):
650 m = Miembro.selectBy(grupo=self, alumnoID=alumno, baja=None).getOne()
651 m.baja = DateTimeCol.now()
653 def add_tutor(self, docente, **kw):
654 if isinstance(docente, DocenteInscripto):
656 return Tutor(grupo=self, docenteID=docente, **kw)
658 def remove_tutor(self, docente):
659 if isinstance(docente, DocenteInscripto):
661 t = Tutor.selectBy(grupo=self, docenteID=docente, baja=None)
662 t.baja = DateTimeCol.now()
665 return 'Grupo(id=%s, nombre=%s, responsable=%s, nota=%s, ' \
666 'nota_cursada=%s, observaciones=%s, activo=%s)' \
667 % (self.id, self.nombre, srepr(self.responsable), self.nota,
668 self.nota_cursada, self.observaciones, self.activo)
671 return 'grupo:' + self.nombre
674 class AlumnoInscripto(Entregador): #{{{
677 curso = ForeignKey('Curso', notNone=True, cascade=True)
678 alumno = ForeignKey('Alumno', notNone=True, cascade=True)
679 pk = DatabaseIndex(curso, alumno, unique=True)
681 condicional = BoolCol(notNone=True, default=False)
682 tutor = ForeignKey('DocenteInscripto', default=None, cascade='null')
684 responsabilidades = MultipleJoin('Grupo', joinColumn='responsable_id')
685 membresias = MultipleJoin('Miembro', joinColumn='alumno_id')
686 entregas = MultipleJoin('Entrega', joinColumn='alumno_id')
687 correcciones = MultipleJoin('Correccion', joinColumn='alumno_id')
689 def _get_nombre(self):
690 return self.alumno.padron
693 return 'AlumnoInscripto(id=%s, alumno=%s, condicional=%s, nota=%s, ' \
694 'nota_cursada=%s, tutor=%s, observaciones=%s, activo=%s)' \
695 % (self.id, self.alumno.shortrepr(), self.condicional,
696 self.nota, self.nota_cursada, srepr(self.tutor),
697 self.observaciones, self.activo)
700 return self.alumno.shortrepr()
703 class Tutor(SQLObject): #{{{
705 grupo = ForeignKey('Grupo', notNone=True, cascade=True)
706 docente = ForeignKey('DocenteInscripto', notNone=True, cascade=True)
707 pk = DatabaseIndex(grupo, docente, unique=True)
709 alta = DateTimeCol(notNone=True, default=DateTimeCol.now)
710 baja = DateTimeCol(default=None)
713 return 'Tutor(docente=%s, grupo=%s, alta=%s, baja=%s)' \
714 % (self.docente.shortrepr(), self.grupo.shortrepr(),
715 self.alta, self.baja)
718 return '%s-%s' % (self.docente.shortrepr(), self.grupo.shortrepr())
721 class Miembro(SQLObject): #{{{
723 grupo = ForeignKey('Grupo', notNone=True, cascade=True)
724 alumno = ForeignKey('AlumnoInscripto', notNone=True, cascade=True)
725 pk = DatabaseIndex(grupo, alumno, unique=True)
727 nota = DecimalCol(size=3, precision=1, default=None)
728 alta = DateTimeCol(notNone=True, default=DateTimeCol.now)
729 baja = DateTimeCol(default=None)
732 return 'Miembro(alumno=%s, grupo=%s, nota=%s, alta=%s, baja=%s)' \
733 % (self.alumno.shortrepr(), self.grupo.shortrepr(),
734 self.nota, self.alta, self.baja)
737 return '%s-%s' % (self.alumno.shortrepr(), self.grupo.shortrepr())
740 class Entrega(SQLObject): #{{{
742 instancia = ForeignKey('InstanciaDeEntrega', notNone=True, cascade=False)
743 entregador = ForeignKey('Entregador', default=None, cascade=False) # Si es None era un Docente
744 fecha = DateTimeCol(notNone=True, default=DateTimeCol.now)
745 pk = DatabaseIndex(instancia, entregador, fecha, unique=True)
747 archivos = BLOBCol(notNone=True) # ZIP con fuentes de la entrega
748 correcta = BoolCol(default=None) # None es que no se sabe qué pasó
749 inicio_tareas = DateTimeCol(default=None) # Si es None no se procesó
750 fin_tareas = DateTimeCol(default=None) # Si es None pero inicio no, se está procesando
751 observaciones = UnicodeCol(notNone=True, default=u'')
753 comandos_ejecutados = MultipleJoin('ComandoFuenteEjecutado')
754 pruebas = MultipleJoin('Prueba')
756 def add_comando_ejecutado(self, comando, **kw):
757 return ComandoFuenteEjecutado(entrega=self, comando=comando, **kw)
759 def remove_comando_ejecutado(self, comando):
760 if isinstance(comando, ComandoFuente):
763 ComandoFuenteEjecutado.pk.get(self.id, comando).destroySelf()
765 def add_prueba(self, caso_de_prueba, **kw):
766 return Prueba(entrega=self, caso_de_prueba=caso_de_prueba, **kw)
768 def remove_prueba(self, caso_de_prueba):
769 if isinstance(caso_de_prueba, CasoDePrueba):
770 caso_de_prueba = caso_de_prueba.id
771 # FIXME self.id, caso_de_prueba
772 Prueba.pk.get(self.id, caso_de_prueba).destroySelf()
775 return 'Entrega(id=%s, instancia=%s, entregador=%s, fecha=%s, ' \
776 'correcta=%s, inicio_tareas=%s, fin_tareas=%s, observaciones=%s)' \
777 % (self.id, self.instancia.shortrepr(), srepr(self.entregador),
778 self.fecha, self.inicio_tareas, self.fin_tareas,
779 self.correcta, self.observaciones)
782 return '%s-%s-%s' % (self.instancia.shortrepr(),
783 srepr(self.entregador), self.fecha)
786 class Correccion(SQLObject): #{{{
788 instancia = ForeignKey('InstanciaDeEntrega', notNone=True, cascade=False)
789 entregador = ForeignKey('Entregador', notNone=True, cascade=False) # Docente no tiene
790 pk = DatabaseIndex(instancia, entregador, unique=True)
792 entrega = ForeignKey('Entrega', notNone=True, cascade=False)
793 corrector = ForeignKey('DocenteInscripto', default=None, cascade='null')
794 asignado = DateTimeCol(notNone=True, default=DateTimeCol.now)
795 corregido = DateTimeCol(default=None)
796 nota = DecimalCol(size=3, precision=1, default=None)
797 observaciones = UnicodeCol(default=None)
799 def _get_entregas(self):
800 return list(Entrega.selectBy(instancia=self.instancia, entregador=self.entregador))
803 return 'Correccion(instancia=%s, entregador=%s, entrega=%s, ' \
804 'corrector=%s, asignado=%s, corregido=%s, nota=%s, ' \
805 'observaciones=%s)' \
806 % (self.instancia.shortrepr(), self.entregador.shortrepr(),
807 self.entrega.shortrepr(), self.corrector, self.asignado,
808 self.corregido, self.nota, self.observaciones)
811 if not self.corrector:
812 return '%s' % self.entrega.shortrepr()
813 return '%s,%s' % (self.entrega.shortrepr(), self.corrector.shortrepr())
816 class ComandoEjecutado(InheritableSQLObject): #{{{
818 inicio = DateTimeCol(notNone=True, default=DateTimeCol.now)
819 fin = DateTimeCol(default=None)
820 exito = IntCol(default=None)
821 observaciones = UnicodeCol(notNone=True, default=u'')
824 raise NotImplementedError('ComandoEjecutado es una clase abstracta')
827 class ComandoFuenteEjecutado(ComandoEjecutado): #{{{
829 comando = ForeignKey('ComandoFuente', notNone=True, cascade=False)
830 entrega = ForeignKey('Entrega', notNone=True, cascade=False)
831 pk = DatabaseIndex(comando, entrega, unique=True)
834 return 'ComandoFuenteEjecutado(comando=%s, entrega=%s, inicio=%s, ' \
835 'fin=%s, exito=%s, observaciones=%s)' \
836 % (self.comando.shortrepr(), self.entrega.shortrepr(),
837 self.inicio, self.fin, self.exito, self.observaciones)
840 return '%s-%s' % (self.tarea.shortrepr(), self.entrega.shortrepr())
843 class ComandoPruebaEjecutado(ComandoEjecutado): #{{{
845 comando = ForeignKey('ComandoPrueba', notNone=True, cascade=False)
846 prueba = ForeignKey('Prueba', notNone=True, cascade=False)
847 pk = DatabaseIndex(comando, prueba, unique=True)
850 return 'ComandoPruebaEjecutado(comando=%s, prueba=%s, inicio=%s, ' \
851 'fin=%s, exito=%s, observaciones=%s)' \
852 % (self.comando.shortrepr(), self.prueba.shortrepr(),
853 self.inicio, self.fin, self.exito, self.observaciones)
856 return '%s:%s:%s' % (self.tarea.shortrepr(), self.entrega.shortrerp(),
857 self.caso_de_prueba.shortrerp())
860 class Prueba(SQLObject): #{{{
862 entrega = ForeignKey('Entrega', notNone=True, cascade=False)
863 caso_de_prueba = ForeignKey('CasoDePrueba', notNone=True, cascade=False)
864 pk = DatabaseIndex(entrega, caso_de_prueba, unique=True)
866 inicio = DateTimeCol(notNone=True, default=DateTimeCol.now)
867 fin = DateTimeCol(default=None)
868 pasada = IntCol(default=None)
869 observaciones = UnicodeCol(notNone=True, default=u'')
871 comandos_ejecutados = MultipleJoin('ComandoPruebaEjecutado')
873 def add_comando_ejecutado(self, comando, **kw):
874 if isinstance(comando, ComandoPrueba):
876 return ComandoPruebaEjecutado(prueba=self, comandoID=comando, **kw)
878 def remove_comando_ejecutado(self, comando):
879 if isinstance(comando, ComandoPrueba):
881 # FIXME self.id, comando.id
882 ComandoPruebaEjecutado.pk.get(self.id, comando).destroySelf()
885 return 'Prueba(entrega=%s, caso_de_prueba=%s, inicio=%s, fin=%s, ' \
886 'pasada=%s, observaciones=%s)' \
887 % (self.entrega.shortrepr(), self.caso_de_prueba.shortrepr(),
888 self.inicio, self.fin, self.pasada, self.observaciones)
891 return '%s:%s' % (self.entrega.shortrepr(),
892 self.caso_de_prueba.shortrerp())
895 #{{{ Específico de Identity
897 class Visita(SQLObject): #{{{
898 visit_key = StringCol(length=40, alternateID=True,
899 alternateMethodName="by_visit_key")
900 created = DateTimeCol(notNone=True, default=datetime.now)
901 expiry = DateTimeCol()
904 def lookup_visit(cls, visit_key):
906 return cls.by_visit_key(visit_key)
907 except SQLObjectNotFound:
911 class VisitaUsuario(SQLObject): #{{{
913 visit_key = StringCol(length=40, alternateID=True,
914 alternateMethodName="by_visit_key")
916 user_id = IntCol() # Negrada de identity
919 class Rol(SQLObject): #{{{
921 nombre = UnicodeCol(length=255, alternateID=True,
922 alternateMethodName='by_nombre')
924 descripcion = UnicodeCol(length=255, default=None)
925 creado = DateTimeCol(notNone=True, default=datetime.now)
926 permisos = TupleCol(notNone=True)
928 usuarios = RelatedJoin('Usuario', addRemoveName='_usuario')
930 def by_group_name(self, name): # para identity
931 return self.by_nombre(name)
934 # No es un SQLObject porque no tiene sentido agregar/sacar permisos, están
935 # hardcodeados en el código
936 class Permiso(object): #{{{
938 def __init__(self, nombre, descripcion):
939 self.valor = Permiso.max_valor
940 Permiso.max_valor <<= 1
942 self.descripcion = descripcion
945 def createTable(cls, ifNotExists): # para identity
949 def permission_name(self): # para identity
952 def __and__(self, other):
953 return self.valor & other.valor
955 def __or__(self, other):
956 return self.valor | other.valor
963 entregar_tp = Permiso(u'entregar', u'Permite entregar trabajos prácticos')
964 admin = Permiso(u'admin', u'Permite hacer ABMs arbitrarios')