]> git.llucax.com Git - software/sercom.git/blob - sercom/subcontrollers/misentregas/__init__.py
Crear clase Ejecucion y heredar Entrega y ComandoEjecutado de ella.
[software/sercom.git] / sercom / subcontrollers / misentregas / __init__.py
1 # vim: set et sw=4 sts=4 encoding=utf-8 foldmethod=marker :
2
3 #{{{ Imports
4 import cherrypy
5 from turbogears import controllers, expose, redirect
6 from turbogears import validate, flash, error_handler
7 from turbogears import validators as V
8 from turbogears import widgets as W
9 from turbogears import identity
10 from turbogears import paginate
11 from docutils.core import publish_parts
12 from sercom.subcontrollers import validate as val
13 from sercom.model import Entrega, Correccion, Curso, Ejercicio, InstanciaDeEntrega, Grupo, Miembro, AlumnoInscripto
14 from sqlobject import *
15 from zipfile import ZipFile, BadZipfile
16 from cStringIO import StringIO
17
18 #}}}
19
20 #{{{ Configuración
21 cls = Entrega
22 name = 'entrega'
23 namepl = name + 's'
24 #}}}
25
26 #{{{ Validación
27 def validate_get(id):
28     return val.validate_get(cls, name, id)
29
30 def validate_set(id, data):
31     return val.validate_set(cls, name, id, data)
32
33 def validate_new(data):
34     return val.validate_new(cls, name, data)
35 #}}}
36
37 def get_ejercicios_activos():
38     # TODO : Mostrar solo los ejercicios con instancias de entrega activos
39     return [(0, _(u'--'))] + [(a.id, a.shortrepr()) for a in (Ejercicio.select(
40         AND(Ejercicio.q.id==InstanciaDeEntrega.q.ejercicioID, InstanciaDeEntrega.q.inicio <= DateTimeCol.now(),
41             InstanciaDeEntrega.q.fin >= DateTimeCol.now())))]
42
43 ajax = """
44     function clearInstancias ()
45     {
46         l = MochiKit.DOM.getElement('form_instancia');
47         l.options.length = 0;
48         l.disabled = true;
49     }
50
51     function mostrarInstancias(res)
52     {
53         clearInstancias();
54         for(i=0; i < res.instancias.length; i++) {
55             id = res.instancias[i].id;
56             label = res.instancias[i].numero;
57             MochiKit.DOM.appendChildNodes("form_instancia", OPTION({"value":id}, label))
58         }
59         if (l.options.length > 0)
60             l.disabled = false;
61     }
62
63     function err (err)
64     {
65         alert("The metadata for MochiKit.Async could not be fetched :(");
66     }
67
68     function actualizar_instancias ()
69     {
70         l = MochiKit.DOM.getElement('form_ejercicio');
71         id = l.options[l.selectedIndex].value;
72         if (id == 0) {
73             clearInstancias();
74             return;
75         }
76
77         url = "/mis_entregas/instancias?ejercicio_id="+id;
78         var d = loadJSONDoc(url);
79         d.addCallbacks(mostrarInstancias, err);
80     }
81
82     function prepare()
83     {
84         connect('form_ejercicio', 'onchange', actualizar_instancias);
85         clearInstancias();
86     }
87
88     MochiKit.DOM.addLoadEvent(prepare)
89 """
90 #{{{ Formulario
91 class EntregaForm(W.TableForm):
92     class Fields(W.WidgetsList):
93         ejercicio = W.SingleSelectField(label=_(u'Ejercicio'),
94             options=get_ejercicios_activos, validator=V.Int(not_empty=True))
95         instancia = W.SingleSelectField(label=_(u'Instancia de Entrega'), validator=V.Int(not_empty=True))
96         archivo = W.FileField(label=_(u'Archivo'), help_text=_(u'Archivo en formaro ZIP con tu entrega'))
97     fields = Fields()
98     javascript = [W.JSSource("MochiKit.DOM.focusOnLoad('form_ejercicio');"), W.JSSource(ajax)]
99
100 form = EntregaForm()
101 #}}}
102
103 #{{{ Controlador
104 class MisEntregasController(controllers.Controller, identity.SecureResource):
105     """Basic model admin interface"""
106     require = identity.has_permission('entregar')
107
108     @expose()
109     def default(self, tg_errors=None):
110         """handle non exist urls"""
111         raise redirect('list')
112
113     @expose()
114     def index(self):
115         raise redirect('list')
116
117     @expose(template='kid:%s.templates.new' % __name__)
118     def new(self, **kw):
119         """Create new records in model"""
120         return dict(name=name, namepl=namepl, form=form, values=kw)
121
122     @expose(template='kid:%s.templates.list' % __name__)
123     @paginate('records')
124     def list(self):
125         """List records in model"""
126         # Grupos en los que el usuario formo parte
127         m = [i.grupo.id for i in Grupo.selectByAlumno(identity.current.user)]
128         try:
129             entregador = AlumnoInscripto.selectByAlumno(identity.current.user)
130             m.append(entregador.id)
131         except:
132             pass
133         r = cls.select(IN(cls.q.entregadorID, m))
134         return dict(records=r, name=name, namepl=namepl)
135
136     @validate(form=form)
137     @error_handler(new)
138     @expose()
139     def create(self, archivo, ejercicio, **kw):
140         """Save or create record to model"""
141         try:
142             zfile = ZipFile(archivo.file)
143         except BadZipfile:
144             flash(_(u'El archivo ZIP no es valido'))
145             raise redirect('list')
146
147         # por defecto el entregador es el user loggeado
148         entregador = AlumnoInscripto.selectByAlumno(identity.current.user)
149
150         ejercicio = Ejercicio.get(int(ejercicio))
151         if ejercicio.grupal:
152             # Como es grupal, tengo que hacer que la entrega la haga
153             # mi grupo y no yo personalmente. Busco el grupo
154             # activo.
155
156             # Con esto obtengo todos los grupos a los que pertenece el Alumno
157             # y que estan activos
158             try:
159                 # TODO : Falta filtrar por curso!!
160                 m = Miembro.select(
161                     AND(
162                         Miembro.q.alumnoID == AlumnoInscripto.q.id,
163                         AlumnoInscripto.q.alumnoID == identity.current.user.id,
164                         Miembro.q.baja == None
165                     )
166                 ).getOne()
167             except:
168                 flash(_(u'No puedes realizar la entrega ya que el ejercicio es Grupal y no perteneces a ningún grupo.'))
169                 raise redirect('list')
170
171             entregador = m.grupo
172         kw['archivos'] = archivo.file.read()
173         kw['entregador'] = entregador
174         validate_new(kw)
175         flash(_(u'Se creó una nueva %s.') % name)
176         raise redirect('list')
177
178     @expose(template='kid:%s.templates.corrida' % __name__)
179     def corrida(self, entregaid):
180         e = validate_get(entregaid)
181         return dict(entrega=e)
182
183     @expose()
184     def get_archivo(self, entregaid):
185         from cherrypy import request, response
186         r = validate_get(entregaid)
187         response.headers["Content-Type"] = "application/zip"
188         response.headers["Content-disposition"] = "attachment;filename=Ej_%s-Entrega_%s-%s.zip" % (r.instancia.ejercicio.numero, r.instancia.numero, r.entregador.nombre)
189         flash(_(u'El %s fue eliminado permanentemente.') % name)
190         return r.archivos
191
192     @expose("json")
193     def instancias(self, ejercicio_id):
194         c = Ejercicio.get(ejercicio_id)
195         return dict(instancias=c.instancias)
196 #}}}
197