Statistics
| Branch: | Tag: | Revision:

root / lib / cli.py @ b33e986b

History | View | Annotate | Download (18.4 kB)

1
#
2
#
3

    
4
# Copyright (C) 2006, 2007 Google Inc.
5
#
6
# This program is free software; you can redistribute it and/or modify
7
# it under the terms of the GNU General Public License as published by
8
# the Free Software Foundation; either version 2 of the License, or
9
# (at your option) any later version.
10
#
11
# This program is distributed in the hope that it will be useful, but
12
# WITHOUT ANY WARRANTY; without even the implied warranty of
13
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the GNU
14
# General Public License for more details.
15
#
16
# You should have received a copy of the GNU General Public License
17
# along with this program; if not, write to the Free Software
18
# Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA
19
# 02110-1301, USA.
20

    
21

    
22
"""Module dealing with command line parsing"""
23

    
24

    
25
import sys
26
import textwrap
27
import os.path
28
import copy
29
import time
30
from cStringIO import StringIO
31

    
32
from ganeti import utils
33
from ganeti import logger
34
from ganeti import errors
35
from ganeti import constants
36
from ganeti import opcodes
37
from ganeti import luxi
38
from ganeti import ssconf
39

    
40
from optparse import (OptionParser, make_option, TitledHelpFormatter,
41
                      Option, OptionValueError)
42

    
43
__all__ = ["DEBUG_OPT", "NOHDR_OPT", "SEP_OPT", "GenericMain",
44
           "SubmitOpCode", "GetClient",
45
           "cli_option", "GenerateTable", "AskUser",
46
           "ARGS_NONE", "ARGS_FIXED", "ARGS_ATLEAST", "ARGS_ANY", "ARGS_ONE",
47
           "USEUNITS_OPT", "FIELDS_OPT", "FORCE_OPT",
48
           "ListTags", "AddTags", "RemoveTags", "TAG_SRC_OPT",
49
           "FormatError", "SplitNodeOption"
50
           ]
51

    
52

    
53
def _ExtractTagsObject(opts, args):
54
  """Extract the tag type object.
55

56
  Note that this function will modify its args parameter.
57

58
  """
59
  if not hasattr(opts, "tag_type"):
60
    raise errors.ProgrammerError("tag_type not passed to _ExtractTagsObject")
61
  kind = opts.tag_type
62
  if kind == constants.TAG_CLUSTER:
63
    retval = kind, kind
64
  elif kind == constants.TAG_NODE or kind == constants.TAG_INSTANCE:
65
    if not args:
66
      raise errors.OpPrereqError("no arguments passed to the command")
67
    name = args.pop(0)
68
    retval = kind, name
69
  else:
70
    raise errors.ProgrammerError("Unhandled tag type '%s'" % kind)
71
  return retval
72

    
73

    
74
def _ExtendTags(opts, args):
75
  """Extend the args if a source file has been given.
76

77
  This function will extend the tags with the contents of the file
78
  passed in the 'tags_source' attribute of the opts parameter. A file
79
  named '-' will be replaced by stdin.
80

81
  """
82
  fname = opts.tags_source
83
  if fname is None:
84
    return
85
  if fname == "-":
86
    new_fh = sys.stdin
87
  else:
88
    new_fh = open(fname, "r")
89
  new_data = []
90
  try:
91
    # we don't use the nice 'new_data = [line.strip() for line in fh]'
92
    # because of python bug 1633941
93
    while True:
94
      line = new_fh.readline()
95
      if not line:
96
        break
97
      new_data.append(line.strip())
98
  finally:
99
    new_fh.close()
100
  args.extend(new_data)
101

    
102

    
103
def ListTags(opts, args):
104
  """List the tags on a given object.
105

106
  This is a generic implementation that knows how to deal with all
107
  three cases of tag objects (cluster, node, instance). The opts
108
  argument is expected to contain a tag_type field denoting what
109
  object type we work on.
110

111
  """
112
  kind, name = _ExtractTagsObject(opts, args)
113
  op = opcodes.OpGetTags(kind=kind, name=name)
114
  result = SubmitOpCode(op)
115
  result = list(result)
116
  result.sort()
117
  for tag in result:
118
    print tag
119

    
120

    
121
def AddTags(opts, args):
122
  """Add tags on a given object.
123

124
  This is a generic implementation that knows how to deal with all
125
  three cases of tag objects (cluster, node, instance). The opts
126
  argument is expected to contain a tag_type field denoting what
127
  object type we work on.
128

129
  """
