aboutsummaryrefslogtreecommitdiff
path: root/src/web/views/api/common.py
blob: 3476cad984c3abba67e6f5338dbae8413f31e10b (plain)
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
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
#! /usr/bin/env python
# -*- coding: utf-8 -

"""For a given resources, classes in the module intend to create the following
routes :
    GET resource/<id>
        -> to retrieve one
    POST resource
        -> to create one
    PUT resource/<id>
        -> to update one
    DELETE resource/<id>
        -> to delete one

    GET resources
        -> to retrieve several
    POST resources
        -> to create several
    PUT resources
        -> to update several
    DELETE resources
        -> to delete several
"""
import ast
import json
import logging
import dateutil.parser
from functools import wraps
from werkzeug.exceptions import Unauthorized, BadRequest
from flask import request, g, session, Response
from flask.ext.restful import Resource, reqparse

from web.lib.utils import default_handler
from web.models import User

logger = logging.getLogger(__name__)


def authenticate(func):
    """
    Decorator for the authentication to the web services.
    """
    @wraps(func)
    def wrapper(*args, **kwargs):
        logged_in = False
        if not getattr(func, 'authenticated', True):
            logged_in = True
        # authentication based on the session (already logged on the site)
        elif 'email' in session or g.user.is_authenticated:
            logged_in = True
        else:
            # authentication via HTTP only
            auth = request.authorization
            if auth is not None:
                user = User.query.filter(
                        User.nickname == auth.username).first()
                if user and user.check_password(auth.password) \
                        and user.activation_key == "":
                    g.user = user
                    logged_in = True
        if logged_in:
            return func(*args, **kwargs)
        raise Unauthorized({'WWWAuthenticate': 'Basic realm="Login Required"'})
    return wrapper


def to_response(func):
    """Will cast results of func as a result, and try to extract
    a status_code for the Response object"""
    def wrapper(*args, **kwargs):
        status_code = 200
        result = func(*args, **kwargs)
        if isinstance(result, Response):
            return result
        elif isinstance(result, tuple):
            result, status_code = result
        return Response(json.dumps(result, default=default_handler),
                        status=status_code)
    return wrapper


class PyAggAbstractResource(Resource):
    method_decorators = [authenticate, to_response]
    attrs = {}
    to_date = []  # list of fields to cast to datetime

    def __init__(self, *args, **kwargs):
        super(PyAggAbstractResource, self).__init__(*args, **kwargs)

    @property
    def controller(self):
        return self.controller_cls(getattr(g.user, 'id', None))

    @property
    def wider_controller(self):
        if g.user.is_admin():
            return self.controller_cls()
        return self.controller_cls(getattr(g.user, 'id', None))

    def reqparse_args(self, req=None, strict=False, default=True, args=None):
        """
        strict: bool
            if True will throw 400 error if args are defined and not in request
        default: bool
            if True, won't return defaults
        args: dict
            the args to parse, if None, self.attrs will be used
        """
        parser = reqparse.RequestParser()
        for attr_name, attrs in (args or self.attrs).items():
            if attrs.pop('force_default', False):
                parser.add_argument(attr_name, location='json', **attrs)
            elif not default and (not request.json
                    or request.json and attr_name not in request.json):
                continue
            else:
                parser.add_argument(attr_name, location='json', **attrs)
        parsed = parser.parse_args(strict=strict) if req is None \
                else parser.parse_args(req, strict=strict)
        for field in self.to_date:
            if parsed.get(field):
                try:
                    parsed[field] = dateutil.parser.parse(parsed[field])
                except Exception:
                    logger.exception('failed to parse %r', parsed[field])
        return parsed


class PyAggResourceNew(PyAggAbstractResource):

    def post(self):
        """Create a single new object"""
        return self.controller.create(**self.reqparse_args()), 201


class PyAggResourceExisting(PyAggAbstractResource):

    def get(self, obj_id=None):
        """Retreive a single object"""
        return self.controller.get(id=obj_id)

    def put(self, obj_id=None):
        """update an object, new attrs should be passed in the payload"""
        args = self.reqparse_args(default=False)
        new_values = {key: args[key] for key in
                      set(args).intersection(self.attrs)}
        if 'user_id' in new_values and g.user.is_admin():
            controller = self.wider_controller
        else:
            controller = self.controller
        return controller.update({'id': obj_id}, new_values), 200

    def delete(self, obj_id=None):
        """delete a object"""
        self.controller.delete(obj_id)
        return None, 204


class PyAggResourceMulti(PyAggAbstractResource):

    def get(self):
        """retrieve several objects. filters can be set in the payload on the
        different fields of the object, and a limit can be set in there as well
        """
        try:
            limit = request.json.pop('limit', 10)
            order_by = request.json.pop('order_by', None)
            query = self.controller.read(**request.json)
        except:
            args = {}
            for k, v in request.args.items():
                if k in self.attrs.keys():
                    if self.attrs[k]['type'] in [bool, int]:
                        args[k] = ast.literal_eval(v)
                    else:
                        args[k] = v
            limit = request.args.get('limit', 10)
            order_by = request.args.get('order_by', None)
            query = self.controller.read(**args)
        if order_by:
            query = query.order_by(order_by)
        if limit:
            query = query.limit(limit)
        return [res for res in query]

    def post(self):
        """creating several objects. payload should be a list of dict.
        """
        if 'application/json' not in request.headers.get('Content-Type'):
            raise BadRequest("Content-Type must be application/json")
        status = 201
        results = []
        for attrs in request.json:
            try:
                results.append(self.controller.create(**attrs).id)
            except Exception as error:
                status = 206
                results.append(str(error))
        # if no operation succeded, it's not partial anymore, returning err 500
        if status == 206 and results.count('ok') == 0:
            status = 500
        return results, status

    def put(self):
        """creating several objects. payload should be:
        >>> payload
        [[obj_id1, {attr1: val1, attr2: val2}]
         [obj_id2, {attr1: val1, attr2: val2}]]
        """
        if 'application/json' not in request.headers.get('Content-Type'):
            raise BadRequest("Content-Type must be application/json")
        status = 200
        results = []
        for obj_id, attrs in request.json:
            try:
                new_values = {key: attrs[key] for key in
                              set(attrs).intersection(self.attrs)}
                self.controller.update({'id': obj_id}, new_values)
                results.append('ok')
            except Exception as error:
                status = 206
                results.append(str(error))
        # if no operation succeded, it's not partial anymore, returning err 500
        if status == 206 and results.count('ok') == 0:
            status = 500
        return results, status

    def delete(self):
        """will delete several objects,
        a list of their ids should be in the payload"""
        if 'application/json' not in request.headers.get('Content-Type'):
            raise BadRequest("Content-Type must be application/json")
        status = 204
        results = []
        for obj_id in request.json:
            try:
                self.controller.delete(obj_id)
                results.append('ok')
            except Exception as error:
                status = 206
                results.append(error)
        # if no operation succeded, it's not partial anymore, returning err 500
        if status == 206 and results.count('ok') == 0:
            status = 500
        return results, status
bgstack15