Statistics
| Branch: | Tag: | Revision:

root / snf-astakos-app / astakos / im / api / __init__.py @ 19246578

History | View | Annotate | Download (8.9 kB)

1
# Copyright 2011-2012 GRNET S.A. All rights reserved.
2
#
3
# Redistribution and use in source and binary forms, with or
4
# without modification, are permitted provided that the following
5
# conditions are met:
6
#
7
#   1. Redistributions of source code must retain the above
8
#      copyright notice, this list of conditions and the following
9
#      disclaimer.
10
#
11
#   2. Redistributions in binary form must reproduce the above
12
#      copyright notice, this list of conditions and the following
13
#      disclaimer in the documentation and/or other materials
14
#      provided with the distribution.
15
#
16
# THIS SOFTWARE IS PROVIDED BY GRNET S.A. ``AS IS'' AND ANY EXPRESS
17
# OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
18
# WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
19
# PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL GRNET S.A OR
20
# CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
21
# SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
22
# LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF
23
# USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED
24
# AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT
25
# LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN
26
# ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
27
# POSSIBILITY OF SUCH DAMAGE.
28
#
29
# The views and conclusions contained in the software and
30
# documentation are those of the authors and should not be
31
# interpreted as representing official policies, either expressed
32
# or implied, of GRNET S.A.
33

    
34
from functools import wraps
35
from traceback import format_exc
36
from urllib import quote, unquote
37

    
38
from django.http import HttpResponse
39
from django.utils import simplejson as json
40
from django.conf import settings
41
from django.core.urlresolvers import reverse
42
from django.utils.translation import ugettext as _
43

    
44
from astakos.im.models import AstakosUser, Service, Resource
45
from astakos.im.api.faults import (
46
    Fault, ItemNotFound, InternalServerError, BadRequest)
47
from astakos.im.settings import (
48
    INVITATIONS_ENABLED, COOKIE_NAME, EMAILCHANGE_ENABLED, QUOTAHOLDER_URL)
49
from astakos.im.forms import FeedbackForm
50
from astakos.im.functions import send_feedback as send_feedback_func
51

    
52
import logging
53
logger = logging.getLogger(__name__)
54

    
55
format = ('%a, %d %b %Y %H:%M:%S GMT')
56

    
57
absolute = lambda request, url: request.build_absolute_uri(url)
58

    
59

    
60
def render_fault(request, fault):
61
    if isinstance(fault, InternalServerError) and settings.DEBUG:
62
        fault.details = format_exc(fault)
63

    
64
    request.serialization = 'text'
65
    data = fault.message + '\n'
66
    if fault.details:
67
        data += '\n' + fault.details
68
    response = HttpResponse(data, status=fault.code)
69
    response['Content-Length'] = len(response.content)
70
    return response
71

    
72

    
73
def api_method(http_method=None):
74
    """Decorator function for views that implement an API method."""
75
    def decorator(func):
76
        @wraps(func)
77
        def wrapper(request, *args, **kwargs):
78
            try:
79
                if http_method and request.method != http_method:
80
                    raise BadRequest('Method not allowed.')
81
                response = func(request, *args, **kwargs)
82
                return response
83
            except Fault, fault:
84
                return render_fault(request, fault)
85
            except BaseException, e:
86
                logger.exception('Unexpected error: %s' % e)
87
                fault = InternalServerError('Unexpected error')
88
                return render_fault(request, fault)
89
        return wrapper
90
    return decorator
91

    
92

    
93
def get_services_dict():
94
    services = Service.objects.all()
95
    data = tuple({'id': s.pk, 'name': s.name, 'url': s.url, 'icon':
96
                 s.icon} for s in services)
97
    return data
98

    
99
@api_method(http_method=None)
100
def get_services(request):
101
    callback = request.GET.get('callback', None)
102
    mimetype = 'application/json'
103
    data = json.dumps(get_services_dict())
104

    
105
    if callback:
106
        mimetype = 'application/javascript'
107
        data = '%s(%s)' % (callback, data)
108

    
109
    return HttpResponse(content=data, mimetype=mimetype)
110

    
111

    
112
@api_method()
113
def get_menu(request, with_extra_links=False, with_signout=True):
114
    user = request.user
115
    from_location = request.GET.get('location')
116
    index_url = reverse('index')
117
    if from_location:
118
        index_url = "%s?next=%s" % (index_url, from_location)
119

    
120
    l = [{'url': absolute(request, index_url), 'name': _("Sign in")}]
121
    if user.is_authenticated():
122
        l = []
123
        append = l.append
124
        item = MenuItem
125
        item.current_path = absolute(request, request.path)
