]> git.llucax.com Git - software/sercom.git/blobdiff - sercom/model.py
AJAX para leer solo los enunciados del mismo cuatrimestre que el curso seleccionado.
[software/sercom.git] / sercom / model.py
index e12a1f2cdd636b51b7e2a7fcdb0c35d8083b505e..a03266ca4d16371a02ecb19117120d0786ba89bb 100644 (file)
@@ -5,9 +5,11 @@ from turbogears.database import PackageHub
 from sqlobject import *
 from sqlobject.sqlbuilder import *
 from sqlobject.inheritance import InheritableSQLObject
 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 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
 
 hub = PackageHub("sercom")
 __connection__ = hub
@@ -21,41 +23,72 @@ class TupleValidator(PickleValidator):
     Validator for tuple types.  A tuple type is simply a pickle type
     that validates that the represented type is a tuple.
     """
     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
     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)
             (self.name, type(value), value), value, state)
-
     def from_python(self, value, state):
         if value is None:
             return None
         if not isinstance(value, tuple):
     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):
                 (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):
     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 TupleCol(PickleCol):
     baseClass = SOTupleCol
 
+class ParamsValidator(UnicodeStringValidator):
+    def to_python(self, value, state):
+        if isinstance(value, basestring):
+            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):
+            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
 
 #}}}
 
 #{{{ 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))
 # 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))
@@ -99,8 +132,8 @@ class Curso(SQLObject, ByObject): #{{{
     grupos          = MultipleJoin('Grupo')
     ejercicios      = MultipleJoin('Ejercicio', orderBy='numero')
 
     grupos          = MultipleJoin('Grupo')
     ejercicios      = MultipleJoin('Ejercicio', orderBy='numero')
 
-    def __init__(self, anio, cuatrimestre, numero, descripcion=None,
-            docentes=[], ejercicios=[], **kargs):
+    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)
         for d in docentes:
         SQLObject.__init__(self, anio=anio, cuatrimestre=cuatrimestre,
             numero=numero, descripcion=descripcion, **kargs)
         for d in docentes:
@@ -128,7 +161,7 @@ class Curso(SQLObject, ByObject): #{{{
 
     def shortrepr(self):
         return '%s.%s.%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, ByObject): #{{{
@@ -161,10 +194,12 @@ class Usuario(InheritableSQLObject, ByObject): #{{{
 
     def _get_permissions(self): # para identity
         perms = set()
 
     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
 
         return perms
 
+    _get_permisos = _get_permissions
+
     def _set_password(self, cleartext_password): # para identity
         self.contrasenia = encryptpw(cleartext_password)
 
     def _set_password(self, cleartext_password): # para identity
         self.contrasenia = encryptpw(cleartext_password)
 
@@ -186,7 +221,7 @@ class Docente(Usuario): #{{{
     enunciados      = MultipleJoin('Enunciado', joinColumn='autor_id')
     inscripciones   = MultipleJoin('DocenteInscripto')
 
     enunciados      = MultipleJoin('Enunciado', joinColumn='autor_id')
     inscripciones   = MultipleJoin('DocenteInscripto')
 
-    def __init__(self, usuario, nombre, password=None, email=None,
+    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)
             telefono=None, nombrado=True, activo=False, observaciones=None,
             roles=[], **kargs):
         passwd = password and encryptpw(password)
@@ -218,7 +253,7 @@ class Alumno(Usuario): #{{{
     # Joins
     inscripciones   = MultipleJoin('AlumnoInscripto')
 
     # Joins
     inscripciones   = MultipleJoin('AlumnoInscripto')
 
-    def __init__(self, padron, nombre, password=None, email=None,
+    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,
             telefono=None, activo=False, observaciones=None, roles=[], **kargs):
         passwd = password and encryptpw(password)
         InheritableSQLObject.__init__(self, usuario=padron, nombre=nombre,
@@ -247,7 +282,7 @@ class Tarea(InheritableSQLObject, ByObject): #{{{
     descripcion     = UnicodeCol(length=255, default=None)
     # Joins
 
     descripcion     = UnicodeCol(length=255, default=None)
     # Joins
 
-    def __init__(self, nombre, descripcion=None, dependencias=(), **kargs):
+    def __init__(self, nombre=None, descripcion=None, dependencias=(), **kargs):
         InheritableSQLObject.__init__(self, nombre=nombre,
             descripcion=descripcion, **kargs)
         if dependencias:
         InheritableSQLObject.__init__(self, nombre=nombre,
             descripcion=descripcion, **kargs)
         if dependencias:
@@ -299,21 +334,30 @@ class Tarea(InheritableSQLObject, ByObject): #{{{
 class Enunciado(SQLObject, ByObject): #{{{
     # Clave
     nombre          = UnicodeCol(length=60, alternateID=True)
 class Enunciado(SQLObject, ByObject): #{{{
     # Clave
     nombre          = UnicodeCol(length=60, alternateID=True)
+    anio            = IntCol(notNone=True)
+    cuatrimestre    = IntCol(notNone=True)
     # Campos
     # Campos
-    autor           = ForeignKey('Docente', notNone=True)
+    autor           = ForeignKey('Docente')
     descripcion     = UnicodeCol(length=255, default=None)
     creado          = DateTimeCol(notNone=True, default=DateTimeCol.now)
     descripcion     = UnicodeCol(length=255, 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')
 
     # Joins
     ejercicios      = MultipleJoin('Ejercicio')
     casos_de_prueba = MultipleJoin('CasoDePrueba')
 
-    def __init__(self, nombre, autor, descripcion=None, tareas=(),
+    def __init__(self, nombre=None, autor=None, descripcion=None, tareas=(),
             **kargs):
             **kargs):
-        SQLObject.__init__(self, nombre=nombre, autorID=autor.id,
+        SQLObject.__init__(self, nombre=nombre, autorID=autor and autor.id,
             descripcion=descripcion, **kargs)
         if tareas:
             self.tareas = tareas
 
             descripcion=descripcion, **kargs)
         if tareas:
             self.tareas = tareas
 
+    @classmethod
+    def selectByCurso(self, curso):
+        return Enunciado.selectBy(cuatrimestre=curso.cuatrimestre, anio=curso.anio)
+
     def add_caso_de_prueba(self, nombre, *args, **kargs):
         return CasoDePrueba(self, nombre, *args, **kargs)
 
     def add_caso_de_prueba(self, nombre, *args, **kargs):
         return CasoDePrueba(self, nombre, *args, **kargs)
 
@@ -368,23 +412,23 @@ class CasoDePrueba(SQLObject): #{{{
     pk              = DatabaseIndex(enunciado, nombre, unique=True)
     # Campos
 #    privado         = IntCol(default=None) TODO iria en instancia_de_entrega_caso_de_prueba
     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=())
+    parametros      = ParamsCol(length=255, default=None)
     retorno         = IntCol(default=None)
     tiempo_cpu      = FloatCol(default=None)
     descripcion     = UnicodeCol(length=255, default=None)
     # Joins
     pruebas         = MultipleJoin('Prueba')
 
     retorno         = IntCol(default=None)
     tiempo_cpu      = FloatCol(default=None)
     descripcion     = UnicodeCol(length=255, default=None)
     # Joins
     pruebas         = MultipleJoin('Prueba')
 
-    def __init__(self, enunciado, nombre, parametros=(), retorno=None,
-            tiempo_cpu=None, descripcion=None, **kargs):
-        SQLObject.__init__(self, enunciadoID=enunciado.id, nombre=nombre,
-            parametros=parametros, retorno=retorno, tiempo_cpu=tiempo_cpu,
-            descripcion=descripcion, **kargs)
+    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)' \
 
     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):
                     self.retorno, self.tiempo_cpu, self.descripcion)
 
     def shortrepr(self):
@@ -402,9 +446,11 @@ class Ejercicio(SQLObject, ByObject): #{{{
     # Joins
     instancias      = MultipleJoin('InstanciaDeEntrega')
 
     # Joins
     instancias      = MultipleJoin('InstanciaDeEntrega')
 
-    def __init__(self, curso, numero, enunciado, grupal=False, **kargs):
-        SQLObject.__init__(self, cursoID=curso.id, numero=numero,
-            enunciadoID=enunciado.id, grupal=grupal, **kargs)
+    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, *args, **kargs):
         return InstanciaDeEntrega(self, numero, inicio, fin, *args, **kargs)
 
     def add_instancia(self, numero, inicio, fin, *args, **kargs):
         return InstanciaDeEntrega(self, numero, inicio, fin, *args, **kargs)
@@ -417,7 +463,7 @@ class Ejercicio(SQLObject, ByObject): #{{{
 
     def shortrepr(self):
         return '(%s, %s, %s)' \
 
     def shortrepr(self):
         return '(%s, %s, %s)' \
-            % (self.curso.shortrepr(), self.nombre, \
+            % (self.curso.shortrepr(), str(self.numero), \
                 self.enunciado.shortrepr())
 #}}}
 
                 self.enunciado.shortrepr())
 #}}}
 
@@ -436,11 +482,12 @@ class InstanciaDeEntrega(SQLObject, ByObject): #{{{
     correcciones    = MultipleJoin('Correccion', joinColumn='instancia_id')
     casos_de_prueba = RelatedJoin('CasoDePrueba') # TODO CasoInstancia -> private
 
     correcciones    = MultipleJoin('Correccion', joinColumn='instancia_id')
     casos_de_prueba = RelatedJoin('CasoDePrueba') # TODO CasoInstancia -> private
 
-    def __init__(self, ejercicio, numero, inicio, fin, observaciones=None,
-            activo=True, tareas=(), **kargs):
-        SQLObject.__init__(self, ejercicioID=ejercicio.id, numero=numero,
-            fin=fin, inicio=inicio, observaciones=observaciones, activo=activo,
-            **kargs)
+    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)
         if tareas:
             self.tareas = tareas
 
         if tareas:
             self.tareas = tareas
 
@@ -502,8 +549,8 @@ class DocenteInscripto(SQLObject, ByObject): #{{{
     entregas        = MultipleJoin('Entrega', joinColumn='instancia_id')
     correcciones    = MultipleJoin('Correccion', joinColumn='corrector_id')
 
     entregas        = MultipleJoin('Entrega', joinColumn='instancia_id')
     correcciones    = MultipleJoin('Correccion', joinColumn='corrector_id')
 
-    def __init__(self, curso, docente, corrige=True, observaciones=None,
-            **kargs):
+    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)
 
         SQLObject.__init__(self, cursoID=curso.id, docenteID=docente.id,
             corrige=corrige, observaciones=observaciones, **kargs)
 
@@ -549,9 +596,10 @@ class Grupo(Entregador): #{{{
     miembros        = MultipleJoin('Miembro')
     tutores         = MultipleJoin('Tutor')
 
     miembros        = MultipleJoin('Miembro')
     tutores         = MultipleJoin('Tutor')
 
-    def __init__(self, curso, nombre, responsable=None, **kargs):
+    def __init__(self, curso=None, nombre=None, responsable=None, **kargs):
         resp_id = responsable and responsable.id
         resp_id = responsable and responsable.id
-        InheritableSQLObject.__init__(self, cursoID=curso.id, nombre=nombre,
+        curso_id = curso and curso.id
+        InheritableSQLObject.__init__(self, cursoID=curso_id, nombre=nombre,
             responsableID=resp_id, **kargs)
 
     def add_alumno(self, alumno, *args, **kargs):
             responsableID=resp_id, **kargs)
 
     def add_alumno(self, alumno, *args, **kargs):
@@ -585,7 +633,8 @@ class AlumnoInscripto(Entregador): #{{{
     entregas            = MultipleJoin('Entrega', joinColumn='alumno_id')
     correcciones        = MultipleJoin('Correccion', joinColumn='alumno_id')
 
     entregas            = MultipleJoin('Entrega', joinColumn='alumno_id')
     correcciones        = MultipleJoin('Correccion', joinColumn='alumno_id')
 
-    def __init__(self, curso, alumno, condicional=False, tutor=None, **kargs):
+    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)
         tutor_id = tutor and tutor.id
         InheritableSQLObject.__init__(self, cursoID=curso.id, tutorID=tutor_id,
             alumnoID=alumno.id, condicional=condicional, **kargs)
@@ -610,7 +659,7 @@ class Tutor(SQLObject, ByObject): #{{{
     alta            = DateTimeCol(notNone=True, default=DateTimeCol.now)
     baja            = DateTimeCol(default=None)
 
     alta            = DateTimeCol(notNone=True, default=DateTimeCol.now)
     baja            = DateTimeCol(default=None)
 
-    def __init__(self, grupo, docente, **kargs):
+    def __init__(self, grupo=None, docente=None, **kargs):
         SQLObject.__init__(self, grupoID=grupo.id, docenteID=docente.id,
             **kargs)
 
         SQLObject.__init__(self, grupoID=grupo.id, docenteID=docente.id,
             **kargs)
 
@@ -633,7 +682,7 @@ class Miembro(SQLObject, ByObject): #{{{
     alta            = DateTimeCol(notNone=True, default=DateTimeCol.now)
     baja            = DateTimeCol(default=None)
 
     alta            = DateTimeCol(notNone=True, default=DateTimeCol.now)
     baja            = DateTimeCol(default=None)
 
-    def __init__(self, grupo, alumno, **kargs):
+    def __init__(self, grupo=None, alumno=None, **kargs):
         SQLObject.__init__(self, grupoID=grupo.id, alumnoID=alumno.id, **kargs)
 
     def __repr__(self):
         SQLObject.__init__(self, grupoID=grupo.id, alumnoID=alumno.id, **kargs)
 
     def __repr__(self):
@@ -660,7 +709,8 @@ class Entrega(SQLObject, ByObject): #{{{
     codigo_dict     = r'0123456789abcdefghijklmnopqrstuvwxyz_.,*@#+'
     codigo_format   = r'%m%d%H%M%S'
 
     codigo_dict     = r'0123456789abcdefghijklmnopqrstuvwxyz_.,*@#+'
     codigo_format   = r'%m%d%H%M%S'
 
-    def __init__(self, instancia, entregador=None, observaciones=None, **kargs):
+    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)
         entregador_id = entregador and entregador.id
         SQLObject.__init__(self, instanciaID=instancia.id,
             entregadorID=entregador_id, observaciones=observaciones, **kargs)
@@ -708,8 +758,8 @@ class Correccion(SQLObject, ByObject): #{{{
     nota            = DecimalCol(size=3, precision=1, default=None)
     observaciones   = UnicodeCol(default=None)
 
     nota            = DecimalCol(size=3, precision=1, default=None)
     observaciones   = UnicodeCol(default=None)
 
-    def __init__(self, instancia, entregador, entrega, corrector=None,
-            observaciones=None, **kargs):
+    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)
         SQLObject.__init__(self, instanciaID=instancia.id, entregaID=entrega.id,
             entregadorID=entregador.id, correctorID=corrector.id,
             observaciones=observaciones, **kargs)
@@ -739,7 +789,7 @@ class TareaEjecutada(InheritableSQLObject, ByObject): #{{{
     # Joins
     pruebas         = MultipleJoin('Prueba')
 
     # Joins
     pruebas         = MultipleJoin('Prueba')
 
-    def __init__(self, tarea, entrega, observaciones=None, **kargs):
+    def __init__(self, tarea=None, entrega=None, observaciones=None, **kargs):
         InheritableSQLObject.__init__(self, tareaID=tarea.id,
             entregaID=entrega.id, observaciones=observaciones, **kargs)
 
         InheritableSQLObject.__init__(self, tareaID=tarea.id,
             entregaID=entrega.id, observaciones=observaciones, **kargs)
 
@@ -767,8 +817,8 @@ class Prueba(SQLObject): #{{{
     pasada          = IntCol(default=None)
     observaciones   = UnicodeCol(default=None)
 
     pasada          = IntCol(default=None)
     observaciones   = UnicodeCol(default=None)
 
-    def __init__(self, tarea_ejecutada, caso_de_prueba, observaciones=None,
-            **kargs):
+    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)
         SQLObject.__init__(self, tarea_ejecutadaID=tarea_ejecutada.id,
             caso_de_pruebaID=caso_de_prueba.id, observaciones=observaciones,
             **kargs)
@@ -820,7 +870,7 @@ class Rol(SQLObject): #{{{
     # Joins
     usuarios    = RelatedJoin('Usuario')
 
     # Joins
     usuarios    = RelatedJoin('Usuario')
 
-    def __init__(self, nombre, permisos=(), descripcion=None, **kargs):
+    def __init__(self, nombre=None, permisos=(), descripcion=None, **kargs):
         SQLObject.__init__(self, nombre=nombre, permisos=permisos,
             descripcion=descripcion, **kargs)
 #}}}
         SQLObject.__init__(self, nombre=nombre, permisos=permisos,
             descripcion=descripcion, **kargs)
 #}}}