130
  kind, name = _ExtractTagsObject(opts, args)
131
  _ExtendTags(opts, args)
132
  if not args:
133
    raise errors.OpPrereqError("No tags to be added")
134
  op = opcodes.OpAddTags(kind=kind, name=name, tags=args)
135
  SubmitOpCode(op)
136

    
137

    
138
def RemoveTags(opts, args):
139
  """Remove tags from a given object.
140

141
  This is a generic implementation that knows how to deal with all
142
  three cases of tag objects (cluster, node, instance). The opts
143
  argument is expected to contain a tag_type field denoting what
144
  object type we work on.
145

146
  """
147
  kind, name = _ExtractTagsObject(opts, args)
148
  _ExtendTags(opts, args)
149
  if not args:
150
    raise errors.OpPrereqError("No tags to be removed")
151
  op = opcodes.OpDelTags(kind=kind, name=name, tags=args)
152
  SubmitOpCode(op)
153

    
154

    
155
DEBUG_OPT = make_option("-d", "--debug", default=False,
156
                        action="store_true",
157
                        help="Turn debugging on")
158

    
159
NOHDR_OPT = make_option("--no-headers", default=False,
160
                        action="store_true", dest="no_headers",
161
                        help="Don't display column headers")
162

    
163
SEP_OPT = make_option("--separator", default=None,
164
                      action="store", dest="separator",
165
                      help="Separator between output fields"
166
                      " (defaults to one space)")
167

    
168
USEUNITS_OPT = make_option("--human-readable", default=False,
169
                           action="store_true", dest="human_readable",
170
                           help="Print sizes in human readable format")
171

    
172
FIELDS_OPT = make_option("-o", "--output", dest="output", action="store",
173
                         type="string", help="Comma separated list of"
174
                         " output fields",
175
                         metavar="FIELDS")
176

    
177
FORCE_OPT = make_option("-f", "--force", dest="force", action="store_true",
178
                        default=False, help="Force the operation")
179

    
180
TAG_SRC_OPT = make_option("--from", dest="tags_source",
181
                          default=None, help="File with tag names")
182

    
183

    
184
def ARGS_FIXED(val):
185
  """Macro-like function denoting a fixed number of arguments"""
186
  return -val
187

    
188

    
189
def ARGS_ATLEAST(val):
190
  """Macro-like function denoting a minimum number of arguments"""
191
  return val
192

    
193

    
194
ARGS_NONE = None
195
ARGS_ONE = ARGS_FIXED(1)
196
ARGS_ANY = ARGS_ATLEAST(0)
197

    
198

    
199
def check_unit(option, opt, value):
200
  """OptParsers custom converter for units.
201

202
  """
203
  try:
204
    return utils.ParseUnit(value)
205
  except errors.UnitParseError, err:
206
    raise OptionValueError("option %s: %s" % (opt, err))
207

    
208

    
209
class CliOption(Option):
210
  """Custom option class for optparse.
211

212
  """
213
  TYPES = Option.TYPES + ("unit",)
214
  TYPE_CHECKER = copy.copy(Option.TYPE_CHECKER)
215
  TYPE_CHECKER["unit"] = check_unit
216

    
217

    
218
# optparse.py sets make_option, so we do it for our own option class, too
219
cli_option = CliOption
220

    
221

    
222
def _ParseArgs(argv, commands, aliases):
223
  """Parses the command line and return the function which must be
224
  executed together with its arguments
225

226
  Arguments:
227
    argv: the command line
228

229
    commands: dictionary with special contents, see the design doc for
230
    cmdline handling
231
    aliases: dictionary with command aliases {'alias': 'target, ...}
232

233
  """
234
  if len(argv) == 0:
235
    binary = "<command>"
236
  else:
237
    binary = argv[0].split("/")[-1]
238

    
239
  if len(argv) > 1 and argv[1] == "--version":
240
    print "%s (ganeti) %s" % (binary, constants.RELEASE_VERSION)
241
    # Quit right away. That way we don't have to care about this special
242
    # argument. optparse.py does it the same.
243
    sys.exit(0)
244

    
245
  if len(argv) < 2 or not (argv[1] in commands or
246
                           argv[1] in aliases):
247
    # let's do a nice thing
248
    sortedcmds = commands.keys()
249
    sortedcmds.sort()
