]> git.llucax.com Git - software/sercom.git/blobdiff - sercom/model.py
eliminar curso
[software/sercom.git] / sercom / model.py
index f9ab5a950c9533290a08ad6384e06d1dd567c4ff..2db805a1861103d431c1dc5989d58864ad2f56d0 100644 (file)
@@ -1,4 +1,4 @@
-# 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
@@ -49,7 +49,7 @@ class TupleCol(PickleCol):
 
 class ParamsValidator(UnicodeStringValidator):
     def to_python(self, value, state):
-        if isinstance(value, basestring):
+        if isinstance(value, basestring) or value is None:
             value = super(ParamsValidator, self).to_python(value, state)
             try:
                 value = params_to_list(value)
@@ -64,7 +64,7 @@ class ParamsValidator(UnicodeStringValidator):
     def from_python(self, value, state):
         if isinstance(value, (list, tuple)):
             value = ' '.join([repr(p) for p in value])
-        elif isinstance(value, basestring):
+        elif isinstance(value, basestring) or value is None:
             value = super(ParamsValidator, self).to_python(value, state)
             try:
                 params_to_list(value)
@@ -109,16 +109,7 @@ def srepr(obj): #{{{
     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)
@@ -132,26 +123,74 @@ class Curso(SQLObject, ByObject): #{{{
     grupos          = MultipleJoin('Grupo')
     ejercicios      = MultipleJoin('Ejercicio', orderBy='numero')
 
-    def __init__(self, anio=None, cuatrimestre=None, numero=None,
-            descripcion=None, docentes=[], ejercicios=[], **kargs):
-        SQLObject.__init__(self, anio=anio, cuatrimestre=cuatrimestre,
-            numero=numero, descripcion=descripcion, **kargs)
+    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.selectBy(curso=self, docente=docente).getOne().destroySelf()
+        else:
+            DocenteInscripto.selectBy(curso=self, docenteID=docente).getOne().destroySelf()
+
+    def add_alumno(self, alumno, **kw):
+        if isinstance(alumno, Alumno):
+            kw['alumno'] = alumno
+        else:
+            kw['alumnoID'] = alumno
+        return AlumnoInscripto(curso=self, **kw)
 
-    def add_docente(self, docente, *args, **kargs):
-        return DocenteInscripto(self, docente, *args, **kargs)
+    def remove_alumno(self, alumno):
+        if isinstance(alumno, Alumno):
+            AlumnoInscripto.selectBy(curso=self, alumno=alumno).getOne().destroySelf()
+        else:
+            AlumnoInscripto.selectBy(curso=self, alumnoID=alumno).getOne().destroySelf()
+
+    def add_grupo(self, nombre, **kw):
+        return Grupo(curso=self, nombre=unicode(nombre), **kw)
 
-    def add_alumno(self, alumno, *args, **kargs):
-        return AlumnoInscripto(self, alumno, *args, **kargs)
+    def remove_grupo(self, nombre):
+        Grupo.pk.get(curso=self, nombre=nombre).destroySelf()
 
