from turbogears import paginate
from docutils.core import publish_parts
from sercom.subcontrollers import validate as val
-from sercom.model import Curso
+from sercom.model import Curso, Ejercicio, Alumno, Docente, Grupo, DocenteInscripto
+from curso_alumno import *
+from sqlobject import *
+from sqlobject.dberrors import *
+from sercom.widgets import *
#}}}
#{{{ Configuración
namepl = name + 's'
#}}}
+ajax = u"""
+ function alumnos_agregar_a_la_lista(texto, lista)
+ {
+ t = MochiKit.DOM.getElement(texto);
+
+ url = "/alumno/get_alumno?padron="+t.value;
+ t.value = "";
+ return url;
+ }
+
+ function err (err)
+ {
+ alert("The metadata for MochiKit.Async could not be fetched :(");
+ }
+
+ function procesar(result)
+ {
+ l = MochiKit.DOM.getElement('form_responsable_info');
+ if (result.error)
+ l.innerHTML = result.msg;
+ else
+ l.innerHTML = result.msg.value;
+ }
+
+ function buscar_alumno()
+ {
+ /* Obtengo el curso */
+ l = MochiKit.DOM.getElement('form_cursoID');
+ cursoid = l.options[l.selectedIndex].value;
+ if (cursoid <= 0) {
+ alert('Debe seleccionar un curso');
+ return;
+ }
+ /* Obtengo el padron ingresado */
+ p = MochiKit.DOM.getElement('form_responsable');
+ padron = p.value;
+ if (padron == '') {
+ alert('Debe ingresar el padrón del alumno responsable');
+ return;
+ }
+ url = "/grupo/get_inscripto?cursoid="+cursoid+'&padron='+padron;
+ var d = loadJSONDoc(url);
+ d.addCallbacks(procesar, err);
+ }
+
+ function onsubmit()
+ {
+ /* TODO : Validar datos y evitar el submit si no esta completo */
+
+ /* Selecciono todos los miembros si no, no llegan al controllere*/
+ l = MochiKit.DOM.getElement('form_alumnos');
+ for (i=0; i<l.options.length; i++) {
+ l.options[i].selected = true;
+ }
+ /* Selecciono todos los miembros si no, no llegan al controllere*/
+ l = MochiKit.DOM.getElement('form_docentes_curso');
+ for (i=0; i<l.options.length; i++) {
+ l.options[i].selected = true;
+ }
+ return true; // Dejo hacer el submit
+ }
+"""
+
+
+
#{{{ Validación
def validate_get(id):
return val.validate_get(cls, name, id)
return val.validate_new(cls, name, data)
#}}}
+def get_ejercicios():
+ return [(fk1.id, fk1.shortrepr()) for fk1 in Ejercicio.select()]
+
+def get_docentes():
+ return [(fk1.id, fk1.shortrepr()) for fk1 in Docente.select()]
+
+def get_alumnos():
+ return [(fk1.id, fk1.shortrepr()) for fk1 in Alumno.select()]
+
+def get_grupos():
+ return [(fk1.id, fk1.shortrepr()) for fk1 in Grupo.select()]
+
#{{{ Formulario
class CursoForm(W.TableForm):
- fields = [
- W.TextField(name='anio', label=_(u'Anio'),
+ class Fields(W.WidgetsList):
+ anio = W.TextField(label=_(u'Anio'),
help_text=_(u'Requerido y único.'),
- validator=V.Number(min=4, max=4, strip=True)),
- W.TextField(name='cuatrimestre', label=_(u'Cuatrimestre'),
+ validator=V.Number(min=4, max=4, strip=True))
+ cuatrimestre = W.TextField(label=_(u'Cuatrimestre'),
help_text=_(u'Requerido.'),
- validator=V.Number(min=1, max=1, strip=True)),
- W.TextField(name='numero', label=_(u'Numero'),
+ validator=V.Number(min=1, max=1, strip=True))
+ numero = W.TextField(label=_(u'Numero'),
help_text=_(u'Requerido'),
- validator=V.Number(min=1, max=2, strip=True)),
- ]
- javascript = [W.JSSource("MochiKit.DOM.focusOnLoad('anio');")]
- # ver que otros campos agregar.
-"""
- W.TextField(name='telefono', label=_(u'Teléfono'),
- #help_text=_(u'Texto libre para teléfono, se puede incluir '
- # 'horarios o varias entradas.'),
- validator=V.UnicodeString(not_empty=False, min=7, max=255,
- strip=True)),
- W.TextField(name='nota', label=_(u'Nota'),
- #help_text=_(u'Texto libre para teléfono, se puede incluir '
- # 'horarios o varias entradas.'),
- validator=V.Number(not_empty=False, strip=True)),
- W.TextArea(name='observaciones', label=_(u'Observaciones'),
- #help_text=_(u'Observaciones.'),
- validator=V.UnicodeString(not_empty=False, strip=True)),
- W.CheckBox(name='activo', label=_(u'Activo'), default=1,
- #help_text=_(u'Si no está activo no puede ingresar al sistema.'),
- validator=V.Bool(if_empty=1)),
-"""
+ validator=V.Number(min=1, max=2, strip=True))
+ descripcion = W.TextArea(name='descripcion', label=_(u'Descripcion'),
+ help_text=_(u'Descripcion.'),
+ validator=V.UnicodeString(not_empty=False, strip=True))
+
+ docentes = W.MultipleSelectField(name="docentes",
+ label=_(u'Docentes'),
+ attrs=dict(style='width:300px'),
+ options=get_docentes,
+ validator=V.Int(not_empty=True))
+ addDocente = W.Button(default='Asignar', label='',
+ attrs=dict( onclick='mover("form_docentes","form_docentes_curso")'))
+ remDocente = W.Button(default='Remover', label='',
+ attrs=dict( onclick='remover("form_docentes_curso","form_docentes")'))
+ docentes_curso = W.MultipleSelectField(name="docentes_curso",
+ label=_(u'Docentes del curso'),
+ attrs=dict(style='width:300px'),
+# options=get_docentes_curso,
+ validator=V.Int(not_empty=True))
+
+ alumnos = AjaxMultiSelect(label=_(u'Alumnos'),
+ validator=V.Int(),
+ on_add="alumnos_agregar_a_la_lista")
+ fields = Fields()
+ javascript = [W.JSSource("MochiKit.DOM.focusOnLoad('anio');"),
+ W.JSSource(ajax)]
+ form_attrs = dict(onsubmit='return onsubmit()')
form = CursoForm()
#}}}
class CursoController(controllers.Controller, identity.SecureResource):
"""Basic model admin interface"""
require = identity.has_permission('admin')
+ curso_alumno = CursoAlumnoController()
@expose()
def default(self, tg_errors=None):
@expose(template='kid:%s.templates.new' % __name__)
def new(self, **kw):
"""Create new records in model"""
- return dict(name=name, namepl=namepl, form=form, values=kw)
+ params = dict([(k,v) for (k,v) in kw.iteritems() if k in Curso.sqlmeta.columns.keys()])
+ return dict(name=name, namepl=namepl, form=form, values=params)
@validate(form=form)
@error_handler(new)
@expose()
def create(self, **kw):
"""Save or create record to model"""
- validate_new(kw)
+ print "--KW--"
+ print kw
+ docentes = kw.get('docentes_curso', [])
+ alumnos = kw.get('alumnos', [])
+ del(kw['remDocente'])
+ del(kw['addDocente'])
+ del(kw['docentes_curso'])
+ del(kw['alumnos'])
+ r = validate_new(kw)
+ """ Agrego la nueva seleccion de docentes """
+ for d in docentes:
+ r.add_docente(d)
+ """ El curso es nuevo, por ende no hay alumnos inscriptos """
+ for a in alumnos:
+ r.add_alumno(a)
flash(_(u'Se creó un nuevo %s.') % name)
raise redirect('list')
-
+
@expose(template='kid:%s.templates.edit' % __name__)
def edit(self, id, **kw):
"""Edit record in model"""
r = validate_get(id)
- return dict(name=name, namepl=namepl, record=r, form=form)
+ class EmptyClass:
+ pass
+ values = EmptyClass()
+ values.id = r.id
+ values.anio = r.anio
+ values.numero = r.numero
+ values.cuatrimestre = r.cuatrimestre
+ values.cursoID = r.id
+ values.descripcion = r.descripcion
+ # cargo la lista con los docentes asignados al curso
+ values.docentes_curso = [{"id":d.docente.id, "label":d.docente.shortrepr()} for d in DocenteInscripto.selectBy(curso=r.id)]
+ values.alumnos_inscriptos = [{"id":a.alumno.id, "label":a.alumno.nombre} for a in AlumnoInscripto.selectBy(curso=r.id)]
+
+ return dict(name=name, namepl=namepl, record=values, form=form)
@validate(form=form)
@error_handler(edit)
@expose()
def update(self, id, **kw):
"""Save or create record to model"""
- r = validate_set(id, kw)
+ params = dict([(k,v) for (k,v) in kw.iteritems() if k in Curso.sqlmeta.columns.keys()])
+ r = validate_set(id, params)
+
+ docentes = kw.get('docentes_curso', [])
+ alumnos = kw.get('alumnos', [])
+ """ levanto los doncentes del curso para ver cuales tengo que agregar """
+ docentes_inscriptos = DocenteInscripto.selectBy(curso=id)
+
+ """ elimino a los docentes que no fueron seleccionados """
+ for di in docentes_inscriptos:
+ if di.id not in docentes:
+ r.remove_docente(di.docente)
+
+ """ Agrego la nueva seleccion """
+ for d in docentes:
+ try:
+ r.add_docente(d)
+ except:
+ pass
+
+ """ Verifico que los alumnos no esten ya inscriptos """
+ for a in alumnos:
+ try:
+ r.add_alumno(a)
+ except:
+ pass
flash(_(u'El %s fue actualizado.') % name)
raise redirect('../list')
def show(self,id, **kw):
"""Show record in model"""
r = validate_get(id)
- if r.observaciones is None:
- r.obs = ''
- else:
- r.obs = publish_parts(r.observaciones, writer_name='html')['html_body']
return dict(name=name, namepl=namepl, record=r)
@expose()
r.destroySelf()
flash(_(u'El %s fue eliminado permanentemente.') % name)
raise redirect('../list')
+
+ @expose(template='kid:%s.templates.from_file' % __name__)
+ def from_file(self, id):
+ return dict(cursoID=int(id))
+
+ @expose(template='kid:%s.templates.import_results' % __name__)
+ def from_file_add(self, id, archivo):
+ """ Se espera :
+ padron,nombre,email,telefono
+ """
+ import csv
+ lines = archivo.file.read().split('\n')
+ ok = []
+ fail = []
+ curso = Curso.get(int(id))
+ for line in lines:
+ for row in csv.reader([line]):
+ if row == []:
+ continue
+ try:
+ u = Alumno(row[0], nombre=row[1])
+ u.email = row[2]
+ u.telefono = row[3]
+ u.contrasenia = row[0]
+ u.activo = True
+ curso.add_alumno(u)
+ ok.append(row)
+ except Exception, e:
+ row.append(str(e))
+ fail.append(row)
+ return dict(ok=ok, fail=fail)
#}}}