250
    print ("Usage: %(bin)s {command} [options...] [argument...]"
251
           "\n%(bin)s <command> --help to see details, or"
252
           " man %(bin)s\n" % {"bin": binary})
253
    # compute the max line length for cmd + usage
254
    mlen = max([len(" %s" % cmd) for cmd in commands])
255
    mlen = min(60, mlen) # should not get here...
256
    # and format a nice command list
257
    print "Commands:"
258
    for cmd in sortedcmds:
259
      cmdstr = " %s" % (cmd,)
260
      help_text = commands[cmd][4]
261
      help_lines = textwrap.wrap(help_text, 79-3-mlen)
262
      print "%-*s - %s" % (mlen, cmdstr, help_lines.pop(0))
263
      for line in help_lines:
264
        print "%-*s   %s" % (mlen, "", line)
265
    print
266
    return None, None, None
267

    
268
  # get command, unalias it, and look it up in commands
269
  cmd = argv.pop(1)
270
  if cmd in aliases:
271
    if cmd in commands:
272
      raise errors.ProgrammerError("Alias '%s' overrides an existing"
273
                                   " command" % cmd)
274

    
275
    if aliases[cmd] not in commands:
276
      raise errors.ProgrammerError("Alias '%s' maps to non-existing"
277
                                   " command '%s'" % (cmd, aliases[cmd]))
278

    
279
    cmd = aliases[cmd]
280

    
281
  func, nargs, parser_opts, usage, description = commands[cmd]
282
  parser = OptionParser(option_list=parser_opts,
283
                        description=description,
284
                        formatter=TitledHelpFormatter(),
285
                        usage="%%prog %s %s" % (cmd, usage))
286
  parser.disable_interspersed_args()
287
  options, args = parser.parse_args()
288
  if nargs is None:
289
    if len(args) != 0:
290
      print >> sys.stderr, ("Error: Command %s expects no arguments" % cmd)
291
      return None, None, None
292
  elif nargs < 0 and len(args) != -nargs:
293
    print >> sys.stderr, ("Error: Command %s expects %d argument(s)" %
294
                         (cmd, -nargs))
295
    return None, None, None
296
  elif nargs >= 0 and len(args) < nargs:
297
    print >> sys.stderr, ("Error: Command %s expects at least %d argument(s)" %
298
                         (cmd, nargs))
299
    return None, None, None
300

    
301
  return func, options, args
302

    
303

    
304
def SplitNodeOption(value):
305
  """Splits the value of a --node option.
306

307
  """
308
  if value and ':' in value:
309
    return value.split(':', 1)
310
  else:
311
    return (value, None)
312

    
313

    
314
def AskUser(text, choices=None):
315
  """Ask the user a question.
316

317
  Args:
318
    text - the question to ask.
319

320
    choices - list with elements tuples (input_char, return_value,
321
    description); if not given, it will default to: [('y', True,
322
    'Perform the operation'), ('n', False, 'Do no do the operation')];
323
    note that the '?' char is reserved for help
324

325
  Returns: one of the return values from the choices list; if input is
326
  not possible (i.e. not running with a tty, we return the last entry
327
  from the list
328

329
  """
330
  if choices is None:
331
    choices = [('y', True, 'Perform the operation'),
332
               ('n', False, 'Do not perform the operation')]
333
  if not choices or not isinstance(choices, list):
334
    raise errors.ProgrammerError("Invalid choiches argument to AskUser")
335
  for entry in choices:
336
    if not isinstance(entry, tuple) or len(entry) < 3 or entry[0] == '?':
337
      raise errors.ProgrammerError("Invalid choiches element to AskUser")
338

    
339
  answer = choices[-1][1]
340
  new_text = []
341
  for line in text.splitlines():
342
    new_text.append(textwrap.fill(line, 70, replace_whitespace=False))
343
  text = "\n".join(new_text)
344
  try:
345
    f = file("/dev/tty", "a+")
346
  except IOError:
347
    return answer
348
  try:
349
    chars = [entry[0] for entry in choices]
350
    chars[-1] = "[%s]" % chars[-1]
351
    chars.append('?')
352
    maps = dict([(entry[0], entry[1]) for entry in choices])
353
    while True:
354
      f.write(text)
355
      f.write('\n')
356
      f.write("/".join(chars))
357
      f.write(": ")
358
      line = f.readline(2).strip().lower()
359
      if line in maps:
360
        answer = maps[line]
361
        break
362
      elif line == '?':
363
        for entry in choices:
364
          f.write(" %s - %s\n" % (entry[0], entry[2]))