-    def add_grupo(self, nombre, *args, **kargs):
-        return Grupo(self, unicode(nombre), *args, **kargs)
+    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 add_ejercicio(self, numero, enunciado, *args, **kargs):
-        return Ejercicio(self, numero, enunciado, *args, **kargs)
+    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, ' \
@@ -164,7 +203,7 @@ class Curso(SQLObject, ByObject): #{{{
             % (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
@@ -176,7 +215,24 @@ class Usuario(InheritableSQLObject, ByObject): #{{{
     observaciones   = UnicodeCol(default=None)
     activo          = BoolCol(notNone=True, default=True)
     # Joins
-    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
@@ -207,7 +263,7 @@ class Usuario(InheritableSQLObject, ByObject): #{{{
         return self.contrasenia
 
     def __repr__(self):
-        raise NotImplementedError, 'Clase abstracta!'
+        raise NotImplementedError, _('Clase abstracta!')
 
     def shortrepr(self):
         return '%s (%s)' % (self.usuario, self.nombre)
@@ -216,27 +272,21 @@ class Usuario(InheritableSQLObject, ByObject): #{{{
 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')
-
-    def __init__(self, usuario=None, nombre=None, password=None, email=None,
-            telefono=None, nombrado=True, activo=False, observaciones=None,
-            roles=[], **kargs):
-        passwd = password and encryptpw(password)
-        InheritableSQLObject.__init__(self, usuario=usuario, nombre=nombre,
-            contrasenia=passwd, email=email, telefono=telefono,
-            nombrado=nombrado, activo=activo, observaciones=observaciones,
-            **kargs)
-        for r in roles:
-            self.addRol(r)
+    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, *args, **kargs):
-        return Entrega(instancia, *args, **kargs)
+    def add_enunciado(self, nombre, anio, cuatrimestre, **kw):
+        return Enunciado(nombre=nombre, anio=anio, cuatrimestre=cuatrimestre,
+            autor=self, **kw)
 
-    def add_enunciado(self, nombre, *args, **kargs):
-        return Enunciado(nombre, self, *args, **kargs)
+    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, ' \
@@ -253,14 +303,13 @@ class Alumno(Usuario): #{{{
     # Joins
     inscripciones   = MultipleJoin('AlumnoInscripto')
 
-    def __init__(self, padron=None, nombre=None, password=None, email=None,
-            telefono=None, activo=False, observaciones=None, roles=[], **kargs):
-        passwd = password and encryptpw(password)
-        InheritableSQLObject.__init__(self, usuario=padron, nombre=nombre,
-            email=email, contrasenia=passwd, telefono=telefono, activo=activo,
-            observaciones=observaciones, **kargs)
-        for r in roles:
-            self.addRol(r)
+    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
@@ -268,6 +317,10 @@ class Alumno(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)' \
@@ -275,19 +328,33 @@ class Alumno(Usuario): #{{{
                     self.telefono, self.activo, self.creado, self.observaciones)
 #}}}
 
