Statistics
| Branch: | Tag: | Revision:

root / kamaki / cli / command_shell.py @ 56d84a4e

History | View | Annotate | Download (12.6 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 cmd import Cmd
35
from os import popen
36
from sys import stdout, stderr
37

    
38
from kamaki.cli import exec_cmd, print_error_message, print_subcommands_help
39
from kamaki.cli.argument import ArgumentParseManager
40
from kamaki.cli.utils import print_dict, split_input
41
from kamaki.cli.history import History
42
from kamaki.cli.errors import CLIError
43
from kamaki.clients import ClientError
44
from kamaki.cli.logger import add_file_logger
45

    
46
log = add_file_logger(__name__)
47

    
48

    
49
def _init_shell(exe_string, parser, username='', userid=''):
50
    parser.arguments.pop('version', None)
51
    shell = Shell()
52
    shell.set_prompt(exe_string)
53
    from kamaki import __version__ as version
54
    shell.greet(version, username, userid)
55
    shell.do_EOF = shell.do_exit
56
    from kamaki.cli.command_tree import CommandTree
57
    shell.cmd_tree = CommandTree(
58
        'kamaki', 'A command line tool for poking clouds')
59
    return shell
60

    
61

    
62
class Shell(Cmd):
63
    """Kamaki interactive shell"""
64
    _prefix = '['
65
    _suffix = ']: '
66
    cmd_tree = None
67
    _history = None
68
    _context_stack = []
69
    _prompt_stack = []
70
    _parser = None
71
    auth_base = None
72
    cloud = None
73

    
74
    undoc_header = 'interactive shell commands:'
75

    
76
    def emptyline(self):
77
        self.lastcmd = ''
78

    
79
    def postcmd(self, post, line):
80
        if self._context_stack:
81
            self._roll_command()
82
            self._restore(self._context_stack.pop())
83
            self.set_prompt(
84
                self._prompt_stack.pop()[len(self._prefix):-len(self._suffix)])
85

    
86
        return Cmd.postcmd(self, post, line)
87

    
88
    def precmd(self, line):
89
        if line.startswith('/'):
90
            start, end = len(self._prefix), -len(self._suffix)
91
            cur_cmd_path = self.prompt.replace(' ', '_')[start:end]
92
            if cur_cmd_path != self.cmd_tree.name:
93
                cur_cmd = self.cmd_tree.get_command(cur_cmd_path)
94
                self._context_stack.append(self._backup())
95
                self._prompt_stack.append(self.prompt)
96
                new_context = self
97
                self._roll_command(cur_cmd.path)
98
                new_context.set_prompt(self.cmd_tree.name)
99
                for grp_cmd in self.cmd_tree.get_subcommands():
100
                    self._register_command(grp_cmd.path)
101
            return line[1:]
102
        return line
103

    
104
    def greet(self, version, username='', userid=''):
105
        print('kamaki v%s - Interactive Shell\n' % version)
106
        print('\t/exit     \tterminate kamaki')
107
        print('\texit or ^D\texit context')
108
        print('\t? or help \tavailable commands')
109
        print('\t?command  \thelp on command')
110
        print('\t!<command>\texecute OS shell command')
111
        print('')
112
        if username or userid:
113
            print('Session user is %s (uuid: %s)' % (username, userid))
114

    
115
    def set_prompt(self, new_prompt):
116
        self.prompt = '%s%s%s' % (self._prefix, new_prompt, self._suffix)
117

    
118
    def cmdloop(self):
119
        while True:
120
            try:
121
                Cmd.cmdloop(self)
122
            except KeyboardInterrupt:
123
                print(' - interrupted')
124
                continue
125
            break
126

    
127
    def do_exit(self, line):
128
        print('')
129
        start, end = len(self._prefix), -len(self._suffix)
130
        if self.prompt[start:end] == self.cmd_tree.name:
131
            exit(0)
132
        return True
133

    
134
    def do_shell(self, line):
135
        output = popen(line).read()
136
        print(output)
137

    
138
    @property
139
    def path(self):
140
        if self._cmd:
141
            return self._cmd.path
142
        return ''
143

    
144
    @classmethod
145
    def _register_method(self, method, name):
146
        self.__dict__[name] = method
147

    
148
    @classmethod
149
    def _unregister_method(self, name):
150
        try:
151
            self.__dict__.pop(name)
152
        except KeyError:
153
            pass
154

    
155
    def _roll_command(self, cmd_path=None):
156
        for subname in self.cmd_tree.subnames(cmd_path):
157
            self._unregister_method('do_%s' % subname)
158
            self._unregister_method('complete_%s' % subname)
159
            self._unregister_method('help_%s' % subname)
160

    
161
    @classmethod
162
    def _backup(self):
163
        return dict(self.__dict__)
164

    
165
    @classmethod
166
    def _restore(self, oldcontext):
167
        self.__dict__ = oldcontext
168

    
169
    @staticmethod
170
    def _create_help_method(cmd_name, args, required, descr, syntax):
171
        tmp_args = dict(args)
172
        #tmp_args.pop('options', None)
173
        tmp_args.pop('cloud', None)
174
        tmp_args.pop('debug', None)
175
        tmp_args.pop('verbose', None)
176
        tmp_args.pop('silent', None)
177
        tmp_args.pop('config', None)
178
        help_parser = ArgumentParseManager(cmd_name, tmp_args, required)
179
        help_parser.parser.description = descr
180
        help_parser.syntax = syntax
181
        #return help_parser.parser.print_help
182
        return help_parser.print_help
183

    
184
    def _register_command(self, cmd_path):
185
        cmd = self.cmd_tree.get_command(cmd_path)
186
        arguments = self._parser.arguments
187

    
188
        def do_method(new_context, line):
189
            """ Template for all cmd.Cmd methods of the form do_<cmd name>
190
                Parse cmd + args and decide to execute or change context
191
                <cmd> <term> <term> <args> is always parsed to most specific
192
                even if cmd_term_term is not a terminal path
193
            """
194
            subcmd, cmd_args = cmd.parse_out(split_input(line))
195
            self._history.add(' '.join([cmd.path.replace('_', ' '), line]))
196
            cmd_parser = ArgumentParseManager(
197
                cmd.name, dict(self._parser.arguments))
198
            cmd_parser.parser.description = subcmd.help
199

    
200
            # exec command or change context
201
            if subcmd.is_command:  # exec command
202
                try:
203
                    cls = subcmd.cmd_class
204
                    cmd_parser.required = getattr(cls, 'required', None)
205
                    ldescr = getattr(cls, 'long_description', '')
206
                    if subcmd.path == 'history_run':
207
                        instance = cls(
208
                            dict(cmd_parser.arguments), self.auth_base,
209
                            cmd_tree=self.cmd_tree)
210
                    else:
211
                        instance = cls(
212
                            dict(cmd_parser.arguments),
213
                            self.auth_base, self.cloud)
214
                    cmd_parser.update_arguments(instance.arguments)
215
                    cmd_parser.arguments = instance.arguments
216
                    cmd_parser.syntax = '%s %s' % (
217
                        subcmd.path.replace('_', ' '), cls.syntax)
218
                    help_method = self._create_help_method(
219
                        cmd.name, cmd_parser.arguments, cmd_parser.required,
220
                        subcmd.help, cmd_parser.syntax)
221
                    if '-h' in cmd_args or '--help' in cmd_args:
222
                        help_method()
223
                        if ldescr.strip():
224
                            print('\nDetails:')
225
                            print('%s' % ldescr)
226
                        return
227
                    cmd_parser.parse(cmd_args)
228

    
229
                    for name, arg in instance.arguments.items():
230
                        arg.value = getattr(
231
                            cmd_parser.parsed, name, arg.default)
232

    
233
                    exec_cmd(instance, cmd_parser.unparsed, help_method)
234
                        #[term for term in cmd_parser.unparsed\
235
                        #    if not term.startswith('-')],
236
                except (ClientError, CLIError) as err:
237
                    print_error_message(err)
238
            elif ('-h' in cmd_args or '--help' in cmd_args) or len(cmd_args):
239
                # print options
240
                print('%s' % cmd.help)
241
                print_subcommands_help(cmd)
242
            else:  # change context
243
                #new_context = this
244
                backup_context = self._backup()
245
                old_prompt = self.prompt
246
                new_context._roll_command(cmd.parent_path)
247
                new_context.set_prompt(subcmd.path.replace('_', ' '))
248
                newcmds = [subcmd for subcmd in subcmd.subcommands.values()]
249
                for subcmd in newcmds:
250
                    new_context._register_command(subcmd.path)
251
                new_context.cmdloop()
252
                self.prompt = old_prompt
253
                #when new context is over, roll back to the old one
254
                self._restore(backup_context)
255
        self._register_method(do_method, 'do_%s' % cmd.name)
256

    
257
        def help_method(self):
258
            print('%s (%s -h for more options)' % (cmd.help, cmd.name))
259
            if cmd.is_command:
260
                cls = cmd.cmd_class
261
                ldescr = getattr(cls, 'long_description', '')
262
                #_construct_command_syntax(cls)
263
                plist = self.prompt[len(self._prefix):-len(self._suffix)]
264
                plist = plist.split(' ')
265
                clist = cmd.path.split('_')
266
                upto = 0
267
                if ldescr:
268
                    print('%s' % ldescr)
269
                for i, term in enumerate(plist):
270
                    try:
271
                        if clist[i] == term:
272
                            upto += 1
273
                    except IndexError:
274
                        break
275
                print('Syntax: %s %s' % (' '.join(clist[upto:]), cls.syntax))
276
            if cmd.subcommands:
277
                print_subcommands_help(cmd)
278

    
279
        self._register_method(help_method, 'help_%s' % cmd.name)
280

    
281
        def complete_method(self, text, line, begidx, endidx):
282
            subcmd, cmd_args = cmd.parse_out(split_input(line)[1:])
283
            if subcmd.is_command:
284
                cls = subcmd.cmd_class
285
                instance = cls(dict(arguments))
286
                empty, sep, subname = subcmd.path.partition(cmd.path)
287
                cmd_name = '%s %s' % (cmd.name, subname.replace('_', ' '))
288
                print('\n%s\nSyntax:\t%s %s' % (
289
                    cls.help, cmd_name, cls.syntax))
290
                cmd_args = {}
291
                for arg in instance.arguments.values():
292
                    cmd_args[','.join(arg.parsed_name)] = arg.help
293
                print_dict(cmd_args, indent=2)
294
                stdout.write('%s %s' % (self.prompt, line))
295
            return subcmd.subnames()
296
        self._register_method(complete_method, 'complete_%s' % cmd.name)
297

    
298
    @property
299
    def doc_header(self):
300
        tmp_partition = self.prompt.partition(self._prefix)
301
        tmp_partition = tmp_partition[2].partition(self._suffix)
302
        hdr = tmp_partition[0].strip()
303
        return '%s commands:' % hdr
304

    
305
    def run(self, auth_base, cloud, parser, path=''):
306
        self.auth_base = auth_base
307
        self.cloud = cloud
308
        self._parser = parser
309
        self._history = History(
310
            parser.arguments['config'].get('global', 'history_file'))
311
        if path:
312
            cmd = self.cmd_tree.get_command(path)
313
            intro = cmd.path.replace('_', ' ')
314
        else:
315
            intro = self.cmd_tree.name
316

    
317
        acceptable = parser.arguments['config'].groups
318
        total = self.cmd_tree.groups.keys()
319
        self.cmd_tree.exclude(set(total).difference(acceptable))
320

    
321
        for subcmd in self.cmd_tree.get_subcommands(path):
322
            self._register_command(subcmd.path)
323

    
324
        self.set_prompt(intro)
325

    
326
        try:
327
            self.cmdloop()
328
        except Exception as e:
329
            print('(%s)' % e)
330
            from traceback import print_stack
331
            print_stack()