126
        append(item(
127
               url=absolute(request, reverse('index')),
128
               name=user.email))
129
        if with_extra_links:
130
            append(item(
131
                url=absolute(request, reverse('landing')),
132
                name="Overview"))
133
        append(item(url=absolute(request, reverse('edit_profile')),
134
               name="Profile"))
135

    
136
        if with_extra_links:
137
            if INVITATIONS_ENABLED:
138
                append(item(
139
                       url=absolute(request, reverse('invite')),
140
                       name="Invitations"))
141

    
142

    
143
            append(item(
144
                   url=absolute(request, reverse('resource_usage')),
145
                   name="Usage"))
146
            if QUOTAHOLDER_URL:
147
                append(item(
148
                       url=absolute(request, reverse('project_list')),
149
                       name="Projects"))
150
            #append(item(
151
                #url=absolute(request, reverse('api_access')),
152
                #name="API Access"))
153

    
154
            append(item(
155
                   url=absolute(request, reverse('feedback')),
156
                   name="Contact"))
157
        if with_signout:
158
            append(item(
159
                   url=absolute(request, reverse('logout')),
160
                   name="Sign out"))
161

    
162
    callback = request.GET.get('callback', None)
163
    data = json.dumps(tuple(l))
164
    mimetype = 'application/json'
165

    
166
    if callback:
167
        mimetype = 'application/javascript'
168
        data = '%s(%s)' % (callback, data)
169

    
170
    return HttpResponse(content=data, mimetype=mimetype)
171

    
172

    
173
class MenuItem(dict):
174
    current_path = ''
175

    
176
    def __init__(self, *args, **kwargs):
177
        super(MenuItem, self).__init__(*args, **kwargs)
178
        if kwargs.get('url') or kwargs.get('submenu'):
179
            self.__set_is_active__()
180

    
181
    def __setitem__(self, key, value):
182
        super(MenuItem, self).__setitem__(key, value)
183
        if key in ('url', 'submenu'):
184
            self.__set_is_active__()
185

    
186
    def __set_is_active__(self):
187
        if self.get('is_active'):
188
            return
189
        if self.current_path.startswith(self.get('url')):
190
            self.__setitem__('is_active', True)
191
        else:
192
            submenu = self.get('submenu', ())
193
            current = (i for i in submenu if i.get('url') == self.current_path)
194
            try:
195
                current_node = current.next()
196
                if not current_node.get('is_active'):
197
                    current_node.__setitem__('is_active', True)
198
                self.__setitem__('is_active', True)
199
            except StopIteration:
200
                return
201

    
202
    def __setattribute__(self, name, value):
203
        super(MenuItem, self).__setattribute__(name, value)
204
        if name == 'current_path':
205
            self.__set_is_active__()
206

    
207
def __get_uuid_displayname_catalogs(request, user_call=True):
208
    # Normal Response Codes: 200
209
    # Error Response Codes: badRequest (400)
210

    
211
    try:
212
        input_data = json.loads(request.raw_post_data)
213
    except:
214
        raise BadRequest('Request body should be json formatted.')
215
    else:
216
        uuids = input_data.get('uuids', [])
217
        if uuids == None and user_call:
218
            uuids = []
219
        displaynames = input_data.get('displaynames', [])
220
        if displaynames == None and user_call:
221
            displaynames = []
222
        d  = {'uuid_catalog':AstakosUser.objects.uuid_catalog(uuids),
223
              'displayname_catalog':AstakosUser.objects.displayname_catalog(displaynames)}
224

    
225
        response = HttpResponse()
226
        response.status = 200
227
        response.content = json.dumps(d)
228
        response['Content-Type'] = 'application/json; charset=UTF-8'
229
        response['Content-Length'] = len(response.content)
230
        return response
231

    
232
def __send_feedback(request, email_template_name='im/feedback_mail.txt', user=None):
233
    if not user:
234
        auth_token = request.POST.get('auth', '')
235
        if not auth_token:
236
            raise BadRequest('Missing user authentication')
237

    
238
        try:
239
            user = AstakosUser.objects.get(auth_token=auth_token)
240
        except AstakosUser.DoesNotExist:
241
            raise BadRequest('Invalid user authentication')
242

    
243
    form = FeedbackForm(request.POST)
244
    if not form.is_valid():
245
        raise BadRequest('Invalid data')
246

    
247
    msg = form.cleaned_data['feedback_msg']
248
    data = form.cleaned_data['feedback_data']
249
    try:
250
        send_feedback_func(msg, data, user, email_template_name)
251
    except:
252
        return HttpResponse(status=502)
253
    return HttpResponse(status=200)