-# vim: set et sw=4 sts=4 encoding=utf-8 :
+# vim: set et sw=4 sts=4 encoding=utf-8 foldmethod=marker :
from datetime import datetime
from turbogears.database import PackageHub
from sqlobject import *
from sqlobject.sqlbuilder import *
from sqlobject.inheritance import InheritableSQLObject
-from sqlobject.col import PickleValidator
+from sqlobject.col import PickleValidator, UnicodeStringValidator
from turbogears import identity
+from turbogears.identity import encrypt_password as encryptpw
+from sercom.validators import params_to_list, ParseError
+from formencode import Invalid
hub = PackageHub("sercom")
__connection__ = hub
Validator for tuple types. A tuple type is simply a pickle type
that validates that the represented type is a tuple.
"""
-
def to_python(self, value, state):
value = super(TupleValidator, self).to_python(value, state)
if value is None:
return None
if isinstance(value, tuple):
return value
- raise validators.Invalid("expected a tuple in the TupleCol '%s', got %s %r instead" % \
+ raise Invalid("expected a tuple in the TupleCol '%s', got %s %r instead" % \
(self.name, type(value), value), value, state)
-
def from_python(self, value, state):
if value is None:
return None
if not isinstance(value, tuple):
- raise validators.Invalid("expected a tuple in the TupleCol '%s', got %s %r instead" % \
+ raise Invalid("expected a tuple in the TupleCol '%s', got %s %r instead" % \
(self.name, type(value), value), value, state)
return super(TupleValidator, self).from_python(value, state)
class SOTupleCol(SOPickleCol):
-
- def __init__(self, **kw):
- super(SOTupleCol, self).__init__(**kw)
-
def createValidators(self):
- return [TupleValidator(name=self.name)] + \
- super(SOPickleCol, self).createValidators()
+ return [TupleValidator(name=self.name)] \
+ + super(SOPickleCol, self).createValidators()
class TupleCol(PickleCol):
baseClass = SOTupleCol
+class ParamsValidator(UnicodeStringValidator):
+ def to_python(self, value, state):
+ if isinstance(value, basestring) or value is None:
+ value = super(ParamsValidator, self).to_python(value, state)
+ try:
+ value = params_to_list(value)
+ except ParseError, e:
+ raise Invalid("invalid parameters in the ParamsCol '%s', parse "
+ "error: %s" % (self.name, e), value, state)
+ elif not isinstance(value, (list, tuple)):
+ raise Invalid("expected a tuple, list or valid string in the "
+ "ParamsCol '%s', got %s %r instead"
+ % (self.name, type(value), value), value, state)
+ return value
+ def from_python(self, value, state):
+ if isinstance(value, (list, tuple)):
+ value = ' '.join([repr(p) for p in value])
+ elif isinstance(value, basestring) or value is None:
+ value = super(ParamsValidator, self).to_python(value, state)
+ try:
+ params_to_list(value)
+ except ParseError, e:
+ raise Invalid("invalid parameters in the ParamsCol '%s', parse "
+ "error: %s" % (self.name, e), value, state)
+ else:
+ raise Invalid("expected a tuple, list or valid string in the "
+ "ParamsCol '%s', got %s %r instead"
+ % (self.name, type(value), value), value, state)
+ return value
+
+class SOParamsCol(SOUnicodeCol):
+ def createValidators(self):
+ return [ParamsValidator(db_encoding=self.dbEncoding, name=self.name)] \
+ + super(SOParamsCol, self).createValidators()
+
+class ParamsCol(UnicodeCol):
+ baseClass = SOParamsCol
+
#}}}
#{{{ Tablas intermedias
-
# BUG en SQLObject, SQLExpression no tiene cálculo de hash pero se usa como
# key de un dict. Workarround hasta que lo arreglen.
SQLExpression.__hash__ = lambda self: hash(str(self))
instancia_tarea_t = table.instancia_tarea
+enunciado_tarea_t = table.enunciado_tarea
+
dependencia_t = table.dependencia
#}}}
return obj
#}}}
-class ByObject(object): #{{{
- @classmethod
- def by(cls, **kw):
- try:
- return cls.selectBy(**kw)[0]
- except IndexError:
- raise SQLObjectNotFound, "The object %s with columns %s does not exist" % (cls.__name__, kw)
-#}}}
-
-class Curso(SQLObject, ByObject): #{{{
+class Curso(SQLObject): #{{{
# Clave
anio = IntCol(notNone=True)
cuatrimestre = IntCol(notNone=True)
grupos = MultipleJoin('Grupo')
ejercicios = MultipleJoin('Ejercicio', orderBy='numero')
- def add_docente(self, docente, **opts):
- return DocenteInscripto(cursoID=self.id, docenteID=docente.id, **opts)
-
- def add_alumno(self, alumno, tutor=None, **opts):
- tutor_id = tutor and tutor.id
- return AlumnoInscripto(cursoID=self.id, alumnoID=alumno.id,
- tutorID=tutor_id, **opts)
-
- def add_grupo(self, nombre, responsable=None, **opts):
- resp_id = responsable and responsable.id
- return Grupo(cursoID=self.id, nombre=unicode(nombre),
- responsableID=resp_id, **opts)
-
- def add_ejercicio(self, numero, enunciado, **opts):
- return Ejercicio(cursoID=self.id, numero=numero,
- enunciadoID=enunciado.id, **opts)
+ def __init__(self, docentes=[], ejercicios=[], alumnos=[], **kw):
+ super(Curso, self).__init__(**kw)
+ for d in docentes:
+ self.add_docente(d)
+ for (n, e) in enumerate(ejercicios):
+ self.add_ejercicio(n, e)
+ for a in alumnos:
+ self.add_alumno(a)
+
+ def set(self, docentes=None, ejercicios=None, alumnos=None, **kw):
+ super(Curso, self).set(**kw)
+ if docentes is not None:
+ for d in DocenteInscripto.selectBy(curso=self):
+ d.destroySelf()
+ for d in docentes:
+ self.add_docente(d)
+ if ejercicios is not None:
+ for e in Ejercicio.selectBy(curso=self):
+ e.destroySelf()
+ for (n, e) in enumerate(ejercicios):
+ self.add_ejercicio(n, e)
+ if alumnos is not None:
+ for a in AlumnoInscripto.selectBy(curso=self):
+ a.destroySelf()
+ for a in alumnos:
+ self.add_alumno(a)
+
+ def add_docente(self, docente, **kw):
+ if isinstance(docente, Docente):
+ kw['docente'] = docente
+ else:
+ kw['docenteID'] = docente
+ return DocenteInscripto(curso=self, **kw)
+
+ def remove_docente(self, docente):
+ if isinstance(docente, Docente):
+ DocenteInscripto.pk.get(curso=self, docente=docente).destroySelf()
+ else:
+ DocenteInscripto.pk.get(curso=self, docenteID=docente).destroySelf()
+
+ def add_alumno(self, alumno, **kw):
+ if isinstance(alumno, Alumno):
+ kw['alumno'] = alumno
+ else:
+ kw['alumnoID'] = alumno
+ return AlumnoInscripto(curso=self, **kw)
+
+ def remove_alumno(self, alumno):
+ if isinstance(alumno, Alumno):
+ AlumnoInscripto.pk.get(curso=self, alumno=alumno).destroySelf()
+ else:
+ AlumnoInscripto.pk.get(curso=self, alumnoID=alumno).destroySelf()
+
+ def add_grupo(self, nombre, **kw):
+ return Grupo(curso=self, nombre=unicode(nombre), **kw)
+
+ def remove_grupo(self, nombre):
+ Grupo.pk.get(curso=self, nombre=nombre).destroySelf()
+
+ def add_ejercicio(self, numero, enunciado, **kw):
+ if isinstance(enunciado, Enunciado):
+ kw['enunciado'] = enunciado
+ else:
+ kw['enunciadoID'] = enunciado
+ return Ejercicio(curso=self, numero=numero, **kw)
+
+ def remove_ejercicio(self, numero):
+ Ejercicio.pk.get(curso=self, numero=numero).destroySelf()
def __repr__(self):
return 'Curso(id=%s, anio=%s, cuatrimestre=%s, numero=%s, ' \
def shortrepr(self):
return '%s.%s.%s' \
- % (self.anio, self.cuatrimestre, self.numero, self.descripcion)
+ % (self.anio, self.cuatrimestre, self.numero)
#}}}
-class Usuario(InheritableSQLObject, ByObject): #{{{
+class Usuario(InheritableSQLObject): #{{{
# Clave (para docentes puede ser un nombre de usuario arbitrario)
usuario = UnicodeCol(length=10, alternateID=True)
# Campos
observaciones = UnicodeCol(default=None)
activo = BoolCol(notNone=True, default=True)
# Joins
- grupos = RelatedJoin('Grupo')
- roles = RelatedJoin('Rol')
+ roles = RelatedJoin('Rol', addRemoveName='_rol')
+
+ def __init__(self, password=None, roles=[], **kw):
+ if password is not None:
+ kw['contrasenia'] = encryptpw(password)
+ super(Usuario, self).__init__(**kw)
+ for r in roles:
+ self.add_rol(r)
+
+ def set(self, password=None, roles=None, **kw):
+ if password is not None:
+ kw['contrasenia'] = encryptpw(password)
+ super(Usuario, self).set(**kw)
+ if roles is not None:
+ for r in self.roles:
+ self.remove_rol(r)
+ for r in roles:
+ self.add_rol(r)
def _get_user_name(self): # para identity
return self.usuario
def _get_permissions(self): # para identity
perms = set()
- for g in self.groups:
- perms.update(g.permisos)
+ for r in self.roles:
+ perms.update(r.permisos)
return perms
+ _get_permisos = _get_permissions
+
def _set_password(self, cleartext_password): # para identity
- self.contrasenia = identity.encrypt_password(cleartext_password)
+ self.contrasenia = encryptpw(cleartext_password)
def _get_password(self): # para identity
return self.contrasenia
def __repr__(self):
- raise NotImplementedError, 'Clase abstracta!'
+ raise NotImplementedError, _('Clase abstracta!')
def shortrepr(self):
return '%s (%s)' % (self.usuario, self.nombre)
class Docente(Usuario): #{{{
_inheritable = False
# Campos
- nombrado = BoolCol(notNone=True, default=True)
+ nombrado = BoolCol(notNone=True, default=True)
# Joins
- enunciados = MultipleJoin('Enunciado', joinColumn='autor_id')
- inscripciones = MultipleJoin('DocenteInscripto')
+ enunciados = MultipleJoin('Enunciado', joinColumn='autor_id')
+ cursos = MultipleJoin('DocenteInscripto')
+
+ def add_entrega(self, instancia, **kw):
+ return Entrega(instancia=instancia, **kw)
- def add_entrega(self, instancia, **opts):
- return Entrega(instanciaID=instancia.id, **opts)
+ def add_enunciado(self, nombre, anio, cuatrimestre, **kw):
+ return Enunciado(nombre=nombre, anio=anio, cuatrimestre=cuatrimestre,
+ autor=self, **kw)
- def add_enunciado(self, nombre, **opts):
- return Enunciado(autorID=self.id, nombre=nombre, **opts)
+ def remove_enunciado(self, nombre, anio, cuatrimestre):
+ Enunciado.pk.get(nombre=nombre, anio=anio,
+ cuatrimestre=cuatrimestre).destroySelf()
def __repr__(self):
return 'Docente(id=%s, usuario=%s, nombre=%s, password=%s, email=%s, ' \
# Joins
inscripciones = MultipleJoin('AlumnoInscripto')
+ def __init__(self, padron=None, **kw):
+ if padron: kw['usuario'] = padron
+ super(Alumno, self).__init__(**kw)
+
+ def set(self, padron=None, **kw):
+ if padron: kw['usuario'] = padron
+ super(Alumno, self).set(**kw)
+
def _get_padron(self): # alias para poder referirse al alumno por padron
return self.usuario
def _set_padron(self, padron):
self.usuario = padron
+ @classmethod
+ def byPadron(cls, padron):
+ return cls.byUsuario(unicode(padron))
+
def __repr__(self):
return 'Alumno(id=%s, padron=%s, nombre=%s, password=%s, email=%s, ' \
'telefono=%s, activo=%s, creado=%s, observaciones=%s)' \
self.telefono, self.activo, self.creado, self.observaciones)
#}}}
-class Tarea(InheritableSQLObject, ByObject): #{{{
+class Tarea(InheritableSQLObject): #{{{
+ class sqlmeta:
+ createSQL = r'''
+CREATE TABLE dependencia (
+ padre_id INTEGER NOT NULL CONSTRAINT tarea_id_exists
+ REFERENCES tarea(id),
+ hijo_id INTEGER NOT NULL CONSTRAINT tarea_id_exists
+ REFERENCES tarea(id),
+ orden INT,
+ PRIMARY KEY (padre_id, hijo_id)
+)'''
# Clave
nombre = UnicodeCol(length=30, alternateID=True)
# Campos
descripcion = UnicodeCol(length=255, default=None)
# Joins
+ def __init__(self, dependencias=(), **kw):
+ super(Tarea, self).__init__(**kw)
+ if dependencias:
+ self.dependencias = dependencias
+
+ def set(self, dependencias=None, **kw):
+ super(Tarea, self).set(**kw)
+ if dependencias is not None:
+ self.dependencias = dependencias
+
def _get_dependencias(self):
OtherTarea = Alias(Tarea, 'other_tarea')
self.__dependencias = tuple(Tarea.select(
return self.nombre
#}}}
-class Enunciado(SQLObject, ByObject): #{{{
+class Enunciado(SQLObject): #{{{
+ class sqlmeta:
+ createSQL = r'''
+CREATE TABLE enunciado_tarea (
+ enunciado_id INTEGER NOT NULL CONSTRAINT enunciado_id_exists
+ REFERENCES enunciado(id),
+ tarea_id INTEGER NOT NULL CONSTRAINT tarea_id_exists
+ REFERENCES tarea(id),
+ orden INT,
+ PRIMARY KEY (enunciado_id, tarea_id)
+)'''
# Clave
- nombre = UnicodeCol(length=60, alternateID=True)
+ nombre = UnicodeCol(length=60)
+ anio = IntCol(notNone=True)
+ cuatrimestre = IntCol(notNone=True)
+ pk = DatabaseIndex(nombre, anio, cuatrimestre, unique=True)
# Campos
+ autor = ForeignKey('Docente')
descripcion = UnicodeCol(length=255, default=None)
- autor = ForeignKey('Docente', default=None)
creado = DateTimeCol(notNone=True, default=DateTimeCol.now)
+ archivo = BLOBCol(default=None)
+ archivo_name = UnicodeCol(length=255, default=None)
+ archivo_type = UnicodeCol(length=255, default=None)
# Joins
ejercicios = MultipleJoin('Ejercicio')
casos_de_prueba = MultipleJoin('CasoDePrueba')
- def add_caso_de_prueba(self, nombre, **opts):
- return CasoDePrueba(enunciadoID=self.id, nombre=nombre, **opts)
+ def __init__(self, tareas=(), **kw):
+ super(Enunciado, self).__init__(**kw)
+ if tareas:
+ self.tareas = tareas
+
+ def set(self, tareas=None, **kw):
+ super(Enunciado, self).set(**kw)
+ if tareas is not None:
+ self.tareas = tareas
+
+ @classmethod
+ def selectByCurso(self, curso):
+ return Enunciado.selectBy(cuatrimestre=curso.cuatrimestre, anio=curso.anio)
+
+ def add_caso_de_prueba(self, nombre, **kw):
+ return CasoDePrueba(enunciado=self, nombre=nombre, **kw)
+
+ def _get_tareas(self):
+ self.__tareas = tuple(Tarea.select(
+ AND(
+ Tarea.q.id == enunciado_tarea_t.tarea_id,
+ Enunciado.q.id == enunciado_tarea_t.enunciado_id,
+ Enunciado.q.id == self.id
+ ),
+ clauseTables=(enunciado_tarea_t, Enunciado.sqlmeta.table),
+ orderBy=enunciado_tarea_t.orden,
+ ))
+ return self.__tareas
+
+ def _set_tareas(self, tareas):
+ orden = {}
+ for i, t in enumerate(tareas):
+ orden[t.id] = i
+ new = frozenset([t.id for t in tareas])
+ old = frozenset([t.id for t in self.tareas])
+ tareas = dict([(t.id, t) for t in tareas])
+ for tid in old - new: # eliminadas
+ self._connection.query(str(Delete(enunciado_tarea_t, where=AND(
+ enunciado_tarea_t.enunciado_id == self.id,
+ enunciado_tarea_t.tarea_id == tid))))
+ for tid in new - old: # creadas
+ self._connection.query(str(Insert(enunciado_tarea_t, values=dict(
+ enunciado_id=self.id, tarea_id=tid, orden=orden[tid]
+ ))))
+ for tid in new & old: # actualizados
+ self._connection.query(str(Update(enunciado_tarea_t,
+ values=dict(orden=orden[tid]), where=AND(
+ enunciado_tarea_t.enunciado_id == self.id,
+ enunciado_tarea_t.tarea_id == tid,
+ ))))
def __repr__(self):
return 'Enunciado(id=%s, autor=%s, nombre=%s, descripcion=%s, ' \
nombre = UnicodeCol(length=40, notNone=True)
pk = DatabaseIndex(enunciado, nombre, unique=True)
# Campos
-# privado = IntCol(default=None) TODO iria en instancia_de_entrega_caso_de_prueba
- parametros = TupleCol(notNone=True, default=())
+ privado = IntCol(default=None) # TODO iria en instancia_de_entrega_caso_de_prueba
+ parametros = ParamsCol(length=255, default=None)
retorno = IntCol(default=None)
tiempo_cpu = FloatCol(default=None)
descripcion = UnicodeCol(length=255, default=None)
+ activo = BoolCol(notNone=True, default=True)
# Joins
pruebas = MultipleJoin('Prueba')
def __repr__(self):
return 'CasoDePrueba(enunciado=%s, nombre=%s, parametros=%s, ' \
'retorno=%s, tiempo_cpu=%s, descripcion=%s)' \
- % (self.enunciado.shortrepr(), self.nombre, self.parametros,
+ % (srepr(self.enunciado), self.nombre, self.parametros,
self.retorno, self.tiempo_cpu, self.descripcion)
def shortrepr(self):
return '%s:%s' % (self.enunciado.shortrepr(), self.nombre)
#}}}
-class Ejercicio(SQLObject, ByObject): #{{{
+class Ejercicio(SQLObject): #{{{
# Clave
curso = ForeignKey('Curso', notNone=True)
numero = IntCol(notNone=True)
# Joins
instancias = MultipleJoin('InstanciaDeEntrega')
- def add_instancia(self, numero, inicio, fin, **opts):
- return InstanciaDeEntrega(ejercicioID=self.id, numero=numero,
- inicio=inicio, fin=fin, **opts)
+ def add_instancia(self, numero, inicio, fin, **kw):
+ return InstanciaDeEntrega(ejercicio=self, numero=numero, inicio=inicio,
+ fin=fin, **kw)
+
+ def remove_instancia(self, numero):
+ InstanciaDeEntrega.pk.get(ejercicio=self, numero=numero).destroySelf()
def __repr__(self):
return 'Ejercicio(id=%s, curso=%s, numero=%s, enunciado=%s, ' \
def shortrepr(self):
return '(%s, %s, %s)' \
- % (self.curso.shortrepr(), self.nombre, \
+ % (self.curso.shortrepr(), str(self.numero), \
self.enunciado.shortrepr())
#}}}
-class InstanciaDeEntrega(SQLObject, ByObject): #{{{
+class InstanciaDeEntrega(SQLObject): #{{{
+ class sqlmeta:
+ createSQL = r'''
+CREATE TABLE instancia_tarea (
+ instancia_id INTEGER NOT NULL CONSTRAINT instancia_id_exists
+ REFERENCES instancia_de_entrega(id),
+ tarea_id INTEGER NOT NULL CONSTRAINT tarea_id_exists
+ REFERENCES tarea(id),
+ orden INT,
+ PRIMARY KEY (instancia_id, tarea_id)
+)'''
# Clave
ejercicio = ForeignKey('Ejercicio', notNone=True)
numero = IntCol(notNone=True)
+ pk = DatabaseIndex(ejercicio, numero, unique=True)
# Campos
inicio = DateTimeCol(notNone=True)
fin = DateTimeCol(notNone=True)
# Joins
entregas = MultipleJoin('Entrega', joinColumn='instancia_id')
correcciones = MultipleJoin('Correccion', joinColumn='instancia_id')
- casos_de_prueba = RelatedJoin('CasoDePrueba') # TODO CasoInstancia -> private
+ casos_de_prueba = RelatedJoin('CasoDePrueba', # TODO CasoInstancia -> private
+ addRemoveName='_caso_de_prueba')
+
+ def __init__(self, tareas=(), **kw):
+ super(InstanciaDeEntrega, self).__init__(**kw)
+ if tareas:
+ self.tareas = tareas
+
+ def set(self, tareas=None, **kw):
+ super(InstanciaDeEntrega, self).set(**kw)
+ if tareas is not None:
+ self.tareas = tareas
def _get_tareas(self):
self.__tareas = tuple(Tarea.select(
AND(
Tarea.q.id == instancia_tarea_t.tarea_id,
- InstanciaDeEntrega.q.id == instancia_tarea_t.instancia_id
+ InstanciaDeEntrega.q.id == instancia_tarea_t.instancia_id,
+ InstanciaDeEntrega.q.id == self.id,
),
clauseTables=(instancia_tarea_t, InstanciaDeEntrega.sqlmeta.table),
orderBy=instancia_tarea_t.orden,
return self.numero
#}}}
-class DocenteInscripto(SQLObject, ByObject): #{{{
+class DocenteInscripto(SQLObject): #{{{
# Clave
curso = ForeignKey('Curso', notNone=True)
docente = ForeignKey('Docente', notNone=True)
# Joins
alumnos = MultipleJoin('AlumnoInscripto', joinColumn='tutor_id')
tutorias = MultipleJoin('Tutor', joinColumn='docente_id')
- entregas = MultipleJoin('Entrega', joinColumn='instancia_id')
correcciones = MultipleJoin('Correccion', joinColumn='corrector_id')
- def add_correccion(self, entrega, **opts):
- return Correccion(correctorID=self.id, instanciaID=entrega.instancia.id,
- entregadorID=entrega.entregador.id, entregaID=entrega.id, **opts)
+ def add_correccion(self, entrega, **kw):
+ return Correccion(instancia=entrega.instancia, entrega=entrega,
+ entregador=entrega.entregador, corrector=self, **kw)
+
+ def remove_correccion(self, instancia, entregador):
+ Correccion.pk.get(instancia=instancia,
+ entregador=entregador).destroySelf()
def __repr__(self):
return 'DocenteInscripto(id=%s, docente=%s, corrige=%s, ' \
return self.docente.shortrepr()
#}}}
-class Entregador(InheritableSQLObject, ByObject): #{{{
+class Entregador(InheritableSQLObject): #{{{
# Campos
nota = DecimalCol(size=3, precision=1, default=None)
nota_cursada = DecimalCol(size=3, precision=1, default=None)
entregas = MultipleJoin('Entrega')
correcciones = MultipleJoin('Correccion')
- def add_entrega(self, instancia, **opts):
- return Entrega(entregadorID=self.id, instanciaID=instancia.id, **opts)
+ def add_entrega(self, instancia, **kw):
+ return Entrega(instancia=instancia, entregador=self, **kw)
def __repr__(self):
raise NotImplementedError, 'Clase abstracta!'
# Clave
curso = ForeignKey('Curso', notNone=True)
nombre = UnicodeCol(length=20, notNone=True)
+ pk = DatabaseIndex(curso, nombre, unique=True)
# Campos
responsable = ForeignKey('AlumnoInscripto', default=None)
# Joins
miembros = MultipleJoin('Miembro')
tutores = MultipleJoin('Tutor')
- def add_alumno(self, alumno, **opts):
- return Miembro(grupoID=self.id, alumnoID=alumno.id, **opts)
-
- def add_docente(self, docente, **opts):
- return Tutor(grupoID=self.id, docenteID=docente.id, **opts)
+ def __init__(self, miembros=[], tutores=[], **kw):
+ super(Grupo, self).__init__(**kw)
+ for a in miembros:
+ self.add_miembro(a)
+ for d in tutores:
+ self.add_tutor(d)
+
+ def set(self, miembros=None, tutores=None, **kw):
+ super(Grupo, self).set(**kw)
+ if miembros is not None:
+ for m in Miembro.selectBy(grupo=self):
+ m.destroySelf()
+ for m in miembros:
+ self.add_miembro(m)
+ if tutores is not None:
+ for t in Tutor.selectBy(grupo=self):
+ t.destroySelf()
+ for t in tutores:
+ self.add_tutor(t)
+
+ def add_miembro(self, alumno, **kw):
+ if isinstance(alumno, Alumno):
+ kw['alumno'] = alumno
+ else:
+ kw['alumnoID'] = alumno
+ return Miembro(grupo=self, **kw)
+
+ def remove_miembro(self, alumno):
+ if isinstance(alumno, Alumno):
+ Miembro.pk.get(grupo=self, alumno=alumno).destroySelf()
+ else:
+ Miembro.pk.get(grupo=self, alumnoID=alumno).destroySelf()
+
+ def add_tutor(self, docente, **kw):
+ if isinstance(docente, Docente):
+ kw['docente'] = docente
+ else:
+ kw['docenteID'] = docente
+ return Tutor(grupo=self, **kw)
+
+ def remove_tutor(self, docente):
+ if isinstance(docente, Alumno):
+ Tutor.pk.get(grupo=self, docente=docente).destroySelf()
+ else:
+ Tutor.pk.get(grupo=self, docenteID=docente).destroySelf()
def __repr__(self):
return 'Grupo(id=%s, nombre=%s, responsable=%s, nota=%s, ' \
return self.alumno.shortrepr()
#}}}
-class Tutor(SQLObject, ByObject): #{{{
+class Tutor(SQLObject): #{{{
# Clave
grupo = ForeignKey('Grupo', notNone=True)
docente = ForeignKey('DocenteInscripto', notNone=True)
return '%s-%s' % (self.docente.shortrepr(), self.grupo.shortrepr())
#}}}
-class Miembro(SQLObject, ByObject): #{{{
+class Miembro(SQLObject): #{{{
# Clave
grupo = ForeignKey('Grupo', notNone=True)
alumno = ForeignKey('AlumnoInscripto', notNone=True)
return '%s-%s' % (self.alumno.shortrepr(), self.grupo.shortrepr())
#}}}
-class Entrega(SQLObject, ByObject): #{{{
+class Entrega(SQLObject): #{{{
# Clave
instancia = ForeignKey('InstanciaDeEntrega', notNone=True)
entregador = ForeignKey('Entregador', default=None) # Si es None era un Docente
codigo_dict = r'0123456789abcdefghijklmnopqrstuvwxyz_.,*@#+'
codigo_format = r'%m%d%H%M%S'
- def add_tarea_ejecutada(self, tarea, **opts):
- return TareaEjecutada(entregaID=self.id, tareaID=tarea.id, **opts)
+ def add_tarea_ejecutada(self, tarea, **kw):
+ return TareaEjecutada(tarea=tarea, entrega=self, **kw)
def _get_codigo(self):
if not hasattr(self, '_codigo'): # cache
self.codigo)
#}}}
-class Correccion(SQLObject, ByObject): #{{{
+class Correccion(SQLObject): #{{{
# Clave
instancia = ForeignKey('InstanciaDeEntrega', notNone=True)
entregador = ForeignKey('Entregador', notNone=True) # Docente no tiene
return '%s,%s' % (self.entrega.shortrepr(), self.corrector.shortrepr())
#}}}
-class TareaEjecutada(InheritableSQLObject, ByObject): #{{{
+class TareaEjecutada(InheritableSQLObject): #{{{
# Clave
tarea = ForeignKey('Tarea', notNone=True)
entrega = ForeignKey('Entrega', notNone=True)
# Joins
pruebas = MultipleJoin('Prueba')
- def add_prueba(self, caso_de_prueba, **opts):
- return Prueba(tarea_ejecutadaID=self.id,
- caso_de_pruebaID=caso_de_prueba.id, **opts)
+ def add_prueba(self, caso_de_prueba, **kw):
+ return Prueba(tarea_ejecutada=self, caso_de_prueba=caso_de_prueba,
+ **kw)
def __repr__(self):
return 'TareaEjecutada(tarea=%s, entrega=%s, inicio=%s, fin=%s, ' \
user_id = IntCol() # Negrada de identity
#}}}
-
class Rol(SQLObject): #{{{
# Clave
nombre = UnicodeCol(length=255, alternateID=True,
- alternateMethodName="by_group_name")
+ alternateMethodName='by_nombre')
# Campos
descripcion = UnicodeCol(length=255, default=None)
creado = DateTimeCol(notNone=True, default=datetime.now)
permisos = TupleCol(notNone=True)
# Joins
- usuarios = RelatedJoin('Usuario')
+ usuarios = RelatedJoin('Usuario', addRemoveName='_usuario')
+
+ def by_group_name(self, name): # para identity
+ return self.by_nombre(name)
#}}}
# No es un SQLObject porque no tiene sentido agregar/sacar permisos, están
# hardcodeados en el código
class Permiso(object): #{{{
+ max_valor = 1
def __init__(self, nombre, descripcion):
+ self.valor = Permiso.max_valor
+ Permiso.max_valor <<= 1
self.nombre = nombre
self.descripcion = descripcion
def permission_name(self): # para identity
return self.nombre
+ def __and__(self, other):
+ return self.valor & other.valor
+
+ def __or__(self, other):
+ return self.valor | other.valor
+
def __repr__(self):
return self.nombre
#}}}