home *** CD-ROM | disk | FTP | other *** search
/ GameStar 2006 January / Gamestar_80_2006-01_dvd.iso / Dema / Civilization4 / data1.cab / Civ4DemoComponent / Assets / Python / System / cmd.pyc (.txt) < prev    next >
Encoding:
Python Compiled Bytecode  |  2005-11-09  |  13.5 KB  |  463 lines

  1. # Source Generated with Decompyle++
  2. # File: in.pyc (Python 2.4)
  3.  
  4. '''A generic class to build line-oriented command interpreters.
  5.  
  6. Interpreters constructed with this class obey the following conventions:
  7.  
  8. 1. End of file on input is processed as the command \'EOF\'.
  9. 2. A command is parsed out of each line by collecting the prefix composed
  10.    of characters in the identchars member.
  11. 3. A command `foo\' is dispatched to a method \'do_foo()\'; the do_ method
  12.    is passed a single argument consisting of the remainder of the line.
  13. 4. Typing an empty line repeats the last command.  (Actually, it calls the
  14.    method `emptyline\', which may be overridden in a subclass.)
  15. 5. There is a predefined `help\' method.  Given an argument `topic\', it
  16.    calls the command `help_topic\'.  With no arguments, it lists all topics
  17.    with defined help_ functions, broken into up to three topics; documented
  18.    commands, miscellaneous help topics, and undocumented commands.
  19. 6. The command \'?\' is a synonym for `help\'.  The command \'!\' is a synonym
  20.    for `shell\', if a do_shell method exists.
  21. 7. If completion is enabled, completing commands will be done automatically,
  22.    and completing of commands args is done by calling complete_foo() with
  23.    arguments text, line, begidx, endidx.  text is string we are matching
  24.    against, all returned matches must begin with it.  line is the current
  25.    input line (lstripped), begidx and endidx are the beginning and end
  26.    indexes of the text being matched, which could be used to provide
  27.    different completion depending upon which position the argument is in.
  28.  
  29. The `default\' method may be overridden to intercept commands for which there
  30. is no do_ method.
  31.  
  32. The `completedefault\' method may be overridden to intercept completions for
  33. commands that have no complete_ method.
  34.  
  35. The data member `self.ruler\' sets the character used to draw separator lines
  36. in the help messages.  If empty, no ruler line is drawn.  It defaults to "=".
  37.  
  38. If the value of `self.intro\' is nonempty when the cmdloop method is called,
  39. it is printed out on interpreter startup.  This value may be overridden
  40. via an optional argument to the cmdloop() method.
  41.  
  42. The data members `self.doc_header\', `self.misc_header\', and
  43. `self.undoc_header\' set the headers used for the help function\'s
  44. listings of documented functions, miscellaneous topics, and undocumented
  45. functions respectively.
  46.  
  47. These interpreters use raw_input; thus, if the readline module is loaded,
  48. they automatically support Emacs-like command history and editing features.
  49. '''
  50. import string
  51. __all__ = [
  52.     'Cmd']
  53. PROMPT = '(Cmd) '
  54. IDENTCHARS = string.ascii_letters + string.digits + '_'
  55.  
  56. class Cmd:
  57.     """A simple framework for writing line-oriented command interpreters.
  58.  
  59.     These are often useful for test harnesses, administrative tools, and
  60.     prototypes that will later be wrapped in a more sophisticated interface.
  61.  
  62.     A Cmd instance or subclass instance is a line-oriented interpreter
  63.     framework.  There is no good reason to instantiate Cmd itself; rather,
  64.     it's useful as a superclass of an interpreter class you define yourself
  65.     in order to inherit Cmd's methods and encapsulate action methods.
  66.  
  67.     """
  68.     prompt = PROMPT
  69.     identchars = IDENTCHARS
  70.     ruler = '='
  71.     lastcmd = ''
  72.     intro = None
  73.     doc_leader = ''
  74.     doc_header = 'Documented commands (type help <topic>):'
  75.     misc_header = 'Miscellaneous help topics:'
  76.     undoc_header = 'Undocumented commands:'
  77.     nohelp = '*** No help on %s'
  78.     use_rawinput = 1
  79.     
  80.     def __init__(self, completekey = 'tab', stdin = None, stdout = None):
  81.         """Instantiate a line-oriented interpreter framework.
  82.  
  83.         The optional argument 'completekey' is the readline name of a
  84.         completion key; it defaults to the Tab key. If completekey is
  85.         not None and the readline module is available, command completion
  86.         is done automatically. The optional arguments stdin and stdout
  87.         specify alternate input and output file objects; if not specified,
  88.         sys.stdin and sys.stdout are used.
  89.  
  90.         """
  91.         import sys
  92.         if stdin is not None:
  93.             self.stdin = stdin
  94.         else:
  95.             self.stdin = sys.stdin
  96.         if stdout is not None:
  97.             self.stdout = stdout
  98.         else:
  99.             self.stdout = sys.stdout
  100.         self.cmdqueue = []
  101.         self.completekey = completekey
  102.  
  103.     
  104.     def cmdloop(self, intro = None):
  105.         '''Repeatedly issue a prompt, accept input, parse an initial prefix
  106.         off the received input, and dispatch to action methods, passing them
  107.         the remainder of the line as argument.
  108.  
  109.         '''
  110.         self.preloop()
  111.         if self.use_rawinput and self.completekey:
  112.             
  113.             try:
  114.                 import readline
  115.                 self.old_completer = readline.get_completer()
  116.                 readline.set_completer(self.complete)
  117.                 readline.parse_and_bind(self.completekey + ': complete')
  118.             except ImportError:
  119.                 pass
  120.             except:
  121.                 None<EXCEPTION MATCH>ImportError
  122.             
  123.  
  124.         None<EXCEPTION MATCH>ImportError
  125.         
  126.         try:
  127.             if intro is not None:
  128.                 self.intro = intro
  129.             
  130.             if self.intro:
  131.                 self.stdout.write(str(self.intro) + '\n')
  132.             
  133.             stop = None
  134.             while not stop:
  135.                 if self.cmdqueue:
  136.                     line = self.cmdqueue.pop(0)
  137.                 elif self.use_rawinput:
  138.                     
  139.                     try:
  140.                         line = raw_input(self.prompt)
  141.                     except EOFError:
  142.                         line = 'EOF'
  143.                     except:
  144.                         None<EXCEPTION MATCH>EOFError
  145.                     
  146.  
  147.                 None<EXCEPTION MATCH>EOFError
  148.                 self.stdout.write(self.prompt)
  149.                 self.stdout.flush()
  150.                 line = self.stdin.readline()
  151.                 if not len(line):
  152.                     line = 'EOF'
  153.                 else:
  154.                     line = line[:-1]
  155.                 line = self.precmd(line)
  156.                 stop = self.onecmd(line)
  157.                 stop = self.postcmd(stop, line)
  158.             self.postloop()
  159.         finally:
  160.             if self.use_rawinput and self.completekey:
  161.                 
  162.                 try:
  163.                     import readline
  164.                     readline.set_completer(self.old_completer)
  165.                 except ImportError:
  166.                     pass
  167.                 except:
  168.                     None<EXCEPTION MATCH>ImportError
  169.                 
  170.  
  171.  
  172.  
  173.     
  174.     def precmd(self, line):
  175.         '''Hook method executed just before the command line is
  176.         interpreted, but after the input prompt is generated and issued.
  177.  
  178.         '''
  179.         return line
  180.  
  181.     
  182.     def postcmd(self, stop, line):
  183.         '''Hook method executed just after a command dispatch is finished.'''
  184.         return stop
  185.  
  186.     
  187.     def preloop(self):
  188.         '''Hook method executed once when the cmdloop() method is called.'''
  189.         pass
  190.  
  191.     
  192.     def postloop(self):
  193.         '''Hook method executed once when the cmdloop() method is about to
  194.         return.
  195.  
  196.         '''
  197.         pass
  198.  
  199.     
  200.     def parseline(self, line):
  201.         """Parse the line into a command name and a string containing
  202.         the arguments.  Returns a tuple containing (command, args, line).
  203.         'command' and 'args' may be None if the line couldn't be parsed.
  204.         """
  205.         line = line.strip()
  206.         if not line:
  207.             return (None, None, line)
  208.         elif line[0] == '?':
  209.             line = 'help ' + line[1:]
  210.         elif line[0] == '!':
  211.             if hasattr(self, 'do_shell'):
  212.                 line = 'shell ' + line[1:]
  213.             else:
  214.                 return (None, None, line)
  215.         
  216.         i = 0
  217.         n = len(line)
  218.         while i < n and line[i] in self.identchars:
  219.             i = i + 1
  220.         cmd = line[:i]
  221.         arg = line[i:].strip()
  222.         return (cmd, arg, line)
  223.  
  224.     
  225.     def onecmd(self, line):
  226.         '''Interpret the argument as though it had been typed in response
  227.         to the prompt.
  228.  
  229.         This may be overridden, but should not normally need to be;
  230.         see the precmd() and postcmd() methods for useful execution hooks.
  231.         The return value is a flag indicating whether interpretation of
  232.         commands by the interpreter should stop.
  233.  
  234.         '''
  235.         (cmd, arg, line) = self.parseline(line)
  236.         if not line:
  237.             return self.emptyline()
  238.         
  239.         if cmd is None:
  240.             return self.default(line)
  241.         
  242.         self.lastcmd = line
  243.         if cmd == '':
  244.             return self.default(line)
  245.         else:
  246.             
  247.             try:
  248.                 func = getattr(self, 'do_' + cmd)
  249.             except AttributeError:
  250.                 return self.default(line)
  251.  
  252.             return func(arg)
  253.  
  254.     
  255.     def emptyline(self):
  256.         '''Called when an empty line is entered in response to the prompt.
  257.  
  258.         If this method is not overridden, it repeats the last nonempty
  259.         command entered.
  260.  
  261.         '''
  262.         if self.lastcmd:
  263.             return self.onecmd(self.lastcmd)
  264.         
  265.  
  266.     
  267.     def default(self, line):
  268.         '''Called on an input line when the command prefix is not recognized.
  269.  
  270.         If this method is not overridden, it prints an error message and
  271.         returns.
  272.  
  273.         '''
  274.         self.stdout.write('*** Unknown syntax: %s\n' % line)
  275.  
  276.     
  277.     def completedefault(self, *ignored):
  278.         '''Method called to complete an input line when no command-specific
  279.         complete_*() method is available.
  280.  
  281.         By default, it returns an empty list.
  282.  
  283.         '''
  284.         return []
  285.  
  286.     
  287.     def completenames(self, text, *ignored):
  288.         dotext = 'do_' + text
  289.         return _[1]
  290.  
  291.     
  292.     def complete(self, text, state):
  293.         """Return the next possible completion for 'text'.
  294.  
  295.         If a command has not been entered, then complete against command list.
  296.         Otherwise try to call complete_<command> to get list of completions.
  297.         """
  298.         if state == 0:
  299.             import readline
  300.             origline = readline.get_line_buffer()
  301.             line = origline.lstrip()
  302.             stripped = len(origline) - len(line)
  303.             begidx = readline.get_begidx() - stripped
  304.             endidx = readline.get_endidx() - stripped
  305.             if begidx > 0:
  306.                 (cmd, args, foo) = self.parseline(line)
  307.             None if cmd == '' else None<EXCEPTION MATCH>AttributeError
  308.             compfunc = self.completenames
  309.             self.completion_matches = compfunc(text, line, begidx, endidx)
  310.         
  311.         
  312.         try:
  313.             return self.completion_matches[state]
  314.         except IndexError:
  315.             return None
  316.  
  317.  
  318.     
  319.     def get_names(self):
  320.         names = []
  321.         classes = [
  322.             self.__class__]
  323.         while classes:
  324.             aclass = classes.pop(0)
  325.             if aclass.__bases__:
  326.                 classes = classes + list(aclass.__bases__)
  327.             
  328.             names = names + dir(aclass)
  329.         return names
  330.  
  331.     
  332.     def complete_help(self, *args):
  333.         return self.completenames(*args)
  334.  
  335.     
  336.     def do_help(self, arg):
  337.         if arg:
  338.             
  339.             try:
  340.                 func = getattr(self, 'help_' + arg)
  341.             except AttributeError:
  342.                 
  343.                 try:
  344.                     doc = getattr(self, 'do_' + arg).__doc__
  345.                     if doc:
  346.                         self.stdout.write('%s\n' % str(doc))
  347.                         return None
  348.                 except AttributeError:
  349.                     pass
  350.  
  351.                 self.stdout.write('%s\n' % str(self.nohelp % (arg,)))
  352.                 return None
  353.  
  354.             func()
  355.         else:
  356.             names = self.get_names()
  357.             cmds_doc = []
  358.             cmds_undoc = []
  359.             help = { }
  360.             for name in names:
  361.                 if name[:5] == 'help_':
  362.                     help[name[5:]] = 1
  363.                     continue
  364.             
  365.             names.sort()
  366.             prevname = ''
  367.             for name in names:
  368.                 if name[:3] == 'do_':
  369.                     if name == prevname:
  370.                         continue
  371.                     
  372.                     prevname = name
  373.                     cmd = name[3:]
  374.                     if cmd in help:
  375.                         cmds_doc.append(cmd)
  376.                         del help[cmd]
  377.                     elif getattr(self, name).__doc__:
  378.                         cmds_doc.append(cmd)
  379.                     else:
  380.                         cmds_undoc.append(cmd)
  381.                 cmd in help
  382.             
  383.             self.stdout.write('%s\n' % str(self.doc_leader))
  384.             self.print_topics(self.doc_header, cmds_doc, 15, 80)
  385.             self.print_topics(self.misc_header, help.keys(), 15, 80)
  386.             self.print_topics(self.undoc_header, cmds_undoc, 15, 80)
  387.  
  388.     
  389.     def print_topics(self, header, cmds, cmdlen, maxcol):
  390.         if cmds:
  391.             self.stdout.write('%s\n' % str(header))
  392.             if self.ruler:
  393.                 self.stdout.write('%s\n' % str(self.ruler * len(header)))
  394.             
  395.             self.columnize(cmds, maxcol - 1)
  396.             self.stdout.write('\n')
  397.         
  398.  
  399.     
  400.     def columnize(self, list, displaywidth = 80):
  401.         '''Display a list of strings as a compact set of columns.
  402.  
  403.         Each column is only as wide as necessary.
  404.         Columns are separated by two spaces (one was not legible enough).
  405.         '''
  406.         if not list:
  407.             self.stdout.write('<empty>\n')
  408.             return None
  409.         
  410.         nonstrings = _[1]
  411.         size = len(list)
  412.         if size == 1:
  413.             self.stdout.write('%s\n' % str(list[0]))
  414.             return None
  415.         
  416.         for nrows in range(1, len(list)):
  417.             ncols = (size + nrows - 1) // nrows
  418.             colwidths = []
  419.             totwidth = -2
  420.             for col in range(ncols):
  421.                 colwidth = 0
  422.                 for row in range(nrows):
  423.                     i = row + nrows * col
  424.                     if i >= size:
  425.                         break
  426.                     
  427.                     x = list[i]
  428.                     colwidth = max(colwidth, len(x))
  429.                 
  430.                 colwidths.append(colwidth)
  431.                 totwidth += colwidth + 2
  432.                 if totwidth > displaywidth:
  433.                     break
  434.                     continue
  435.             
  436.             if totwidth <= displaywidth:
  437.                 break
  438.                 continue
  439.         else:
  440.             nrows = len(list)
  441.             ncols = 1
  442.             colwidths = [
  443.                 0]
  444.         for row in range(nrows):
  445.             texts = []
  446.             for col in range(ncols):
  447.                 i = row + nrows * col
  448.                 if i >= size:
  449.                     x = ''
  450.                 else:
  451.                     x = list[i]
  452.                 texts.append(x)
  453.             
  454.             while texts and not texts[-1]:
  455.                 del texts[-1]
  456.             for col in range(len(texts)):
  457.                 texts[col] = texts[col].ljust(colwidths[col])
  458.             
  459.             self.stdout.write('%s\n' % str('  '.join(texts)))
  460.         
  461.  
  462.  
  463.