1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
|
'''Decorators useful for actions in the IVLE AJAX API.
The first argument to any method wrapped by these needs to be a request.
'''
from ivle.webapp.errors import MethodNotAllowed, Unauthorized
class require_method(object):
'''Require that the request has been made with the specified HTTP method.
'''
def __init__(self, method):
self.method = method
def __call__(self, func):
def method_or_die(req, *args, **kwargs):
if req.method != self.method:
raise MethodNotAllowed(allowed=[self.method])
func(req, *args, **kwargs)
return method_or_die
def require_admin(func):
'''Require that the logged in user is an admin.'''
def admin_or_die(req, *args, **kwargs):
if not req.user or not req.user.admin:
raise Unauthorized()
func(req, *args, **kwargs)
return admin_or_die
class require_role_anywhere(object):
'''Require that the logged in user has a role in any offering.'''
def __init__(self, *roles):
self.roles = roles
def __call__(self, func):
def role_or_die(req, *args, **kwargs):
if not req.user:
raise Unauthorized()
if req.user.admin:
return func(req, *args, **kwargs)
roles = set((e.role for e in req.user.active_enrolments))
for role in self.roles:
if role in roles:
return func(req, *args, **kwargs)
raise Unauthorized()
return role_or_die
|