Statistics
| Branch: | Tag: | Revision:

root / snf-astakos-app / astakos / im / management / commands / user-show.py @ 5a8067ad

History | View | Annotate | Download (7.7 kB)

1
# Copyright 2012, 2013 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 django.core.management.base import CommandError
35
from optparse import make_option
36

    
37
from astakos.im.models import AstakosUser, get_latest_terms, Chain
38
from astakos.im.quotas import list_user_quotas
39

    
40
from synnefo.lib.ordereddict import OrderedDict
41
from synnefo.webproject.management.commands import SynnefoCommand
42
from synnefo.webproject.management import utils
43

    
44
from ._common import show_quotas, style_options, check_style
45

    
46
import uuid
47

    
48

    
49
class Command(SynnefoCommand):
50
    args = "<user ID or email or uuid>"
51
    help = "Show user info"
52

    
53
    option_list = SynnefoCommand.option_list + (
54
        make_option('--quota',
55
                    action='store_true',
56
                    dest='list_quotas',
57
                    default=False,
58
                    help="Also list user quota"),
59
        make_option('--unit-style',
60
                    default='mb',
61
                    help=("Specify display unit for resource values "
62
                          "(one of %s); defaults to mb") % style_options),
63
        make_option('--projects',
64
                    action='store_true',
65
                    dest='list_projects',
66
                    default=False,
67
                    help="Also list project memberships"),
68
    )
69

    
70
    def handle(self, *args, **options):
71
        if len(args) != 1:
72
            raise CommandError("Please provide a user ID or email")
73

    
74
        identifier = args[0]
75
        if identifier.isdigit():
76
            users = AstakosUser.objects.filter(id=int(identifier))
77
        else:
78
            try:
79
                uuid.UUID(identifier)
80
            except:
81
                users = AstakosUser.objects.filter(email__iexact=identifier)
82
            else:
83
                users = AstakosUser.objects.filter(uuid=identifier)
84
        if users.count() == 0:
85
            field = 'id' if identifier.isdigit() else 'email'
86
            msg = "Unknown user with %s '%s'" % (field, identifier)
87
            raise CommandError(msg)
88

    
89
        for user in users:
90
            kv = OrderedDict(
91
                [
92
                    ('id', user.id),
93
                    ('uuid', user.uuid),
94
                    ('status', user.status_display),
95
                    ('email', user.email),
96
                    ('first name', user.first_name),
97
                    ('last name', user.last_name),
98
                    ('active', user.is_active),
99
                    ('admin', user.is_superuser),
100
                    ('last login', user.last_login),
101
                    ('date joined', user.date_joined),
102
                    ('last update', user.updated),
103
                    #('token', user.auth_token),
104
                    ('token expiration', user.auth_token_expires),
105
                    ('invitations', user.invitations),
106
                    ('invitation level', user.level),
107
                    ('providers', user.auth_providers_display),
108
                    ('verified', user.is_verified),
109
                    ('groups', [elem.name for elem in user.groups.all()]),
110
                    ('permissions', [elem.codename
111
                                     for elem in user.user_permissions.all()]),
112
                    ('group permissions', user.get_group_permissions()),
113
                    ('email verified', user.email_verified),
114
                    ('username', user.username),
115
                    ('activation_sent_date', user.activation_sent),
116
                ])
117

    
118
            if get_latest_terms():
119
                has_signed_terms = user.signed_terms
120
                kv['has_signed_terms'] = has_signed_terms
121
                if has_signed_terms:
122
                    kv['date_signed_terms'] = user.date_signed_terms
123

    
124
            utils.pprint_table(self.stdout, [kv.values()], kv.keys(),
125
                               options["output_format"], vertical=True)
126

    
127
            if options["list_quotas"]:
128
                unit_style = options["unit_style"]
129
                check_style(unit_style)
130

    
131
                quotas, initial = list_user_quotas([user])
132
                if quotas:
133
                    self.stdout.write("\n")
134
                    print_data, labels = show_quotas(quotas, initial,
135
                                                     style=unit_style)
136
                    utils.pprint_table(self.stdout, print_data, labels,
137
                                       options["output_format"],
138
                                       title="User Quota")
139

    
140
            if options["list_projects"]:
141
                print_data, labels = ownerships(user)
142
                if print_data:
143
                    self.stdout.write("\n")
144
                    utils.pprint_table(self.stdout, print_data, labels,
145
                                       options["output_format"],
146
                                       title="Owned Projects")
147

    
148
                print_data, labels = memberships(user)
149
                if print_data:
150
                    self.stdout.write("\n")
151
                    utils.pprint_table(self.stdout, print_data, labels,
152
                                       options["output_format"],
153
                                       title="Project Memberships")
154

    
155

    
156
def memberships(user):
157
    ms = user.projectmembership_set.all()
158
    print_data = []
159
    labels = ('project id', 'project name', 'status')
160

    
161
    for m in ms:
162
        project = m.project
163
        print_data.append((project.id,
164
                           project.application.name,
165
                           m.state_display(),
166
                           ))
167
    return print_data, labels
168

    
169

    
170
def ownerships(user):
171
    chain_dict = Chain.objects.all_full_state()
172
    chain_dict = filter_by(is_owner(user), chain_dict)
173
    return chain_info(chain_dict)
174

    
175

    
176
def is_owner(user):
177
    def f(state, project, app):
178
        return user == app.owner
179
    return f
180

    
181

    
182
def filter_by(f, chain_dict):
183
    d = {}
184
    for chain, tpl in chain_dict.iteritems():
185
        if f(*tpl):
186
            d[chain] = tpl
187
    return d
188

    
189

    
190
def chain_info(chain_dict):
191
    labels = ('project id', 'project name', 'status', 'pending app id')
192
    l = []
193
    for chain, (state, project, app) in chain_dict.iteritems():
194
        status = Chain.state_display(state)
195
        if state in Chain.PENDING_STATES:
196
            appid = str(app.id)
197
        else:
198
            appid = ""
199

    
200
        t = (chain,
201
             project.application.name if project else app.name,
202
             status,
203
             appid,
204
             )
205
        l.append(t)
206
    return l, labels