365
        f.write("\n")
366
        continue
367
  finally:
368
    f.close()
369
  return answer
370

    
371

    
372
def SubmitOpCode(op, cl=None, feedback_fn=None):
373
  """Legacy function to submit an opcode.
374

375
  This is just a simple wrapper over the construction of the processor
376
  instance. It should be extended to better handle feedback and
377
  interaction functions.
378

379
  """
380
  if cl is None:
381
    cl = GetClient()
382

    
383
  job_id = cl.SubmitJob([op])
384

    
385
  lastmsg = None
386
  while True:
387
    jobs = cl.QueryJobs([job_id], ["status", "ticker"])
388
    if not jobs:
389
      # job not found, go away!
390
      raise errors.JobLost("Job with id %s lost" % job_id)
391

    
392
    # TODO: Handle canceled and archived jobs
393
    status = jobs[0][0]
394
    if status in (constants.JOB_STATUS_SUCCESS, constants.JOB_STATUS_ERROR):
395
      break
396
    msg = jobs[0][1]
397
    if msg is not None and msg != lastmsg:
398
      if callable(feedback_fn):
399
        feedback_fn(msg)
400
      else:
401
        print "%s %s" % (time.ctime(msg[0]), msg[2])
402
    lastmsg = msg
403
    time.sleep(1)
404

    
405
  jobs = cl.QueryJobs([job_id], ["status", "opresult"])
406
  if not jobs:
407
    raise errors.JobLost("Job with id %s lost" % job_id)
408

    
409
  status, result = jobs[0]
410
  if status == constants.JOB_STATUS_SUCCESS:
411
    return result[0]
412
  else:
413
    raise errors.OpExecError(result)
414

    
415

    
416
def GetClient():
417
  # TODO: Cache object?
418
  try:
419
    client = luxi.Client()
420
  except luxi.NoMasterError:
421
    master, myself = ssconf.GetMasterAndMyself()
422
    if master != myself:
423
      raise errors.OpPrereqError("This is not the master node, please connect"
424
                                 " to node '%s' and rerun the command" %
425
                                 master)
426
    else:
427
      raise
428
  return client
429

    
430

    
431
def FormatError(err):
432
  """Return a formatted error message for a given error.
433

434
  This function takes an exception instance and returns a tuple
435
  consisting of two values: first, the recommended exit code, and
436
  second, a string describing the error message (not
437
  newline-terminated).
438

439
  """
440
  retcode = 1
441
  obuf = StringIO()
442
  msg = str(err)
443
  if isinstance(err, errors.ConfigurationError):
444
    txt = "Corrupt configuration file: %s" % msg
445
    logger.Error(txt)
446
    obuf.write(txt + "\n")
447
    obuf.write("Aborting.")
448
    retcode = 2
449
  elif isinstance(err, errors.HooksAbort):
450
    obuf.write("Failure: hooks execution failed:\n")
451
    for node, script, out in err.args[0]:
452
      if out:
453
        obuf.write("  node: %s, script: %s, output: %s\n" %
454
                   (node, script, out))
455
      else:
456
        obuf.write("  node: %s, script: %s (no output)\n" %
457
                   (node, script))
458
  elif isinstance(err, errors.HooksFailure):
459
    obuf.write("Failure: hooks general failure: %s" % msg)
460
  elif isinstance(err, errors.ResolverError):
461
    this_host = utils.HostInfo.SysName()
462
    if err.args[0] == this_host:
463
      msg = "Failure: can't resolve my own hostname ('%s')"
464
    else:
465
      msg = "Failure: can't resolve hostname '%s'"
466
    obuf.write(msg % err.args[0])
467
  elif isinstance(err, errors.OpPrereqError):
468
    obuf.write("Failure: prerequisites not met for this"
469
               " operation:\n%s" % msg)
470
  elif isinstance(err, errors.OpExecError):
471
    obuf.write("Failure: command execution error:\n%s" % msg)
472
  elif isinstance(err, errors.TagError):
473
    obuf.write("Failure: invalid tag(s) given:\n%s" % msg)
474
  elif isinstance(err, errors.GenericError):
475
    obuf.write("Unhandled Ganeti error: %s" % msg)
476
  elif isinstance(err, luxi.NoMasterError):
477
    obuf.write("Cannot communicate with the master daemon.\nIs it running"
478
               " and listening on '%s'?" % err.args[0])
479
  elif isinstance(err, luxi.TimeoutError):
