Statistics
| Branch: | Tag: | Revision:

root / kamaki / cli / __init__.py @ b91111b9

History | View | Annotate | Download (16.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.command
33

    
34
import logging
35
from sys import argv, exit, stdout
36
from os.path import basename, exists
37
from inspect import getargspec
38

    
39
from kamaki.cli.argument import ArgumentParseManager
40
from kamaki.cli.history import History
41
from kamaki.cli.utils import print_dict, red, magenta, yellow
42
from kamaki.cli.errors import CLIError, CLICmdSpecError
43
from kamaki.cli import logger
44

    
45
_help = False
46
_debug = False
47
_include = False
48
_verbose = False
49
_colors = False
50
kloger = None
51
filelog = None
52

    
53
#  command auxiliary methods
54

    
55
_best_match = []
56

    
57

    
58
def _arg2syntax(arg):
59
    return arg.replace(
60
        '____', '[:').replace(
61
            '___', ':').replace(
62
                '__', ']').replace(
63
                    '_', ' ')
64

    
65

    
66
def _construct_command_syntax(cls):
67
        spec = getargspec(cls.main.im_func)
68
        args = spec.args[1:]
69
        n = len(args) - len(spec.defaults or ())
70
        required = ' '.join(['<%s>' % _arg2syntax(x) for x in args[:n]])
71
        optional = ' '.join(['[%s]' % _arg2syntax(x) for x in args[n:]])
72
        cls.syntax = ' '.join(x for x in [required, optional] if x)
73
        if spec.varargs:
74
            cls.syntax += ' <%s ...>' % spec.varargs
75

    
76

    
77
def _num_of_matching_terms(basic_list, attack_list):
78
    if not attack_list:
79
        return len(basic_list)
80

    
81
    matching_terms = 0
82
    for i, term in enumerate(basic_list):
83
        try:
84
            if term != attack_list[i]:
85
                break
86
        except IndexError:
87
            break
88
        matching_terms += 1
89
    return matching_terms
90

    
91

    
92
def _update_best_match(name_terms, prefix=[]):
93
    if prefix:
94
        pref_list = prefix if isinstance(prefix, list) else prefix.split('_')
95
    else:
96
        pref_list = []
97

    
98
    num_of_matching_terms = _num_of_matching_terms(name_terms, pref_list)
99
    global _best_match
100
    if not prefix:
101
        _best_match = []
102

    
103
    if num_of_matching_terms and len(_best_match) <= num_of_matching_terms:
104
        if len(_best_match) < num_of_matching_terms:
105
            _best_match = name_terms[:num_of_matching_terms]
106
        return True
107
    return False
108

    
109

    
110
def command(cmd_tree, prefix='', descedants_depth=1):
111
    """Load a class as a command
112
        e.g. spec_cmd0_cmd1 will be command spec cmd0
113

114
        :param cmd_tree: is initialized in cmd_spec file and is the structure
115
            where commands are loaded. Var name should be _commands
116
        :param prefix: if given, load only commands prefixed with prefix,
117
        :param descedants_depth: is the depth of the tree descedants of the
118
            prefix command. It is used ONLY if prefix and if prefix is not
119
            a terminal command
120

121
        :returns: the specified class object
122
    """
123

    
124
    def wrap(cls):
125
        global kloger
126
        cls_name = cls.__name__
127

    
128
        if not cmd_tree:
129
            if _debug:
130
                kloger.warning('command %s found but not loaded' % cls_name)
131
            return cls
132

    
133
        name_terms = cls_name.split('_')
134
        if not _update_best_match(name_terms, prefix):
135
            if _debug:
136
                kloger.warning('%s failed to update_best_match' % cls_name)
137
            return None
138

    
139
        global _best_match
140
        max_len = len(_best_match) + descedants_depth
141
        if len(name_terms) > max_len:
142
            partial = '_'.join(name_terms[:max_len])
143
            if not cmd_tree.has_command(partial):  # add partial path
144
                cmd_tree.add_command(partial)
145
            if _debug:
146
                kloger.warning('%s failed max_len test' % cls_name)
147
            return None
148

    
149
        try:
150
            (
151
                cls.description, sep, cls.long_description
152
            ) = cls.__doc__.partition('\n')
153
        except AttributeError:
154
            raise CLICmdSpecError(
155
                'No commend in %s (acts as cmd description)' % cls.__name__)
156
        _construct_command_syntax(cls)
157

    
158
        cmd_tree.add_command(cls_name, cls.description, cls)
159
        return cls
160
    return wrap
161

    
162

    
163
cmd_spec_locations = [
164
    'kamaki.cli.commands',
165
    'kamaki.commands',
166
    'kamaki.cli',
167
    'kamaki',
168
    '']
169

    
170

    
171
#  Generic init auxiliary functions
172

    
173

    
174
def _setup_logging(silent=False, debug=False, verbose=False, include=False):
175
    """handle logging for clients package"""
176

    
177
    if silent:
178
        logger.add_stream_logger(__name__, logging.CRITICAL)
179
        return
180

    
181
    sfmt, rfmt = '> %(message)s', '< %(message)s'
182
    if debug:
183
        print('Logging location: %s' % logger.get_log_filename())
184
        logger.add_stream_logger('kamaki.clients.send', logging.DEBUG, sfmt)
185
        logger.add_stream_logger('kamaki.clients.recv', logging.DEBUG, rfmt)
186
        logger.add_stream_logger(__name__, logging.DEBUG)
187
    elif verbose:
188
        logger.add_stream_logger('kamaki.clients.send', logging.INFO, sfmt)
189
        logger.add_stream_logger('kamaki.clients.recv', logging.INFO, rfmt)
190
        logger.add_stream_logger(__name__, logging.INFO)
191
    if include:
192
        logger.add_stream_logger('kamaki.clients.send', logging.INFO, sfmt)
193
        logger.add_stream_logger('kamaki.clients.recv', logging.INFO, rfmt)
194
    logger.add_stream_logger(__name__, logging.WARNING)
195
    global kloger
196
    kloger = logger.get_logger(__name__)
197

    
198

    
199
def _check_config_version(cnf):
200
    guess = cnf.guess_version()
201
    if exists(cnf.path) and guess < 0.9:
202
        print('Config file format version >= 9.0 is required')
203
        print('Configuration file: %s' % cnf.path)
204
        print('Attempting to fix this:')
205
        print('Calculating changes while preserving information')
206
        lost_terms = cnf.rescue_old_file()
207
        print('... DONE')
208
        if lost_terms:
209
            print 'The following information will NOT be preserved:'
210
            print '\t', '\n\t'.join(lost_terms)
211
        print('Kamaki is ready to convert the config file')
212
        stdout.write('Create (overwrite) file %s ? [y/N] ' % cnf.path)
213
        from sys import stdin
214
        reply = stdin.readline()
215
        if reply in ('Y\n', 'y\n'):
216
            cnf.write()
217
            print('... DONE')
218
        else:
219
            print('... ABORTING')
220
            raise CLIError(
221
                'Invalid format for config file %s' % cnf.path,
222
                importance=3, details=[
223
                    'Please, update config file',
224
                    'For automatic conversion, rerun and say Y'])
225

    
226

    
227
def _init_session(arguments, is_non_API=False):
228
    """
229
    :returns: (AuthCachedClient, str) authenticator and cloud name
230
    """
231
    global _help
232
    _help = arguments['help'].value
233
    global _debug
234
    _debug = arguments['debug'].value
235
    global _include
236
    _include = arguments['include'].value
237
    global _verbose
238
    _verbose = arguments['verbose'].value
239
    _cnf = arguments['config']
240

    
241
    if _help or is_non_API:
242
        return None, None
243

    
244
    _check_config_version(_cnf.value)
245

    
246
    global _colors
247
    _colors = _cnf.value.get_global('colors')
248
    if not (stdout.isatty() and _colors == 'on'):
249
        from kamaki.cli.utils import remove_colors
250
        remove_colors()
251
    _silent = arguments['silent'].value
252
    _setup_logging(_silent, _debug, _verbose, _include)
253

    
254
    cloud = arguments['cloud'].value or _cnf.value.get(
255
        'global', 'default_cloud')
256
    if not cloud:
257
        num_of_clouds = len(_cnf.value.keys('cloud'))
258
        if num_of_clouds == 1:
259
            cloud = _cnf.value.keys('cloud')[0]
260
        elif num_of_clouds > 1:
261
            raise CLIError(
262
                'Found %s clouds but none of them is set as default' % (
263
                    num_of_clouds),
264
                importance=2, details=[
265
                    'Please, choose one of the following cloud names:',
266
                    ', '.join(_cnf.value.keys('cloud')),
267
                    'To see all cloud settings:',
268
                    '  kamaki config get cloud.<cloud name>',
269
                    'To set a default cloud:',
270
                    '  kamaki config set default_cloud <cloud name>',
271
                    'To pick a cloud for the current session, use --cloud:',
272
                    '  kamaki --cloud=<cloud name> ...'])
273
    if not cloud in _cnf.value.keys('cloud'):
274
        raise CLIError(
275
            'No cloud%s is configured' % ((' "%s"' % cloud) if cloud else ''),
276
            importance=3, details=[
277
                'To configure a new cloud "%s", find and set the' % (
278
                    cloud or '<cloud name>'),
279
                'single authentication URL and token:',
280
                '  kamaki config set cloud.%s.url <URL>' % (
281
                    cloud or '<cloud name>'),
282
                '  kamaki config set cloud.%s.token <t0k3n>' % (
283
                    cloud or '<cloud name>')])
284
    auth_args = dict()
285
    for term in ('url', 'token'):
286
        try:
287
            auth_args[term] = _cnf.get_cloud(cloud, term)
288
        except KeyError:
289
            auth_args[term] = ''
290
        if not auth_args[term]:
291
            raise CLIError(
292
                'No authentication %s provided for cloud "%s"' % (
293
                    term.upper(), cloud),
294
                importance=3, details=[
295
                    'Set a %s for cloud %s:' % (term.upper(), cloud),
296
                    '  kamaki config set cloud.%s.%s <%s>' % (
297
                        cloud, term, term.upper())])
298

    
299
    from kamaki.clients.astakos import AstakosClient as AuthCachedClient
300
    try:
301
        return AuthCachedClient(auth_args['url'], auth_args['token']), cloud
302
    except AssertionError as ae:
303
        kloger.warning('WARNING: Failed to load authenticator [%s]' % ae)
304
        return None, cloud
305

    
306

    
307
def _load_spec_module(spec, arguments, module):
308
    if not spec:
309
        return None
310
    pkg = None
311
    for location in cmd_spec_locations:
312
        location += spec if location == '' else '.%s' % spec
313
        try:
314
            pkg = __import__(location, fromlist=[module])
315
            return pkg
316
        except ImportError as ie:
317
            continue
318
    if not pkg:
319
        kloger.debug('Loading cmd grp %s failed: %s' % (spec, ie))
320
    return pkg
321

    
322

    
323
def _groups_help(arguments):
324
    global _debug
325
    global kloger
326
    descriptions = {}
327
    for cmd_group, spec in arguments['config'].get_cli_specs():
328
        pkg = _load_spec_module(spec, arguments, '_commands')
329
        if pkg:
330
            cmds = getattr(pkg, '_commands')
331
            try:
332
                for cmd in cmds:
333
                    descriptions[cmd.name] = cmd.description
334
            except TypeError:
335
                if _debug:
336
                    kloger.warning(
337
                        'No cmd description for module %s' % cmd_group)
338
        elif _debug:
339
            kloger.warning('Loading of %s cmd spec failed' % cmd_group)
340
    print('\nOptions:\n - - - -')
341
    print_dict(descriptions)
342

    
343

    
344
def _load_all_commands(cmd_tree, arguments):
345
    _cnf = arguments['config']
346
    for cmd_group, spec in _cnf.get_cli_specs():
347
        try:
348
            spec_module = _load_spec_module(spec, arguments, '_commands')
349
            spec_commands = getattr(spec_module, '_commands')
350
        except AttributeError:
351
            if _debug:
352
                global kloger
353
                kloger.warning('No valid description for %s' % cmd_group)
354
            continue
355
        for spec_tree in spec_commands:
356
            if spec_tree.name == cmd_group:
357
                cmd_tree.add_tree(spec_tree)
358
                break
359

    
360

    
361
#  Methods to be used by CLI implementations
362

    
363

    
364
def print_subcommands_help(cmd):
365
    printout = {}
366
    for subcmd in cmd.get_subcommands():
367
        spec, sep, print_path = subcmd.path.partition('_')
368
        printout[print_path.replace('_', ' ')] = subcmd.description
369
    if printout:
370
        print('\nOptions:\n - - - -')
371
        print_dict(printout)
372

    
373

    
374
def update_parser_help(parser, cmd):
375
    global _best_match
376
    parser.syntax = parser.syntax.split('<')[0]
377
    parser.syntax += ' '.join(_best_match)
378

    
379
    description = ''
380
    if cmd.is_command:
381
        cls = cmd.get_class()
382
        parser.syntax += ' ' + cls.syntax
383
        parser.update_arguments(cls().arguments)
384
        description = getattr(cls, 'long_description', '')
385
        description = description.strip()
386
    else:
387
        parser.syntax += ' <...>'
388
    if cmd.has_description:
389
        parser.parser.description = cmd.help + (
390
            ('\n%s' % description) if description else '')
391
    else:
392
        parser.parser.description = description
393

    
394

    
395
def print_error_message(cli_err):
396
    errmsg = '%s' % cli_err
397
    if cli_err.importance == 1:
398
        errmsg = magenta(errmsg)
399
    elif cli_err.importance == 2:
400
        errmsg = yellow(errmsg)
401
    elif cli_err.importance > 2:
402
        errmsg = red(errmsg)
403
    stdout.write(errmsg)
404
    for errmsg in cli_err.details:
405
        print('|  %s' % errmsg)
406

    
407

    
408
def exec_cmd(instance, cmd_args, help_method):
409
    try:
410
        return instance.main(*cmd_args)
411
    except TypeError as err:
412
        if err.args and err.args[0].startswith('main()'):
413
            print(magenta('Syntax error'))
414
            if _debug:
415
                raise err
416
            if _verbose:
417
                print(unicode(err))
418
            help_method()
419
        else:
420
            raise
421
    return 1
422

    
423

    
424
def get_command_group(unparsed, arguments):
425
    groups = arguments['config'].get_groups()
426
    for term in unparsed:
427
        if term.startswith('-'):
428
            continue
429
        if term in groups:
430
            unparsed.remove(term)
431
            return term
432
        return None
433
    return None
434

    
435

    
436
def set_command_params(parameters):
437
    """Add a parameters list to a command
438

439
    :param paramters: (list of str) a list of parameters
440
    """
441
    global command
442
    def_params = list(command.func_defaults)
443
    def_params[0] = parameters
444
    command.func_defaults = tuple(def_params)
445

    
446

    
447
#  CLI Choice:
448

    
449
def run_one_cmd(exe_string, parser, auth_base, cloud):
450
    global _history
451
    _history = History(
452
        parser.arguments['config'].get_global('history_file'))
453
    _history.add(' '.join([exe_string] + argv[1:]))
454
    from kamaki.cli import one_command
455
    one_command.run(auth_base, cloud, parser, _help)
456

    
457

    
458
def run_shell(exe_string, parser, auth_base, cloud):
459
    from command_shell import _init_shell
460
    shell = _init_shell(exe_string, parser)
461
    _load_all_commands(shell.cmd_tree, parser.arguments)
462
    shell.run(auth_base, cloud, parser)
463

    
464

    
465
def is_non_API(parser):
466
    nonAPIs = ('history', 'config')
467
    for term in parser.unparsed:
468
        if not term.startswith('-'):
469
            if term in nonAPIs:
470
                return True
471
            return False
472
    return False
473

    
474

    
475
def main():
476
    try:
477
        exe = basename(argv[0])
478
        parser = ArgumentParseManager(exe)
479

    
480
        if parser.arguments['version'].value:
481
            exit(0)
482

    
483
        log_file = parser.arguments['config'].get_global('log_file')
484
        if log_file:
485
            logger.set_log_filename(log_file)
486
        global filelog
487
        filelog = logger.add_file_logger(__name__.split('.')[0])
488
        filelog.info('* Initial Call *\n%s\n- - -' % ' '.join(argv))
489

    
490
        auth_base, cloud = _init_session(parser.arguments, is_non_API(parser))
491

    
492
        from kamaki.cli.utils import suggest_missing
493
        global _colors
494
        exclude = ['ansicolors'] if not _colors == 'on' else []
495
        suggest_missing(exclude=exclude)
496

    
497
        if parser.unparsed:
498
            run_one_cmd(exe, parser, auth_base, cloud)
499
        elif _help:
500
            parser.parser.print_help()
501
            _groups_help(parser.arguments)
502
        else:
503
            run_shell(exe, parser, auth_base, cloud)
504
    except CLIError as err:
505
        print_error_message(err)
506
        if _debug:
507
            raise err
508
        exit(1)
509
    except Exception as er:
510
        print('Unknown Error: %s' % er)
511
        if _debug:
512
            raise
513
        exit(1)