-class Tarea(InheritableSQLObject, ByObject): #{{{
+class Tarea(InheritableSQLObject): #{{{
+    class sqlmeta:
+        createSQL = dict(sqlite=r'''
+CREATE TABLE dependencia (
+    padre_id INTEGER NOT NULL CONSTRAINT tarea_id_exists
+        REFERENCES tarea(id) ON DELETE CASCADE,
+    hijo_id INTEGER NOT NULL CONSTRAINT tarea_id_exists
+        REFERENCES tarea(id) ON DELETE CASCADE,
+    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, nombre=None, descripcion=None, dependencias=(), **kargs):
-        InheritableSQLObject.__init__(self, nombre=nombre,
-            descripcion=descripcion, **kargs)
+    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(
@@ -331,29 +398,49 @@ class Tarea(InheritableSQLObject, ByObject): #{{{
         return self.nombre
 #}}}
 
-class Enunciado(SQLObject, ByObject): #{{{
+class Enunciado(SQLObject): #{{{
+    class sqlmeta:
+        createSQL = dict(sqlite=r'''
+CREATE TABLE enunciado_tarea (
+    enunciado_id INTEGER NOT NULL CONSTRAINT enunciado_id_exists
+        REFERENCES enunciado(id) ON DELETE CASCADE,
+    tarea_id INTEGER NOT NULL CONSTRAINT tarea_id_exists
+        REFERENCES tarea(id) ON DELETE CASCADE,
+    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')
+    autor           = ForeignKey('Docente', cascade='null')
     descripcion     = UnicodeCol(length=255, default=None)
     creado          = DateTimeCol(notNone=True, default=DateTimeCol.now)
     archivo         = BLOBCol(default=None)
-    archivo_name    = StringCol(default=None)
-    archivo_type    = StringCol(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 __init__(self, nombre=None, autor=None, descripcion=None, tareas=(),
-            **kargs):
-        SQLObject.__init__(self, nombre=nombre, autorID=autor and autor.id,
-            descripcion=descripcion, **kargs)
+    def __init__(self, tareas=(), **kw):
+        super(Enunciado, self).__init__(**kw)
         if tareas:
             self.tareas = tareas
 
-    def add_caso_de_prueba(self, nombre, *args, **kargs):
-        return CasoDePrueba(self, nombre, *args, **kargs)
+    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(
@@ -401,24 +488,19 @@ class Enunciado(SQLObject, ByObject): #{{{
 
 class CasoDePrueba(SQLObject): #{{{
     # Clave
-    enunciado       = ForeignKey('Enunciado')
+    enunciado       = ForeignKey('Enunciado', cascade=True)
     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      = ParamsCol(length=255)
+    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 __init__(self, enunciado=None, nombre=None, parametros=None,
-            retorno=None, tiempo_cpu=None, descripcion=None, **kargs):
-        SQLObject.__init__(self, enunciadoID=enunciado and enunciado.id,
-            nombre=nombre, parametros=parametros, retorno=retorno,
-            tiempo_cpu=tiempo_cpu, descripcion=descripcion, **kargs)
-
     def __repr__(self):
         return 'CasoDePrueba(enunciado=%s, nombre=%s, parametros=%s, ' \
             'retorno=%s, tiempo_cpu=%s, descripcion=%s)' \
@@ -429,25 +511,23 @@ class CasoDePrueba(SQLObject): #{{{
         return '%s:%s' % (self.enunciado.shortrepr(), self.nombre)
 #}}}
 
-class Ejercicio(SQLObject, ByObject): #{{{
+class Ejercicio(SQLObject): #{{{
     # Clave
-    curso           = ForeignKey('Curso', notNone=True)
+    curso           = ForeignKey('Curso', notNone=True, cascade=True)
     numero          = IntCol(notNone=True)
     pk              = DatabaseIndex(curso, numero, unique=True)
     # Campos
-    enunciado       = ForeignKey('Enunciado', notNone=True)
+    enunciado       = ForeignKey('Enunciado', notNone=True, cascade=False)
     grupal          = BoolCol(notNone=True, default=False)
     # Joins
     instancias      = MultipleJoin('InstanciaDeEntrega')
 
-    def __init__(self, curso=None, numero=None, enunciado=None, grupal=False,
-            **kargs):
-        if curso and enunciado:
-            SQLObject.__init__(self, cursoID=curso.id, numero=numero,
-                enunciadoID=enunciado.id, grupal=grupal, **kargs)
+    def add_instancia(self, numero, inicio, fin, **kw):
+        return InstanciaDeEntrega(ejercicio=self, numero=numero, inicio=inicio,
+            fin=fin, **kw)
 
-    def add_instancia(self, numero, inicio, fin, *args, **kargs):
-        return InstanciaDeEntrega(self, numero, inicio, fin, *args, **kargs)
+    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, ' \
@@ -461,10 +541,21 @@ class Ejercicio(SQLObject, ByObject): #{{{
                 self.enunciado.shortrepr())
 #}}}
 
-class InstanciaDeEntrega(SQLObject, ByObject): #{{{
+class InstanciaDeEntrega(SQLObject): #{{{
+    class sqlmeta:
+        createSQL = dict(sqlite=r'''
+CREATE TABLE instancia_tarea (
+    instancia_id INTEGER NOT NULL CONSTRAINT instancia_id_exists
+        REFERENCES instancia_de_entrega(id) ON DELETE CASCADE,
+    tarea_id INTEGER NOT NULL CONSTRAINT tarea_id_exists
+        REFERENCES tarea(id) ON DELETE CASCADE,
+    orden INT,
+    PRIMARY KEY (instancia_id, tarea_id)
+)''')
     # Clave
-    ejercicio       = ForeignKey('Ejercicio', notNone=True)
+    ejercicio       = ForeignKey('Ejercicio', notNone=True, cascade=True)
     numero          = IntCol(notNone=True)
+    pk              = DatabaseIndex(ejercicio, numero, unique=True)
     # Campos
     inicio          = DateTimeCol(notNone=True)
     fin             = DateTimeCol(notNone=True)
@@ -474,17 +565,17 @@ class InstanciaDeEntrega(SQLObject, ByObject): #{{{
     # Joins
     entregas        = MultipleJoin('Entrega', joinColumn='instancia_id')
     correcciones    = MultipleJoin('Correccion', joinColumn='instancia_id')
-    casos_de_prueba = RelatedJoin('CasoDePrueba') # TODO CasoInstancia -> private
-
-    def __init__(self, ejercicio=None, numero=None, inicio=None, fin=None,
-            observaciones=None, activo=True, tareas=(), **kargs):
-        if ejercicio:
-            SQLObject.__init__(self, ejercicioID=ejercicio.id, numero=numero,
-                fin=fin, inicio=inicio, observaciones=observaciones, activo=activo,
-                **kargs)
+
+    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(
@@ -529,10 +620,10 @@ class InstanciaDeEntrega(SQLObject, ByObject): #{{{
         return self.numero
 #}}}
 
-class DocenteInscripto(SQLObject, ByObject): #{{{
+class DocenteInscripto(SQLObject): #{{{
     # Clave
-    curso           = ForeignKey('Curso', notNone=True)
-    docente         = ForeignKey('Docente', notNone=True)
+    curso           = ForeignKey('Curso', notNone=True, cascade=True)
+    docente         = ForeignKey('Docente', notNone=True, cascade=True)
     pk              = DatabaseIndex(curso, docente, unique=True)
     # Campos
     corrige         = BoolCol(notNone=True, default=True)
@@ -540,17 +631,15 @@ class DocenteInscripto(SQLObject, ByObject): #{{{
     # 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 __init__(self, curso=None, docente=None, corrige=True,
-            observaciones=None, **kargs):
-        SQLObject.__init__(self, cursoID=curso.id, docenteID=docente.id,
-            corrige=corrige, observaciones=observaciones, **kargs)
+    def add_correccion(self, entrega, **kw):
+        return Correccion(instancia=entrega.instancia, entrega=entrega,
+            entregador=entrega.entregador, corrector=self, **kw)
 
-    def add_correccion(self, entrega, *args, **kargs):
-        return Correccion(entrega.instancia, entrega.entregador, entrega,
-            self, *args, **kargs)
+    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, ' \
@@ -562,7 +651,7 @@ class DocenteInscripto(SQLObject, ByObject): #{{{
         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)
@@ -572,8 +661,8 @@ class Entregador(InheritableSQLObject, ByObject): #{{{
     entregas        = MultipleJoin('Entrega')
     correcciones    = MultipleJoin('Correccion')
 
-    def add_entrega(self, instancia, *args, **kargs):
-        return Entrega(instancia, self, *args, **kargs)
+    def add_entrega(self, instancia, **kw):
+        return Entrega(instancia=instancia, entregador=self, **kw)
 
     def __repr__(self):
         raise NotImplementedError, 'Clase abstracta!'
@@ -582,24 +671,60 @@ class Entregador(InheritableSQLObject, ByObject): #{{{
 class Grupo(Entregador): #{{{
     _inheritable = False
     # Clave
-    curso           = ForeignKey('Curso', notNone=True)
+    curso           = ForeignKey('Curso', notNone=True, cascade=True)
     nombre          = UnicodeCol(length=20, notNone=True)
+    pk              = DatabaseIndex(curso, nombre, unique=True)
     # Campos
-    responsable     = ForeignKey('AlumnoInscripto', default=None)
+    responsable     = ForeignKey('AlumnoInscripto', default=None, cascade='null')
     # Joins
     miembros        = MultipleJoin('Miembro')
     tutores         = MultipleJoin('Tutor')
 
-    def __init__(self, curso=None, nombre=None, responsable=None, **kargs):
-        resp_id = responsable and responsable.id
-        InheritableSQLObject.__init__(self, cursoID=curso.id, nombre=nombre,
-            responsableID=resp_id, **kargs)
+    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, AlumnoInscripto):
+            kw['alumno'] = alumno
+        else:
+            kw['alumnoID'] = alumno
+        return Miembro(grupo=self, **kw)
+
+    def remove_miembro(self, alumno):
+        if isinstance(alumno, AlumnoInscripto):
+            Miembro.pk.get(grupo=self, alumno=alumno).destroySelf()
+        else:
+            Miembro.pk.get(grupo=self, alumnoID=alumno).destroySelf()
 
-    def add_alumno(self, alumno, *args, **kargs):
-        return Miembro(self, alumno, *args, **kargs)
+    def add_tutor(self, docente, **kw):
+        if isinstance(docente, DocenteInscripto):
+            kw['docente'] = docente
+        else:
+            kw['docenteID'] = docente
+        return Tutor(grupo=self, **kw)
 
-    def add_docente(self, docente, *args, **kargs):
-        return Tutor(self, docente, *args, **kargs)
+    def remove_tutor(self, docente):
+        if isinstance(docente, DocenteInscripto):
+            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, ' \
@@ -614,24 +739,18 @@ class Grupo(Entregador): #{{{
 class AlumnoInscripto(Entregador): #{{{
     _inheritable = False
     # Clave
-    curso               = ForeignKey('Curso', notNone=True)
-    alumno              = ForeignKey('Alumno', notNone=True)
+    curso               = ForeignKey('Curso', notNone=True, cascade=True)
+    alumno              = ForeignKey('Alumno', notNone=True, cascade=True)
     pk                  = DatabaseIndex(curso, alumno, unique=True)
     # Campos
     condicional         = BoolCol(notNone=True, default=False)
-    tutor               = ForeignKey('DocenteInscripto', default=None)
+    tutor               = ForeignKey('DocenteInscripto', default=None, cascade='null')
     # Joins
     responsabilidades   = MultipleJoin('Grupo', joinColumn='responsable_id')
     membresias          = MultipleJoin('Miembro', joinColumn='alumno_id')
     entregas            = MultipleJoin('Entrega', joinColumn='alumno_id')
     correcciones        = MultipleJoin('Correccion', joinColumn='alumno_id')
 
-    def __init__(self, curso=None, alumno=None, condicional=False, tutor=None,
-            **kargs):
-        tutor_id = tutor and tutor.id
-        InheritableSQLObject.__init__(self, cursoID=curso.id, tutorID=tutor_id,
-            alumnoID=alumno.id, condicional=condicional, **kargs)
-
     def __repr__(self):
         return 'AlumnoInscripto(id=%s, alumno=%s, condicional=%s, nota=%s, ' \
             'nota_cursada=%s, tutor=%s, observaciones=%s, activo=%s)' \
@@ -643,19 +762,15 @@ class AlumnoInscripto(Entregador): #{{{
         return self.alumno.shortrepr()
 #}}}
 
-class Tutor(SQLObject, ByObject): #{{{
+class Tutor(SQLObject): #{{{
     # Clave
-    grupo           = ForeignKey('Grupo', notNone=True)
-    docente         = ForeignKey('DocenteInscripto', notNone=True)
+    grupo           = ForeignKey('Grupo', notNone=True, cascade=True)
+    docente         = ForeignKey('DocenteInscripto', notNone=True, cascade=True)
     pk              = DatabaseIndex(grupo, docente, unique=True)
     # Campos
     alta            = DateTimeCol(notNone=True, default=DateTimeCol.now)
     baja            = DateTimeCol(default=None)
 
-    def __init__(self, grupo=None, docente=None, **kargs):
-        SQLObject.__init__(self, grupoID=grupo.id, docenteID=docente.id,
-            **kargs)
-
     def __repr__(self):
         return 'Tutor(docente=%s, grupo=%s, alta=%s, baja=%s)' \
                 % (self.docente.shortrepr(), self.grupo.shortrepr(),
@@ -665,19 +780,16 @@ class Tutor(SQLObject, ByObject): #{{{
         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)
+    grupo           = ForeignKey('Grupo', notNone=True, cascade=True)
+    alumno          = ForeignKey('AlumnoInscripto', notNone=True, cascade=True)
     pk              = DatabaseIndex(grupo, alumno, unique=True)
     # Campos
     nota            = DecimalCol(size=3, precision=1, default=None)
     alta            = DateTimeCol(notNone=True, default=DateTimeCol.now)
     baja            = DateTimeCol(default=None)
 
-    def __init__(self, grupo=None, alumno=None, **kargs):
-        SQLObject.__init__(self, grupoID=grupo.id, alumnoID=alumno.id, **kargs)
-
     def __repr__(self):
         return 'Miembro(alumno=%s, grupo=%s, nota=%s, alta=%s, baja=%s)' \
                 % (self.alumno.shortrepr(), self.grupo.shortrepr(),
@@ -687,10 +799,10 @@ class Miembro(SQLObject, ByObject): #{{{
         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
+    instancia       = ForeignKey('InstanciaDeEntrega', notNone=True, cascade=False)
+    entregador      = ForeignKey('Entregador', default=None, cascade=False) # Si es None era un Docente
     fecha           = DateTimeCol(notNone=True, default=DateTimeCol.now)
     pk              = DatabaseIndex(instancia, entregador, fecha, unique=True)
     # Campos
@@ -702,14 +814,8 @@ class Entrega(SQLObject, ByObject): #{{{
     codigo_dict     = r'0123456789abcdefghijklmnopqrstuvwxyz_.,*@#+'
     codigo_format   = r'%m%d%H%M%S'
 
-    def __init__(self, instancia=None, entregador=None, observaciones=None,
-            **kargs):
-        entregador_id = entregador and entregador.id
-        SQLObject.__init__(self, instanciaID=instancia.id,
-            entregadorID=entregador_id, observaciones=observaciones, **kargs)
-
-    def add_tarea_ejecutada(self, tarea, *args, **kargs):
-        return TareaEjecutada(tarea, self, *args, **kargs)
+    def add_tarea_ejecutada(self, tarea, **kw):
+        return TareaEjecutada(tarea=tarea, entrega=self, **kw)
 
     def _get_codigo(self):
         if not hasattr(self, '_codigo'): # cache
@@ -738,24 +844,21 @@ class Entrega(SQLObject, ByObject): #{{{
             self.codigo)
 #}}}
 
-class Correccion(SQLObject, ByObject): #{{{
+class Correccion(SQLObject): #{{{
     # Clave
-    instancia       = ForeignKey('InstanciaDeEntrega', notNone=True)
-    entregador      = ForeignKey('Entregador', notNone=True) # Docente no tiene
+    instancia       = ForeignKey('InstanciaDeEntrega', notNone=True, cascade=False)
+    entregador      = ForeignKey('Entregador', notNone=True, cascade=False) # Docente no tiene
     pk              = DatabaseIndex(instancia, entregador, unique=True)
     # Campos
-    entrega         = ForeignKey('Entrega', notNone=True)
-    corrector       = ForeignKey('DocenteInscripto', notNone=True)
+    entrega         = ForeignKey('Entrega', notNone=True, cascade=False)
+    corrector       = ForeignKey('DocenteInscripto', default=None, cascade='null')
     asignado        = DateTimeCol(notNone=True, default=DateTimeCol.now)
     corregido       = DateTimeCol(default=None)
     nota            = DecimalCol(size=3, precision=1, default=None)
     observaciones   = UnicodeCol(default=None)
 
-    def __init__(self, instancia=None, entregador=None, entrega=None,
-            corrector=None, observaciones=None, **kargs):
-        SQLObject.__init__(self, instanciaID=instancia.id, entregaID=entrega.id,
-            entregadorID=entregador.id, correctorID=corrector.id,
-            observaciones=observaciones, **kargs)
+    def _get_entregas(self):
+        return list(Entrega.selectBy(instancia=self.instancia, entregador=self.entregador))
 
     def __repr__(self):
         return 'Correccion(instancia=%s, entregador=%s, entrega=%s, ' \
@@ -766,13 +869,15 @@ class Correccion(SQLObject, ByObject): #{{{
                     self.corregido, self.nota, self.observaciones)
 
     def shortrepr(self):