480
    obuf.write("Timeout while talking to the master daemon. Error:\n"
481
               "%s" % msg)
482
  elif isinstance(err, luxi.ProtocolError):
483
    obuf.write("Unhandled protocol error while talking to the master daemon:\n"
484
               "%s" % msg)
485
  else:
486
    obuf.write("Unhandled exception: %s" % msg)
487
  return retcode, obuf.getvalue().rstrip('\n')
488

    
489

    
490
def GenericMain(commands, override=None, aliases=None):
491
  """Generic main function for all the gnt-* commands.
492

493
  Arguments:
494
    - commands: a dictionary with a special structure, see the design doc
495
                for command line handling.
496
    - override: if not None, we expect a dictionary with keys that will
497
                override command line options; this can be used to pass
498
                options from the scripts to generic functions
499
    - aliases: dictionary with command aliases {'alias': 'target, ...}
500

501
  """
502
  # save the program name and the entire command line for later logging
503
  if sys.argv:
504
    binary = os.path.basename(sys.argv[0]) or sys.argv[0]
505
    if len(sys.argv) >= 2:
506
      binary += " " + sys.argv[1]
507
      old_cmdline = " ".join(sys.argv[2:])
508
    else:
509
      old_cmdline = ""
510
  else:
511
    binary = "<unknown program>"
512
    old_cmdline = ""
513

    
514
  if aliases is None:
515
    aliases = {}
516

    
517
  func, options, args = _ParseArgs(sys.argv, commands, aliases)
518
  if func is None: # parse error
519
    return 1
520

    
521
  if override is not None:
522
    for key, val in override.iteritems():
523
      setattr(options, key, val)
524

    
525
  logger.SetupLogging(constants.LOG_COMMANDS, debug=options.debug,
526
                      stderr_logging=True, program=binary)
527

    
528
  utils.debug = options.debug
529

    
530
  if old_cmdline:
531
    logger.Info("run with arguments '%s'" % old_cmdline)
532
  else:
533
    logger.Info("run with no arguments")
534

    
535
  try:
536
    result = func(options, args)
537
  except (errors.GenericError, luxi.ProtocolError), err:
538
    result, err_msg = FormatError(err)
539
    logger.ToStderr(err_msg)
540

    
541
  return result
542

    
543

    
544
def GenerateTable(headers, fields, separator, data,
545
                  numfields=None, unitfields=None):
546
  """Prints a table with headers and different fields.
547

548
  Args:
549
    headers: Dict of header titles or None if no headers should be shown
550
    fields: List of fields to show
551
    separator: String used to separate fields or None for spaces
552
    data: Data to be printed
553
    numfields: List of fields to be aligned to right
554
    unitfields: List of fields to be formatted as units
555

556
  """
557
  if numfields is None:
558
    numfields = []
559
  if unitfields is None:
560
    unitfields = []
561

    
562
  format_fields = []
563
  for field in fields:
564
    if headers and field not in headers:
565
      raise errors.ProgrammerError("Missing header description for field '%s'"
566
                                   % field)
567
    if separator is not None:
568
      format_fields.append("%s")
569
    elif field in numfields:
570
      format_fields.append("%*s")
571
    else:
572
      format_fields.append("%-*s")
573

    
574
  if separator is None:
575
    mlens = [0 for name in fields]
576
    format = ' '.join(format_fields)
577
  else:
578
    format = separator.replace("%", "%%").join(format_fields)
579

    
580
  for row in data:
581
    for idx, val in enumerate(row):
582
      if fields[idx] in unitfields:
583
        try:
584
          val = int(val)
585
        except ValueError:
586
          pass
587
        else:
588
          val = row[idx] = utils.FormatUnit(val)
589
      val = row[idx] = str(val)
590
      if separator is None:
591
        mlens[idx] = max(mlens[idx], len(val))
592

    
593
  result = []
594
  if headers:
595
    args = []
596
    for idx, name in enumerate(fields):
597
      hdr = headers[name]
598
      if separator is None:
599
        mlens[idx] = max(mlens[idx], len(hdr))
600
        args.append(mlens[idx])
601
      args.append(hdr)
602
    result.append(format % tuple(args))
603

    
604
  for line in data:
605
    args = []
606
    for idx in xrange(len(fields)):
607
      if separator is None:
608
        args.append(mlens[idx])
609
      args.append(line[idx])
610
    result.append(format % tuple(args))
611

    
612
  return result