+        if not self.corrector:
+            return '%s' % self.entrega.shortrepr()
         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)
+    tarea           = ForeignKey('Tarea', notNone=True, cascade=False)
+    entrega         = ForeignKey('Entrega', notNone=True, cascade=False)
     pk              = DatabaseIndex(tarea, entrega, unique=True)
     # Campos
     inicio          = DateTimeCol(notNone=True, default=DateTimeCol.now)
@@ -782,12 +887,9 @@ class TareaEjecutada(InheritableSQLObject, ByObject): #{{{
     # Joins
     pruebas         = MultipleJoin('Prueba')
 
-    def __init__(self, tarea=None, entrega=None, observaciones=None, **kargs):
-        InheritableSQLObject.__init__(self, tareaID=tarea.id,
-            entregaID=entrega.id, observaciones=observaciones, **kargs)
-
-    def add_prueba(self, caso_de_prueba, *args, **kargs):
-        return Prueba(self, caso_de_prueba, *args, **kargs)
+    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, ' \
@@ -801,8 +903,8 @@ class TareaEjecutada(InheritableSQLObject, ByObject): #{{{
 
 class Prueba(SQLObject): #{{{
     # Clave
-    tarea_ejecutada = ForeignKey('TareaEjecutada', notNone=True)
-    caso_de_prueba  = ForeignKey('CasoDePrueba', notNone=True)
+    tarea_ejecutada = ForeignKey('TareaEjecutada', notNone=True, cascade=False)
+    caso_de_prueba  = ForeignKey('CasoDePrueba', notNone=True, cascade=False)
     pk              = DatabaseIndex(tarea_ejecutada, caso_de_prueba, unique=True)
     # Campos
     inicio          = DateTimeCol(notNone=True, default=DateTimeCol.now)
@@ -810,12 +912,6 @@ class Prueba(SQLObject): #{{{
     pasada          = IntCol(default=None)
     observaciones   = UnicodeCol(default=None)
 
-    def __init__(self, tarea_ejecutada=None, caso_de_prueba=None,
-            observaciones=None, **kargs):
-        SQLObject.__init__(self, tarea_ejecutadaID=tarea_ejecutada.id,
-            caso_de_pruebaID=caso_de_prueba.id, observaciones=observaciones,
-            **kargs)
-
     def __repr__(self):
         return 'Prueba(tarea_ejecutada=%s, caso_de_prueba=%s, inicio=%s, ' \
             'fin=%s, pasada=%s, observaciones=%s)' \
@@ -855,23 +951,25 @@ class VisitaUsuario(SQLObject): #{{{
 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 __init__(self, nombre=None, permisos=(), descripcion=None, **kargs):
-        SQLObject.__init__(self, nombre=nombre, permisos=permisos,
-            descripcion=descripcion, **kargs)
+    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
 
@@ -883,6 +981,12 @@ class Permiso(object): #{{{
     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
 #}}}