Mercurial > python-cmd2
annotate cmd2.py @ 271:fd40eca6939a
colors
author | Catherine Devlin <catherine.devlin@gmail.com> |
---|---|
date | Thu, 09 Apr 2009 00:15:33 -0400 |
parents | 194160b7f091 |
children | fd5197498667 |
rev | line source |
---|---|
230 | 1 """Variant on standard library's cmd with extra features. |
2 | |
3 To use, simply import cmd2.Cmd instead of cmd.Cmd; use precisely as though you | |
4 were using the standard library's cmd, while enjoying the extra features. | |
5 | |
6 Searchable command history (commands: "hi", "li", "run") | |
7 Load commands from file, save to file, edit commands in file | |
8 Multi-line commands | |
9 Case-insensitive commands | |
10 Special-character shortcut commands (beyond cmd's "@" and "!") | |
11 Settable environment parameters | |
12 Optional _onchange_{paramname} called when environment parameter changes | |
13 Parsing commands with `optparse` options (flags) | |
14 Redirection to file with >, >>; input from file with < | |
15 Easy transcript-based testing of applications (see example/example.py) | |
16 | |
17 Note that redirection with > and | will only work if `self.stdout.write()` | |
18 is used in place of `print`. The standard library's `cmd` module is | |
19 written to use `self.stdout.write()`, | |
20 | |
21 - Catherine Devlin, Jan 03 2008 - catherinedevlin.blogspot.com | |
22 | |
23 mercurial repository at http://www.assembla.com/wiki/show/python-cmd2 | |
24 """ | |
25 import cmd, re, os, sys, optparse, subprocess, tempfile, pyparsing, doctest | |
253
24289178b367
midway through allowing multiple testing files
Catherine Devlin <catherine.devlin@gmail.com>
parents:
251
diff
changeset
|
26 import unittest, string, datetime, urllib, glob |
235
78ad20c2eed0
py working better now; still needs a iscomplete=True on onecmd
catherine@dellzilla
parents:
234
diff
changeset
|
27 from code import InteractiveConsole, InteractiveInterpreter, softspace |
230 | 28 from optparse import make_option |
265
ba45c2df855b
mark v0.5.2 in code
Catherine Devlin <catherine.devlin@gmail.com>
parents:
262
diff
changeset
|
29 __version__ = '0.5.2' |
257
d62bb3dd58a0
multiple test files still not quite working, yet works when run through debugger, aaargh
Catherine Devlin <catherine.devlin@gmail.com>
parents:
255
diff
changeset
|
30 |
230 | 31 class OptionParser(optparse.OptionParser): |
32 def exit(self, status=0, msg=None): | |
33 self.values._exit = True | |
34 if msg: | |
35 print msg | |
36 | |
37 def print_help(self, *args, **kwargs): | |
38 # now, I need to call help of the calling function. Hmm. | |
39 try: | |
40 print self._func.__doc__ | |
41 except AttributeError: | |
42 pass | |
43 optparse.OptionParser.print_help(self, *args, **kwargs) | |
44 | |
45 def error(self, msg): | |
46 """error(msg : string) | |
47 | |
48 Print a usage message incorporating 'msg' to stderr and exit. | |
49 If you override this in a subclass, it should not return -- it | |
50 should either exit or raise an exception. | |
51 """ | |
52 raise | |
53 | |
54 def remainingArgs(oldArgs, newArgList): | |
55 ''' | |
56 >>> remainingArgs('-f bar bar cow', ['bar', 'cow']) | |
57 'bar cow' | |
58 ''' | |
59 pattern = '\s+'.join(re.escape(a) for a in newArgList) + '\s*$' | |
60 matchObj = re.search(pattern, oldArgs) | |
61 return oldArgs[matchObj.start():] | |
62 | |
63 def options(option_list): | |
64 def option_setup(func): | |
65 optionParser = OptionParser() | |
66 for opt in option_list: | |
67 optionParser.add_option(opt) | |
68 optionParser.set_usage("%s [options] arg" % func.__name__.strip('do_')) | |
69 optionParser._func = func | |
70 def newFunc(instance, arg): | |
71 try: | |
72 opts, newArgList = optionParser.parse_args(arg.split()) # doesn't understand quoted strings shouldn't be dissected! | |
73 newArgs = remainingArgs(arg, newArgList) # should it permit flags after args? | |
74 except (optparse.OptionValueError, optparse.BadOptionError, | |
75 optparse.OptionError, optparse.AmbiguousOptionError, | |
76 optparse.OptionConflictError), e: | |
77 print e | |
78 optionParser.print_help() | |
79 return | |
80 if hasattr(opts, '_exit'): | |
81 return None | |
82 if hasattr(arg, 'parser'): | |
83 terminator = arg.parsed.terminator | |
84 try: | |
85 if arg.parsed.terminator[0] == '\n': | |
86 terminator = arg.parsed.terminator[0] | |
87 except IndexError: | |
88 pass | |
89 arg = arg.parser('%s %s%s%s' % (arg.parsed.command, newArgs, | |
90 terminator, arg.parsed.suffix)) | |
91 else: | |
92 arg = newArgs | |
93 result = func(instance, arg, opts) | |
94 return result | |
95 newFunc.__doc__ = '%s\n%s' % (func.__doc__, optionParser.format_help()) | |
96 return newFunc | |
97 return option_setup | |
98 | |
99 class PasteBufferError(EnvironmentError): | |
100 if sys.platform[:3] == 'win': | |
101 errmsg = """Redirecting to or from paste buffer requires pywin32 | |
102 to be installed on operating system. | |
103 Download from http://sourceforge.net/projects/pywin32/""" | |
104 else: | |
105 errmsg = """Redirecting to or from paste buffer requires xclip | |
106 to be installed on operating system. | |
107 On Debian/Ubuntu, 'sudo apt-get install xclip' will install it.""" | |
108 def __init__(self): | |
109 Exception.__init__(self, self.errmsg) | |
110 | |
111 '''check here if functions exist; otherwise, stub out''' | |
112 pastebufferr = """Redirecting to or from paste buffer requires %s | |
113 to be installed on operating system. | |
114 %s""" | |
115 if subprocess.mswindows: | |
116 try: | |
117 import win32clipboard | |
118 def getPasteBuffer(): | |
119 win32clipboard.OpenClipboard(0) | |
120 try: | |
121 result = win32clipboard.GetClipboardData() | |
122 except TypeError: | |
123 result = '' #non-text | |
124 win32clipboard.CloseClipboard() | |
125 return result | |
126 def writeToPasteBuffer(txt): | |
127 win32clipboard.OpenClipboard(0) | |
128 win32clipboard.EmptyClipboard() | |
129 win32clipboard.SetClipboardText(txt) | |
130 win32clipboard.CloseClipboard() | |
131 except ImportError: | |
132 def getPasteBuffer(*args): | |
133 raise OSError, pastebufferr % ('pywin32', 'Download from http://sourceforge.net/projects/pywin32/') | |
134 setPasteBuffer = getPasteBuffer | |
135 else: | |
136 can_clip = False | |
137 try: | |
138 subprocess.check_call('xclip -o -sel clip', shell=True, stdout=subprocess.PIPE, stdin=subprocess.PIPE) | |
139 can_clip = True | |
140 except AttributeError: # check_call not defined, Python < 2.5 | |
141 teststring = 'Testing for presence of xclip.' | |
142 xclipproc = subprocess.Popen('xclip -sel clip', shell=True, stdout=subprocess.PIPE, stdin=subprocess.PIPE) | |
143 xclipproc.stdin.write(teststring) | |
144 xclipproc.stdin.close() | |
145 xclipproc = subprocess.Popen('xclip -o -sel clip', shell=True, stdout=subprocess.PIPE, stdin=subprocess.PIPE) | |
146 if xclipproc.stdout.read() == teststring: | |
147 can_clip = True | |
148 except (subprocess.CalledProcessError, OSError, IOError): | |
149 pass | |
150 if can_clip: | |
151 def getPasteBuffer(): | |
152 xclipproc = subprocess.Popen('xclip -o -sel clip', shell=True, stdout=subprocess.PIPE, stdin=subprocess.PIPE) | |
153 return xclipproc.stdout.read() | |
154 def writeToPasteBuffer(txt): | |
155 xclipproc = subprocess.Popen('xclip -sel clip', shell=True, stdout=subprocess.PIPE, stdin=subprocess.PIPE) | |
156 xclipproc.stdin.write(txt) | |
157 xclipproc.stdin.close() | |
158 # but we want it in both the "primary" and "mouse" clipboards | |
159 xclipproc = subprocess.Popen('xclip', shell=True, stdout=subprocess.PIPE, stdin=subprocess.PIPE) | |
160 xclipproc.stdin.write(txt) | |
161 xclipproc.stdin.close() | |
162 else: | |
163 def getPasteBuffer(*args): | |
164 raise OSError, pastebufferr % ('xclip', 'On Debian/Ubuntu, install with "sudo apt-get install xclip"') | |
165 setPasteBuffer = getPasteBuffer | |
166 writeToPasteBuffer = getPasteBuffer | |
167 | |
168 pyparsing.ParserElement.setDefaultWhitespaceChars(' \t') | |
169 | |
170 class ParsedString(str): | |
171 pass | |
172 | |
173 class SkipToLast(pyparsing.SkipTo): | |
174 def parseImpl( self, instring, loc, doActions=True ): | |
175 resultStore = [] | |
176 startLoc = loc | |
177 instrlen = len(instring) | |
178 expr = self.expr | |
179 failParse = False | |
180 while loc <= instrlen: | |
181 try: | |
182 if self.failOn: | |
183 failParse = True | |
184 self.failOn.tryParse(instring, loc) | |
185 failParse = False | |
186 loc = expr._skipIgnorables( instring, loc ) | |
187 expr._parse( instring, loc, doActions=False, callPreParse=False ) | |
188 skipText = instring[startLoc:loc] | |
189 if self.includeMatch: | |
190 loc,mat = expr._parse(instring,loc,doActions,callPreParse=False) | |
191 if mat: | |
192 skipRes = ParseResults( skipText ) | |
193 skipRes += mat | |
194 resultStore.append((loc, [ skipRes ])) | |
195 else: | |
196 resultStore,append((loc, [ skipText ])) | |
197 else: | |
198 resultStore.append((loc, [ skipText ])) | |
199 loc += 1 | |
200 except (pyparsing.ParseException,IndexError): | |
201 if failParse: | |
202 raise | |
203 else: | |
204 loc += 1 | |
205 if resultStore: | |
206 return resultStore[-1] | |
207 else: | |
208 exc = self.myException | |
209 exc.loc = loc | |
210 exc.pstr = instring | |
211 raise exc | |
212 | |
213 def replace_with_file_contents(fname): | |
214 if fname: | |
215 try: | |
216 result = open(os.path.expanduser(fname[0])).read() | |
217 except IOError: | |
218 result = '< %s' % fname[0] # wasn't a file after all | |
219 else: | |
220 result = getPasteBuffer() | |
233 | 221 return result |
222 | |
234 | 223 class EmbeddedConsoleExit(Exception): |
224 pass | |
225 | |
235
78ad20c2eed0
py working better now; still needs a iscomplete=True on onecmd
catherine@dellzilla
parents:
234
diff
changeset
|
226 class MyInteractiveConsole(InteractiveConsole): |
234 | 227 def runcode(self, code): |
228 """Execute a code object. | |
229 | |
230 When an exception occurs, self.showtraceback() is called to | |
231 display a traceback. All exceptions are caught except | |
232 SystemExit, which is reraised. | |
233 | |
234 A note about KeyboardInterrupt: this exception may occur | |
235 elsewhere in this code, and may not always be caught. The | |
236 caller should be prepared to deal with it. | |
237 | |
238 Copied directly from code.InteractiveInterpreter, except for | |
239 EmbeddedConsoleExit exceptions. | |
240 """ | |
241 try: | |
242 exec code in self.locals | |
243 except (SystemExit, EmbeddedConsoleExit): | |
244 raise | |
245 except: | |
246 self.showtraceback() | |
247 else: | |
235
78ad20c2eed0
py working better now; still needs a iscomplete=True on onecmd
catherine@dellzilla
parents:
234
diff
changeset
|
248 if softspace(sys.stdout, 0): |
234 | 249 print |
250 | |
230 | 251 class Cmd(cmd.Cmd): |
252 echo = False | |
253 case_insensitive = True | |
254 continuation_prompt = '> ' | |
255 timing = False | |
256 legalChars = '!#$%.:?@_' + pyparsing.alphanums + pyparsing.alphas8bit # make sure your terminators are not in here! | |
244
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
257 shortcuts = {'?': 'help', '!': 'shell', '@': 'load', '@@': '_relative_load'} |
230 | 258 excludeFromHistory = '''run r list l history hi ed edit li eof'''.split() |
259 noSpecialParse = 'set ed edit exit'.split() | |
260 defaultExtension = 'txt' | |
261 default_file_name = 'command.txt' | |
262 abbrev = True | |
233 | 263 nonpythoncommand = 'cmd' |
244
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
264 current_script_dir = None |
245 | 265 reserved_words = [] |
267
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
266 feedback_to_output = False |
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
267 quiet = False |
230 | 268 settable = ['prompt', 'continuation_prompt', 'default_file_name', 'editor', |
267
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
269 'case_insensitive', 'feedback_to_output', 'quiet', 'echo', 'timing', |
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
270 'abbrev'] |
230 | 271 settable.sort() |
272 | |
267
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
273 def poutput(self, msg): |
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
274 self.stdout.write(msg) |
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
275 if msg[-1] != '\n': |
269 | 276 self.stdout.write('\n') |
267
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
277 def perror(self, errmsg): |
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
278 print str(errmsg) |
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
279 def pfeedback(self, msg): |
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
280 """For printing nonessential feedback. Can be silenced with `quiet`. |
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
281 Inclusion in redirected output is controlled by `feedback_to_output`.""" |
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
282 if not self.quiet: |
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
283 if self.feedback_to_output: |
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
284 self.poutput(msg) |
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
285 else: |
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
286 print msg |
230 | 287 editor = os.environ.get('EDITOR') |
288 _STOP_AND_EXIT = 2 | |
289 if not editor: | |
290 if sys.platform[:3] == 'win': | |
291 editor = 'notepad' | |
292 else: | |
293 for editor in ['gedit', 'kate', 'vim', 'emacs', 'nano', 'pico']: | |
294 if not os.system('which %s' % (editor)): | |
295 break | |
296 | |
297 def do_cmdenvironment(self, args): | |
298 '''Summary report of interactive parameters.''' | |
299 self.stdout.write(""" | |
300 Commands are %(casesensitive)scase-sensitive. | |
301 Commands may be terminated with: %(terminators)s | |
237 | 302 Settable parameters: %(settable)s\n""" % \ |
230 | 303 { 'casesensitive': (self.case_insensitive and 'not ') or '', |
304 'terminators': str(self.terminators), | |
305 'settable': ' '.join(self.settable) | |
306 }) | |
307 | |
308 def do_help(self, arg): | |
257
d62bb3dd58a0
multiple test files still not quite working, yet works when run through debugger, aaargh
Catherine Devlin <catherine.devlin@gmail.com>
parents:
255
diff
changeset
|
309 if arg: |
d62bb3dd58a0
multiple test files still not quite working, yet works when run through debugger, aaargh
Catherine Devlin <catherine.devlin@gmail.com>
parents:
255
diff
changeset
|
310 funcname = self.func_named(arg) |
d62bb3dd58a0
multiple test files still not quite working, yet works when run through debugger, aaargh
Catherine Devlin <catherine.devlin@gmail.com>
parents:
255
diff
changeset
|
311 if funcname: |
d62bb3dd58a0
multiple test files still not quite working, yet works when run through debugger, aaargh
Catherine Devlin <catherine.devlin@gmail.com>
parents:
255
diff
changeset
|
312 fn = getattr(self, funcname) |
d62bb3dd58a0
multiple test files still not quite working, yet works when run through debugger, aaargh
Catherine Devlin <catherine.devlin@gmail.com>
parents:
255
diff
changeset
|
313 try: |
d62bb3dd58a0
multiple test files still not quite working, yet works when run through debugger, aaargh
Catherine Devlin <catherine.devlin@gmail.com>
parents:
255
diff
changeset
|
314 fn.optionParser.print_help(file=self.stdout) |
d62bb3dd58a0
multiple test files still not quite working, yet works when run through debugger, aaargh
Catherine Devlin <catherine.devlin@gmail.com>
parents:
255
diff
changeset
|
315 except AttributeError: |
d62bb3dd58a0
multiple test files still not quite working, yet works when run through debugger, aaargh
Catherine Devlin <catherine.devlin@gmail.com>
parents:
255
diff
changeset
|
316 cmd.Cmd.do_help(self, funcname[3:]) |
d62bb3dd58a0
multiple test files still not quite working, yet works when run through debugger, aaargh
Catherine Devlin <catherine.devlin@gmail.com>
parents:
255
diff
changeset
|
317 else: |
d62bb3dd58a0
multiple test files still not quite working, yet works when run through debugger, aaargh
Catherine Devlin <catherine.devlin@gmail.com>
parents:
255
diff
changeset
|
318 cmd.Cmd.do_help(self, arg) |
230 | 319 |
320 def __init__(self, *args, **kwargs): | |
321 cmd.Cmd.__init__(self, *args, **kwargs) | |
271 | 322 self.initial_stdout = sys.stdout |
230 | 323 self.history = History() |
324 self._init_parser() | |
325 self.pystate = {} | |
244
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
326 self.shortcuts = sorted(self.shortcuts.items(), reverse=True) |
247
3db4166a54ce
abbrevs working with help
catherine@Elli.myhome.westell.com
parents:
246
diff
changeset
|
327 self.keywords = self.reserved_words + [fname[3:] for fname in dir(self) |
3db4166a54ce
abbrevs working with help
catherine@Elli.myhome.westell.com
parents:
246
diff
changeset
|
328 if fname.startswith('do_')] |
230 | 329 def do_shortcuts(self, args): |
330 """Lists single-key shortcuts available.""" | |
244
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
331 result = "\n".join('%s: %s' % (sc[0], sc[1]) for sc in sorted(self.shortcuts)) |
230 | 332 self.stdout.write("Single-key shortcuts for other commands:\n%s\n" % (result)) |
333 | |
334 prefixParser = pyparsing.Empty() | |
335 commentGrammars = pyparsing.Or([pyparsing.pythonStyleComment, pyparsing.cStyleComment]) | |
336 commentGrammars.addParseAction(lambda x: '') | |
249
55a12d77a4fa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
248
diff
changeset
|
337 commentInProgress = pyparsing.Literal('/*') + pyparsing.SkipTo(pyparsing.stringEnd) |
230 | 338 terminators = [';'] |
339 blankLinesAllowed = False | |
340 multilineCommands = [] | |
341 | |
342 def _init_parser(self): | |
343 r''' | |
344 >>> c = Cmd() | |
345 >>> c.multilineCommands = ['multiline'] | |
346 >>> c.case_insensitive = True | |
347 >>> c._init_parser() | |
348 >>> print c.parser.parseString('').dump() | |
349 [] | |
350 >>> print c.parser.parseString('/* empty command */').dump() | |
351 [] | |
352 >>> print c.parser.parseString('plainword').dump() | |
353 ['plainword', ''] | |
354 - command: plainword | |
355 - statement: ['plainword', ''] | |
356 - command: plainword | |
357 >>> print c.parser.parseString('termbare;').dump() | |
358 ['termbare', '', ';', ''] | |
359 - command: termbare | |
360 - statement: ['termbare', '', ';'] | |
361 - command: termbare | |
362 - terminator: ; | |
363 - terminator: ; | |
364 >>> print c.parser.parseString('termbare; suffx').dump() | |
365 ['termbare', '', ';', 'suffx'] | |
366 - command: termbare | |
367 - statement: ['termbare', '', ';'] | |
368 - command: termbare | |
369 - terminator: ; | |
370 - suffix: suffx | |
371 - terminator: ; | |
372 >>> print c.parser.parseString('barecommand').dump() | |
373 ['barecommand', ''] | |
374 - command: barecommand | |
375 - statement: ['barecommand', ''] | |
376 - command: barecommand | |
377 >>> print c.parser.parseString('COMmand with args').dump() | |
378 ['command', 'with args'] | |
379 - args: with args | |
380 - command: command | |
381 - statement: ['command', 'with args'] | |
382 - args: with args | |
383 - command: command | |
384 >>> print c.parser.parseString('command with args and terminator; and suffix').dump() | |
385 ['command', 'with args and terminator', ';', 'and suffix'] | |
386 - args: with args and terminator | |
387 - command: command | |
388 - statement: ['command', 'with args and terminator', ';'] | |
389 - args: with args and terminator | |
390 - command: command | |
391 - terminator: ; | |
392 - suffix: and suffix | |
393 - terminator: ; | |
394 >>> print c.parser.parseString('simple | piped').dump() | |
395 ['simple', '', '|', ' piped'] | |
396 - command: simple | |
397 - pipeTo: piped | |
398 - statement: ['simple', ''] | |
399 - command: simple | |
400 >>> print c.parser.parseString('double-pipe || is not a pipe').dump() | |
401 ['double', '-pipe || is not a pipe'] | |
402 - args: -pipe || is not a pipe | |
403 - command: double | |
404 - statement: ['double', '-pipe || is not a pipe'] | |
405 - args: -pipe || is not a pipe | |
406 - command: double | |
407 >>> print c.parser.parseString('command with args, terminator;sufx | piped').dump() | |
408 ['command', 'with args, terminator', ';', 'sufx', '|', ' piped'] | |
409 - args: with args, terminator | |
410 - command: command | |
411 - pipeTo: piped | |
412 - statement: ['command', 'with args, terminator', ';'] | |
413 - args: with args, terminator | |
414 - command: command | |
415 - terminator: ; | |
416 - suffix: sufx | |
417 - terminator: ; | |
418 >>> print c.parser.parseString('output into > afile.txt').dump() | |
419 ['output', 'into', '>', 'afile.txt'] | |
420 - args: into | |
421 - command: output | |
422 - output: > | |
423 - outputTo: afile.txt | |
424 - statement: ['output', 'into'] | |
425 - args: into | |
426 - command: output | |
427 >>> print c.parser.parseString('output into;sufx | pipethrume plz > afile.txt').dump() | |
428 ['output', 'into', ';', 'sufx', '|', ' pipethrume plz', '>', 'afile.txt'] | |
429 - args: into | |
430 - command: output | |
431 - output: > | |
432 - outputTo: afile.txt | |
433 - pipeTo: pipethrume plz | |
434 - statement: ['output', 'into', ';'] | |
435 - args: into | |
436 - command: output | |
437 - terminator: ; | |
438 - suffix: sufx | |
439 - terminator: ; | |
440 >>> print c.parser.parseString('output to paste buffer >> ').dump() | |
441 ['output', 'to paste buffer', '>>', ''] | |
442 - args: to paste buffer | |
443 - command: output | |
444 - output: >> | |
445 - statement: ['output', 'to paste buffer'] | |
446 - args: to paste buffer | |
447 - command: output | |
448 >>> print c.parser.parseString('ignore the /* commented | > */ stuff;').dump() | |
449 ['ignore', 'the /* commented | > */ stuff', ';', ''] | |
450 - args: the /* commented | > */ stuff | |
451 - command: ignore | |
452 - statement: ['ignore', 'the /* commented | > */ stuff', ';'] | |
453 - args: the /* commented | > */ stuff | |
454 - command: ignore | |
455 - terminator: ; | |
456 - terminator: ; | |
457 >>> print c.parser.parseString('has > inside;').dump() | |
458 ['has', '> inside', ';', ''] | |
459 - args: > inside | |
460 - command: has | |
461 - statement: ['has', '> inside', ';'] | |
462 - args: > inside | |
463 - command: has | |
464 - terminator: ; | |
465 - terminator: ; | |
466 >>> print c.parser.parseString('multiline has > inside an unfinished command').dump() | |
467 ['multiline', ' has > inside an unfinished command'] | |
468 - multilineCommand: multiline | |
469 >>> print c.parser.parseString('multiline has > inside;').dump() | |
470 ['multiline', 'has > inside', ';', ''] | |
471 - args: has > inside | |
472 - multilineCommand: multiline | |
473 - statement: ['multiline', 'has > inside', ';'] | |
474 - args: has > inside | |
475 - multilineCommand: multiline | |
476 - terminator: ; | |
477 - terminator: ; | |
478 >>> print c.parser.parseString('multiline command /* with comment in progress;').dump() | |
479 ['multiline', ' command /* with comment in progress;'] | |
480 - multilineCommand: multiline | |
481 >>> print c.parser.parseString('multiline command /* with comment complete */ is done;').dump() | |
482 ['multiline', 'command /* with comment complete */ is done', ';', ''] | |
483 - args: command /* with comment complete */ is done | |
484 - multilineCommand: multiline | |
485 - statement: ['multiline', 'command /* with comment complete */ is done', ';'] | |
486 - args: command /* with comment complete */ is done | |
487 - multilineCommand: multiline | |
488 - terminator: ; | |
489 - terminator: ; | |
490 >>> print c.parser.parseString('multiline command ends\n\n').dump() | |
491 ['multiline', 'command ends', '\n', '\n'] | |
492 - args: command ends | |
493 - multilineCommand: multiline | |
494 - statement: ['multiline', 'command ends', '\n', '\n'] | |
495 - args: command ends | |
496 - multilineCommand: multiline | |
497 - terminator: ['\n', '\n'] | |
498 - terminator: ['\n', '\n'] | |
499 ''' | |
500 outputParser = (pyparsing.Literal('>>') | (pyparsing.WordStart() + '>') | pyparsing.Regex('[^=]>'))('output') | |
501 | |
502 terminatorParser = pyparsing.Or([(hasattr(t, 'parseString') and t) or pyparsing.Literal(t) for t in self.terminators])('terminator') | |
503 stringEnd = pyparsing.stringEnd ^ '\nEOF' | |
504 self.multilineCommand = pyparsing.Or([pyparsing.Keyword(c, caseless=self.case_insensitive) for c in self.multilineCommands])('multilineCommand') | |
505 oneLineCommand = (~self.multilineCommand + pyparsing.Word(self.legalChars))('command') | |
506 pipe = pyparsing.Keyword('|', identChars='|') | |
507 self.commentGrammars.ignore(pyparsing.quotedString).setParseAction(lambda x: '') | |
508 self.commentInProgress.ignore(pyparsing.quotedString).ignore(pyparsing.cStyleComment) | |
509 afterElements = \ | |
510 pyparsing.Optional(pipe + pyparsing.SkipTo(outputParser ^ stringEnd)('pipeTo')) + \ | |
511 pyparsing.Optional(outputParser + pyparsing.SkipTo(stringEnd).setParseAction(lambda x: x[0].strip())('outputTo')) | |
512 if self.case_insensitive: | |
513 self.multilineCommand.setParseAction(lambda x: x[0].lower()) | |
514 oneLineCommand.setParseAction(lambda x: x[0].lower()) | |
515 if self.blankLinesAllowed: | |
516 self.blankLineTerminationParser = pyparsing.NoMatch | |
517 else: | |
518 self.blankLineTerminator = (pyparsing.lineEnd + pyparsing.lineEnd)('terminator') | |
519 self.blankLineTerminator.setResultsName('terminator') | |
520 self.blankLineTerminationParser = ((self.multilineCommand ^ oneLineCommand) + pyparsing.SkipTo(self.blankLineTerminator).setParseAction(lambda x: x[0].strip())('args') + self.blankLineTerminator)('statement') | |
521 self.multilineParser = (((self.multilineCommand ^ oneLineCommand) + SkipToLast(terminatorParser).setParseAction(lambda x: x[0].strip())('args') + terminatorParser)('statement') + | |
522 pyparsing.SkipTo(outputParser ^ pipe ^ stringEnd).setParseAction(lambda x: x[0].strip())('suffix') + afterElements) | |
250 | 523 self.multilineParser.ignore(self.commentInProgress) |
230 | 524 self.singleLineParser = ((oneLineCommand + pyparsing.SkipTo(terminatorParser ^ stringEnd ^ pipe ^ outputParser).setParseAction(lambda x:x[0].strip())('args'))('statement') + |
525 pyparsing.Optional(terminatorParser) + afterElements) | |
250 | 526 #self.multilineParser = self.multilineParser.setResultsName('multilineParser') |
527 #self.singleLineParser = self.singleLineParser.setResultsName('singleLineParser') | |
528 #self.blankLineTerminationParser = self.blankLineTerminationParser.setResultsName('blankLineTerminatorParser') | |
266
584f970ca66a
permit bare prefix
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
529 self.parser = self.prefixParser + ( |
230 | 530 stringEnd | |
266
584f970ca66a
permit bare prefix
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
531 self.multilineParser | |
584f970ca66a
permit bare prefix
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
532 self.singleLineParser | |
584f970ca66a
permit bare prefix
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
533 self.blankLineTerminationParser | |
584f970ca66a
permit bare prefix
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
534 self.multilineCommand + pyparsing.SkipTo(stringEnd) |
230 | 535 ) |
249
55a12d77a4fa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
248
diff
changeset
|
536 self.parser.ignore(pyparsing.quotedString).ignore(self.commentGrammars) |
230 | 537 |
538 inputMark = pyparsing.Literal('<') | |
539 inputMark.setParseAction(lambda x: '') | |
540 fileName = pyparsing.Word(self.legalChars + '/\\') | |
541 inputFrom = fileName('inputFrom') | |
542 inputFrom.setParseAction(replace_with_file_contents) | |
543 # a not-entirely-satisfactory way of distinguishing < as in "import from" from < | |
544 # as in "lesser than" | |
545 self.inputParser = inputMark + pyparsing.Optional(inputFrom) + pyparsing.Optional('>') + \ | |
546 pyparsing.Optional(fileName) + (pyparsing.stringEnd | '|') | |
547 self.inputParser.ignore(pyparsing.quotedString).ignore(self.commentGrammars).ignore(self.commentInProgress) | |
548 | |
549 def preparse(self, raw, **kwargs): | |
550 return raw | |
551 | |
552 def parsed(self, raw, **kwargs): | |
553 if isinstance(raw, ParsedString): | |
554 p = raw | |
555 else: | |
556 raw = self.preparse(raw, **kwargs) | |
557 s = self.inputParser.transformString(raw.lstrip()) | |
244
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
558 for (shortcut, expansion) in self.shortcuts: |
230 | 559 if s.lower().startswith(shortcut): |
560 s = s.replace(shortcut, expansion + ' ', 1) | |
561 break | |
562 result = self.parser.parseString(s) | |
563 result['command'] = result.multilineCommand or result.command | |
564 result['raw'] = raw | |
565 result['clean'] = self.commentGrammars.transformString(result.args) | |
566 result['expanded'] = s | |
567 p = ParsedString(result.clean) | |
568 p.parsed = result | |
569 p.parser = self.parsed | |
570 for (key, val) in kwargs.items(): | |
571 p.parsed[key] = val | |
572 return p | |
573 | |
574 def postparsing_precmd(self, statement): | |
575 stop = 0 | |
576 return stop, statement | |
247
3db4166a54ce
abbrevs working with help
catherine@Elli.myhome.westell.com
parents:
246
diff
changeset
|
577 |
230 | 578 def postparsing_postcmd(self, stop): |
579 return stop | |
247
3db4166a54ce
abbrevs working with help
catherine@Elli.myhome.westell.com
parents:
246
diff
changeset
|
580 def func_named(self, arg): |
3db4166a54ce
abbrevs working with help
catherine@Elli.myhome.westell.com
parents:
246
diff
changeset
|
581 result = None |
3db4166a54ce
abbrevs working with help
catherine@Elli.myhome.westell.com
parents:
246
diff
changeset
|
582 target = 'do_' + arg |
3db4166a54ce
abbrevs working with help
catherine@Elli.myhome.westell.com
parents:
246
diff
changeset
|
583 if target in dir(self): |
3db4166a54ce
abbrevs working with help
catherine@Elli.myhome.westell.com
parents:
246
diff
changeset
|
584 result = target |
3db4166a54ce
abbrevs working with help
catherine@Elli.myhome.westell.com
parents:
246
diff
changeset
|
585 else: |
3db4166a54ce
abbrevs working with help
catherine@Elli.myhome.westell.com
parents:
246
diff
changeset
|
586 if self.abbrev: # accept shortened versions of commands |
3db4166a54ce
abbrevs working with help
catherine@Elli.myhome.westell.com
parents:
246
diff
changeset
|
587 funcs = [fname for fname in self.keywords if fname.startswith(arg)] |
3db4166a54ce
abbrevs working with help
catherine@Elli.myhome.westell.com
parents:
246
diff
changeset
|
588 if len(funcs) == 1: |
3db4166a54ce
abbrevs working with help
catherine@Elli.myhome.westell.com
parents:
246
diff
changeset
|
589 result = 'do_' + funcs[0] |
3db4166a54ce
abbrevs working with help
catherine@Elli.myhome.westell.com
parents:
246
diff
changeset
|
590 return result |
230 | 591 def onecmd(self, line): |
592 """Interpret the argument as though it had been typed in response | |
593 to the prompt. | |
594 | |
595 This may be overridden, but should not normally need to be; | |
596 see the precmd() and postcmd() methods for useful execution hooks. | |
597 The return value is a flag indicating whether interpretation of | |
598 commands by the interpreter should stop. | |
599 | |
600 This (`cmd2`) version of `onecmd` already override's `cmd`'s `onecmd`. | |
601 | |
602 """ | |
603 if not line: | |
604 return self.emptyline() | |
605 if not pyparsing.Or(self.commentGrammars).setParseAction(lambda x: '').transformString(line): | |
606 return 0 # command was empty except for comments | |
607 try: | |
608 statement = self.parsed(line) | |
609 while statement.parsed.multilineCommand and (statement.parsed.terminator == ''): | |
610 statement = '%s\n%s' % (statement.parsed.raw, | |
611 self.pseudo_raw_input(self.continuation_prompt)) | |
612 statement = self.parsed(statement) | |
613 except Exception, e: | |
267
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
614 self.perror(e) |
230 | 615 return 0 |
246 | 616 if statement.parsed.command not in self.excludeFromHistory: |
617 self.history.append(statement.parsed.raw) | |
230 | 618 try: |
619 (stop, statement) = self.postparsing_precmd(statement) | |
620 except Exception, e: | |
267
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
621 self.perror(e) |
230 | 622 return 0 |
623 if stop: | |
624 return self.postparsing_postcmd(stop) | |
625 | |
626 if not statement.parsed.command: | |
627 return self.postparsing_postcmd(stop=0) | |
628 | |
629 statekeeper = None | |
630 | |
631 if statement.parsed.pipeTo: | |
632 redirect = subprocess.Popen(statement.parsed.pipeTo, shell=True, stdout=subprocess.PIPE, stdin=subprocess.PIPE) | |
633 statekeeper = Statekeeper(self, ('stdout',)) | |
634 self.stdout = redirect.stdin | |
635 elif statement.parsed.output: | |
636 statekeeper = Statekeeper(self, ('stdout',)) | |
637 if statement.parsed.outputTo: | |
638 mode = 'w' | |
639 if statement.parsed.output == '>>': | |
640 mode = 'a' | |
641 try: | |
642 self.stdout = open(os.path.expanduser(statement.parsed.outputTo), mode) | |
643 except OSError, e: | |
267
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
644 self.perror(e) |
230 | 645 return self.postparsing_postcmd(stop=0) |
646 else: | |
647 statekeeper = Statekeeper(self, ('stdout',)) | |
648 self.stdout = tempfile.TemporaryFile() | |
649 if statement.parsed.output == '>>': | |
650 self.stdout.write(getPasteBuffer()) | |
651 try: | |
652 # "heart" of the command, replace's cmd's onecmd() | |
653 self.lastcmd = statement.parsed.expanded | |
247
3db4166a54ce
abbrevs working with help
catherine@Elli.myhome.westell.com
parents:
246
diff
changeset
|
654 funcname = self.func_named(statement.parsed.command) |
3db4166a54ce
abbrevs working with help
catherine@Elli.myhome.westell.com
parents:
246
diff
changeset
|
655 if not funcname: |
251 | 656 return self.postparsing_postcmd(self.default(statement)) |
657 try: | |
658 func = getattr(self, funcname) | |
659 except AttributeError: | |
660 return self.postparsing_postcmd(self.default(statement)) | |
230 | 661 timestart = datetime.datetime.now() |
251 | 662 stop = func(statement) |
230 | 663 if self.timing: |
267
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
664 self.pfeedback('Elapsed: %s' % str(datetime.datetime.now() - timestart)) |
230 | 665 except Exception, e: |
267
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
666 self.perror(e) |
230 | 667 finally: |
668 if statekeeper: | |
669 if statement.parsed.output and not statement.parsed.outputTo: | |
670 self.stdout.seek(0) | |
671 try: | |
672 writeToPasteBuffer(self.stdout.read()) | |
673 except Exception, e: | |
267
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
674 self.perror(e) |
230 | 675 elif statement.parsed.pipeTo: |
676 for result in redirect.communicate(): | |
677 statekeeper.stdout.write(result or '') | |
678 self.stdout.close() | |
679 statekeeper.restore() | |
680 | |
681 return self.postparsing_postcmd(stop) | |
682 | |
683 def pseudo_raw_input(self, prompt): | |
684 """copied from cmd's cmdloop; like raw_input, but accounts for changed stdin, stdout""" | |
685 | |
686 if self.use_rawinput: | |
687 try: | |
688 line = raw_input(prompt) | |
689 except EOFError: | |
690 line = 'EOF' | |
691 else: | |
692 self.stdout.write(prompt) | |
693 self.stdout.flush() | |
694 line = self.stdin.readline() | |
695 if not len(line): | |
696 line = 'EOF' | |
697 else: | |
698 if line[-1] == '\n': # this was always true in Cmd | |
699 line = line[:-1] | |
700 return line | |
701 | |
702 def cmdloop(self, intro=None): | |
703 """Repeatedly issue a prompt, accept input, parse an initial prefix | |
704 off the received input, and dispatch to action methods, passing them | |
705 the remainder of the line as argument. | |
706 """ | |
707 | |
708 # An almost perfect copy from Cmd; however, the pseudo_raw_input portion | |
709 # has been split out so that it can be called separately | |
710 | |
711 self.preloop() | |
712 if self.use_rawinput and self.completekey: | |
713 try: | |
714 import readline | |
715 self.old_completer = readline.get_completer() | |
716 readline.set_completer(self.complete) | |
717 readline.parse_and_bind(self.completekey+": complete") | |
718 except ImportError: | |
719 pass | |
720 try: | |
721 if intro is not None: | |
722 self.intro = intro | |
723 if self.intro: | |
724 self.stdout.write(str(self.intro)+"\n") | |
725 stop = None | |
726 while not stop: | |
727 if self.cmdqueue: | |
728 line = self.cmdqueue.pop(0) | |
729 else: | |
730 line = self.pseudo_raw_input(self.prompt) | |
731 if (self.echo) and (isinstance(self.stdin, file)): | |
732 self.stdout.write(line + '\n') | |
733 line = self.precmd(line) | |
734 stop = self.onecmd(line) | |
735 stop = self.postcmd(stop, line) | |
736 self.postloop() | |
737 finally: | |
738 if self.use_rawinput and self.completekey: | |
739 try: | |
740 import readline | |
741 readline.set_completer(self.old_completer) | |
742 except ImportError: | |
743 pass | |
744 return stop | |
745 | |
746 def do_EOF(self, arg): | |
747 return True | |
748 do_eof = do_EOF | |
749 | |
750 def showParam(self, param): | |
751 any_shown = False | |
752 param = param.strip().lower() | |
753 for p in self.settable: | |
754 if p.startswith(param): | |
755 val = getattr(self, p) | |
756 self.stdout.write('%s: %s\n' % (p, str(getattr(self, p)))) | |
757 any_shown = True | |
758 if not any_shown: | |
267
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
759 self.perror("Parameter '%s' not supported (type 'show' for list of parameters)." % param) |
230 | 760 |
761 def do_quit(self, arg): | |
762 return self._STOP_AND_EXIT | |
763 do_exit = do_quit | |
764 do_q = do_quit | |
765 | |
766 def do_show(self, arg): | |
767 '''Shows value of a parameter.''' | |
768 if arg.strip(): | |
769 self.showParam(arg) | |
770 else: | |
771 for param in self.settable: | |
772 self.showParam(param) | |
773 | |
774 def do_set(self, arg): | |
775 '''Sets a cmd2 parameter. Accepts abbreviated parameter names so long as there is no ambiguity. | |
776 Call without arguments for a list of settable parameters with their values.''' | |
777 try: | |
778 paramName, val = arg.split(None, 1) | |
779 paramName = paramName.strip().lower() | |
780 hits = [paramName in p for p in self.settable] | |
781 if hits.count(True) == 1: | |
782 paramName = self.settable[hits.index(True)] | |
783 currentVal = getattr(self, paramName) | |
784 if (val[0] == val[-1]) and val[0] in ("'", '"'): | |
785 val = val[1:-1] | |
786 else: | |
787 val = cast(currentVal, val) | |
788 setattr(self, paramName, val) | |
789 self.stdout.write('%s - was: %s\nnow: %s\n' % (paramName, currentVal, val)) | |
790 if currentVal != val: | |
791 try: | |
792 onchange_hook = getattr(self, '_onchange_%s' % paramName) | |
793 onchange_hook(old=currentVal, new=val) | |
794 except AttributeError: | |
795 pass | |
796 else: | |
797 self.do_show(paramName) | |
798 except (ValueError, AttributeError, NotSettableError), e: | |
799 self.do_show(arg) | |
800 | |
801 def do_pause(self, arg): | |
802 'Displays the specified text then waits for the user to press RETURN.' | |
803 raw_input(arg + '\n') | |
804 | |
805 def do_shell(self, arg): | |
806 'execute a command as if at the OS prompt.' | |
807 os.system(arg) | |
267
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
808 |
233 | 809 def do_py(self, arg): |
230 | 810 ''' |
811 py <command>: Executes a Python command. | |
242 | 812 py: Enters interactive Python mode. |
813 End with `Ctrl-D` (Unix) / `Ctrl-Z` (Windows), `quit()`, 'exit()`. | |
241 | 814 Non-python commands can be issued with `cmd("your command")`. |
230 | 815 ''' |
816 if arg.strip(): | |
235
78ad20c2eed0
py working better now; still needs a iscomplete=True on onecmd
catherine@dellzilla
parents:
234
diff
changeset
|
817 interp = InteractiveInterpreter(locals=self.pystate) |
233 | 818 interp.runcode(arg) |
230 | 819 else: |
235
78ad20c2eed0
py working better now; still needs a iscomplete=True on onecmd
catherine@dellzilla
parents:
234
diff
changeset
|
820 interp = MyInteractiveConsole(locals=self.pystate) |
233 | 821 def quit(): |
234 | 822 raise EmbeddedConsoleExit |
236 | 823 def onecmd(arg): |
824 return self.onecmd(arg + '\n') | |
233 | 825 self.pystate['quit'] = quit |
826 self.pystate['exit'] = quit | |
236 | 827 self.pystate[self.nonpythoncommand] = onecmd |
234 | 828 try: |
240 | 829 cprt = 'Type "help", "copyright", "credits" or "license" for more information.' |
244
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
830 keepstate = Statekeeper(sys, ('stdin','stdout')) |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
831 sys.stdout = self.stdout |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
832 sys.stdin = self.stdin |
240 | 833 interp.interact(banner= "Python %s on %s\n%s\n(%s)\n%s" % |
834 (sys.version, sys.platform, cprt, self.__class__.__name__, self.do_py.__doc__)) | |
235
78ad20c2eed0
py working better now; still needs a iscomplete=True on onecmd
catherine@dellzilla
parents:
234
diff
changeset
|
835 except EmbeddedConsoleExit: |
245 | 836 pass |
837 keepstate.restore() | |
233 | 838 |
230 | 839 def do_history(self, arg): |
840 """history [arg]: lists past commands issued | |
841 | |
842 no arg -> list all | |
843 arg is integer -> list one history item, by index | |
844 arg is string -> string search | |
845 arg is /enclosed in forward-slashes/ -> regular expression search | |
846 """ | |
847 if arg: | |
848 history = self.history.get(arg) | |
849 else: | |
850 history = self.history | |
851 for hi in history: | |
852 self.stdout.write(hi.pr()) | |
853 def last_matching(self, arg): | |
854 try: | |
855 if arg: | |
856 return self.history.get(arg)[-1] | |
857 else: | |
858 return self.history[-1] | |
859 except IndexError: | |
860 return None | |
861 def do_list(self, arg): | |
862 """list [arg]: lists last command issued | |
863 | |
864 no arg -> list absolute last | |
865 arg is integer -> list one history item, by index | |
866 - arg, arg - (integer) -> list up to or after #arg | |
867 arg is string -> list last command matching string search | |
868 arg is /enclosed in forward-slashes/ -> regular expression search | |
869 """ | |
870 try: | |
871 self.stdout.write(self.last_matching(arg).pr()) | |
872 except: | |
873 pass | |
874 do_hi = do_history | |
875 do_l = do_list | |
876 do_li = do_list | |
877 | |
878 def do_ed(self, arg): | |
879 """ed: edit most recent command in text editor | |
880 ed [N]: edit numbered command from history | |
881 ed [filename]: edit specified file name | |
882 | |
883 commands are run after editor is closed. | |
884 "set edit (program-name)" or set EDITOR environment variable | |
885 to control which editing program is used.""" | |
886 if not self.editor: | |
267
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
887 self.perror("Please use 'set editor' to specify your text editing program of choice.") |
230 | 888 return |
889 filename = self.default_file_name | |
890 if arg: | |
891 try: | |
892 buffer = self.last_matching(int(arg)) | |
893 except ValueError: | |
894 filename = arg | |
895 buffer = '' | |
896 else: | |
897 buffer = self.history[-1] | |
898 | |
899 if buffer: | |
900 f = open(os.path.expanduser(filename), 'w') | |
901 f.write(buffer or '') | |
902 f.close() | |
903 | |
904 os.system('%s %s' % (self.editor, filename)) | |
905 self.do__load(filename) | |
906 do_edit = do_ed | |
907 | |
908 saveparser = (pyparsing.Optional(pyparsing.Word(pyparsing.nums)^'*')("idx") + | |
909 pyparsing.Optional(pyparsing.Word(legalChars + '/\\'))("fname") + | |
910 pyparsing.stringEnd) | |
911 def do_save(self, arg): | |
912 """`save [N] [filename.ext]` | |
913 Saves command from history to file. | |
914 N => Number of command (from history), or `*`; | |
915 most recent command if omitted""" | |
916 | |
917 try: | |
918 args = self.saveparser.parseString(arg) | |
919 except pyparsing.ParseException: | |
267
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
920 self.perror(self.do_save.__doc__) |
230 | 921 return |
922 fname = args.fname or self.default_file_name | |
923 if args.idx == '*': | |
924 saveme = '\n\n'.join(self.history[:]) | |
925 elif args.idx: | |
926 saveme = self.history[int(args.idx)-1] | |
927 else: | |
928 saveme = self.history[-1] | |
929 try: | |
930 f = open(os.path.expanduser(fname), 'w') | |
931 f.write(saveme) | |
932 f.close() | |
267
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
933 self.pfeedback('Saved to %s' % (fname)) |
230 | 934 except Exception, e: |
267
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
935 self.perror('Error saving %s: %s' % (fname, str(e))) |
230 | 936 |
244
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
937 def read_file_or_url(self, fname): |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
938 if isinstance(fname, file): |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
939 target = open(fname, 'r') |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
940 else: |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
941 match = self.urlre.match(fname) |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
942 if match: |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
943 target = urllib.urlopen(match.group(1)) |
230 | 944 else: |
244
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
945 fname = os.path.expanduser(fname) |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
946 try: |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
947 result = open(os.path.expanduser(fname), 'r') |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
948 except IOError, e: |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
949 result = open('%s.%s' % (os.path.expanduser(fname), |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
950 self.defaultExtension), 'r') |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
951 return result |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
952 |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
953 def do__relative_load(self, arg=None): |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
954 ''' |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
955 Runs commands in script at file or URL; if this is called from within an |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
956 already-running script, the filename will be interpreted relative to the |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
957 already-running script's directory.''' |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
958 if arg: |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
959 arg = arg.split(None, 1) |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
960 targetname, args = arg[0], (arg[1:] or [''])[0] |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
961 targetname = os.path.join(self.current_script_dir or '', targetname) |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
962 self.do__load('%s %s' % (targetname, args)) |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
963 |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
964 urlre = re.compile('(https?://[-\\w\\./]+)') |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
965 def do_load(self, arg=None): |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
966 """Runs script of command(s) from a file or URL.""" |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
967 if arg is None: |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
968 targetname = self.default_file_name |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
969 else: |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
970 arg = arg.split(None, 1) |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
971 targetname, args = arg[0], (arg[1:] or [''])[0].strip() |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
972 try: |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
973 target = self.read_file_or_url(targetname) |
230 | 974 except IOError, e: |
267
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
975 self.perror('Problem accessing script from %s: \n%s' % (targetname, e)) |
230 | 976 return |
244
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
977 keepstate = Statekeeper(self, ('stdin','use_rawinput','prompt', |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
978 'continuation_prompt','current_script_dir')) |
230 | 979 self.stdin = target |
980 self.use_rawinput = False | |
981 self.prompt = self.continuation_prompt = '' | |
244
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
982 self.current_script_dir = os.path.split(targetname)[0] |
230 | 983 stop = self.cmdloop() |
984 self.stdin.close() | |
985 keepstate.restore() | |
986 self.lastcmd = '' | |
987 return (stop == self._STOP_AND_EXIT) and self._STOP_AND_EXIT | |
988 do__load = do_load # avoid an unfortunate legacy use of do_load from sqlpython | |
989 | |
990 def do_run(self, arg): | |
991 """run [arg]: re-runs an earlier command | |
992 | |
993 no arg -> run most recent command | |
994 arg is integer -> run one history item, by index | |
995 arg is string -> run most recent command by string search | |
996 arg is /enclosed in forward-slashes/ -> run most recent by regex | |
997 """ | |
998 'run [N]: runs the SQL that was run N commands ago' | |
999 runme = self.last_matching(arg) | |
267
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
1000 self.pfeedback(runme) |
230 | 1001 if runme: |
1002 runme = self.precmd(runme) | |
1003 stop = self.onecmd(runme) | |
1004 stop = self.postcmd(stop, runme) | |
1005 do_r = do_run | |
1006 | |
1007 def fileimport(self, statement, source): | |
1008 try: | |
1009 f = open(os.path.expanduser(source)) | |
1010 except IOError: | |
1011 self.stdout.write("Couldn't read from file %s\n" % source) | |
1012 return '' | |
1013 data = f.read() | |
1014 f.close() | |
1015 return data | |
1016 | |
1017 class HistoryItem(str): | |
1018 def __init__(self, instr): | |
1019 str.__init__(self) | |
1020 self.lowercase = self.lower() | |
1021 self.idx = None | |
1022 def pr(self): | |
1023 return '-------------------------[%d]\n%s\n' % (self.idx, str(self)) | |
1024 | |
1025 class History(list): | |
1026 rangeFrom = re.compile(r'^([\d])+\s*\-$') | |
1027 def append(self, new): | |
1028 new = HistoryItem(new) | |
1029 list.append(self, new) | |
1030 new.idx = len(self) | |
1031 def extend(self, new): | |
1032 for n in new: | |
1033 self.append(n) | |
1034 def get(self, getme): | |
1035 try: | |
1036 getme = int(getme) | |
1037 if getme < 0: | |
1038 return self[:(-1 * getme)] | |
1039 else: | |
1040 return [self[getme-1]] | |
1041 except IndexError: | |
1042 return [] | |
1043 except (ValueError, TypeError): | |
1044 getme = getme.strip() | |
1045 mtch = self.rangeFrom.search(getme) | |
1046 if mtch: | |
1047 return self[(int(mtch.group(1))-1):] | |
1048 if getme.startswith(r'/') and getme.endswith(r'/'): | |
1049 finder = re.compile(getme[1:-1], re.DOTALL | re.MULTILINE | re.IGNORECASE) | |
1050 def isin(hi): | |
1051 return finder.search(hi) | |
1052 else: | |
1053 def isin(hi): | |
1054 return (getme.lower() in hi.lowercase) | |
1055 return [itm for itm in self if isin(itm)] | |
1056 | |
1057 class NotSettableError(Exception): | |
1058 pass | |
1059 | |
1060 def cast(current, new): | |
1061 """Tries to force a new value into the same type as the current.""" | |
1062 typ = type(current) | |
1063 if typ == bool: | |
1064 try: | |
1065 return bool(int(new)) | |
1066 except ValueError, TypeError: | |
1067 pass | |
1068 try: | |
1069 new = new.lower() | |
1070 except: | |
1071 pass | |
1072 if (new=='on') or (new[0] in ('y','t')): | |
1073 return True | |
1074 if (new=='off') or (new[0] in ('n','f')): | |
1075 return False | |
1076 else: | |
1077 try: | |
1078 return typ(new) | |
1079 except: | |
1080 pass | |
1081 print "Problem setting parameter (now %s) to %s; incorrect type?" % (current, new) | |
1082 return current | |
1083 | |
1084 class Statekeeper(object): | |
1085 def __init__(self, obj, attribs): | |
1086 self.obj = obj | |
1087 self.attribs = attribs | |
1088 self.save() | |
1089 def save(self): | |
1090 for attrib in self.attribs: | |
1091 setattr(self, attrib, getattr(self.obj, attrib)) | |
1092 def restore(self): | |
1093 for attrib in self.attribs: | |
1094 setattr(self.obj, attrib, getattr(self, attrib)) | |
1095 | |
1096 class Borg(object): | |
1097 '''All instances of any Borg subclass will share state. | |
1098 from Python Cookbook, 2nd Ed., recipe 6.16''' | |
1099 _shared_state = {} | |
1100 def __new__(cls, *a, **k): | |
1101 obj = object.__new__(cls, *a, **k) | |
1102 obj.__dict__ = cls._shared_state | |
1103 return obj | |
1104 | |
1105 class OutputTrap(Borg): | |
1106 '''Instantiate an OutputTrap to divert/capture ALL stdout output. For use in unit testing. | |
1107 Call `tearDown()` to return to normal output.''' | |
1108 def __init__(self): | |
1109 self.old_stdout = sys.stdout | |
1110 self.trap = tempfile.TemporaryFile() | |
1111 sys.stdout = self.trap | |
1112 def read(self): | |
1113 self.trap.seek(0) | |
1114 result = self.trap.read() | |
1115 self.trap.truncate(0) | |
1116 return result.strip('\x00') | |
1117 def tearDown(self): | |
1118 sys.stdout = self.old_stdout | |
1119 | |
261
57070e181cf7
line end-stripping working in transcript testing
Catherine Devlin <catherine.devlin@gmail.com>
parents:
260
diff
changeset
|
1120 |
230 | 1121 class Cmd2TestCase(unittest.TestCase): |
257
d62bb3dd58a0
multiple test files still not quite working, yet works when run through debugger, aaargh
Catherine Devlin <catherine.devlin@gmail.com>
parents:
255
diff
changeset
|
1122 '''Subclass this, setting CmdApp, to make a unittest.TestCase class |
d62bb3dd58a0
multiple test files still not quite working, yet works when run through debugger, aaargh
Catherine Devlin <catherine.devlin@gmail.com>
parents:
255
diff
changeset
|
1123 that will execute the commands in a transcript file and expect the results shown. |
230 | 1124 See example.py''' |
1125 CmdApp = None | |
253
24289178b367
midway through allowing multiple testing files
Catherine Devlin <catherine.devlin@gmail.com>
parents:
251
diff
changeset
|
1126 def fetchTranscripts(self): |
257
d62bb3dd58a0
multiple test files still not quite working, yet works when run through debugger, aaargh
Catherine Devlin <catherine.devlin@gmail.com>
parents:
255
diff
changeset
|
1127 self.transcripts = {} |
259
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1128 for fileset in self.CmdApp.testfiles: |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1129 for fname in glob.glob(fileset): |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1130 tfile = open(fname) |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1131 self.transcripts[fname] = iter(tfile.readlines()) |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1132 tfile.close() |
260
2b69c4d72cd8
unfinished experiments with testing for regular expressions
Catherine Devlin <catherine.devlin@gmail.com>
parents:
259
diff
changeset
|
1133 if not len(self.transcripts): |
2b69c4d72cd8
unfinished experiments with testing for regular expressions
Catherine Devlin <catherine.devlin@gmail.com>
parents:
259
diff
changeset
|
1134 raise StandardError, "No test files found - nothing to test." |
230 | 1135 def setUp(self): |
1136 if self.CmdApp: | |
1137 self.outputTrap = OutputTrap() | |
1138 self.cmdapp = self.CmdApp() | |
253
24289178b367
midway through allowing multiple testing files
Catherine Devlin <catherine.devlin@gmail.com>
parents:
251
diff
changeset
|
1139 self.fetchTranscripts() |
230 | 1140 def testall(self): |
1141 if self.CmdApp: | |
257
d62bb3dd58a0
multiple test files still not quite working, yet works when run through debugger, aaargh
Catherine Devlin <catherine.devlin@gmail.com>
parents:
255
diff
changeset
|
1142 its = sorted(self.transcripts.items()) |
d62bb3dd58a0
multiple test files still not quite working, yet works when run through debugger, aaargh
Catherine Devlin <catherine.devlin@gmail.com>
parents:
255
diff
changeset
|
1143 for (fname, transcript) in its: |
d62bb3dd58a0
multiple test files still not quite working, yet works when run through debugger, aaargh
Catherine Devlin <catherine.devlin@gmail.com>
parents:
255
diff
changeset
|
1144 self._test_transcript(fname, transcript) |
261
57070e181cf7
line end-stripping working in transcript testing
Catherine Devlin <catherine.devlin@gmail.com>
parents:
260
diff
changeset
|
1145 regexPattern = pyparsing.QuotedString(quoteChar=r'/', escChar='\\', multiline=True, unquoteResults=True) |
57070e181cf7
line end-stripping working in transcript testing
Catherine Devlin <catherine.devlin@gmail.com>
parents:
260
diff
changeset
|
1146 regexPattern.ignore(pyparsing.cStyleComment) |
57070e181cf7
line end-stripping working in transcript testing
Catherine Devlin <catherine.devlin@gmail.com>
parents:
260
diff
changeset
|
1147 notRegexPattern = pyparsing.Word(pyparsing.printables) |
57070e181cf7
line end-stripping working in transcript testing
Catherine Devlin <catherine.devlin@gmail.com>
parents:
260
diff
changeset
|
1148 notRegexPattern.setParseAction(lambda t: re.escape(t[0])) |
57070e181cf7
line end-stripping working in transcript testing
Catherine Devlin <catherine.devlin@gmail.com>
parents:
260
diff
changeset
|
1149 expectationParser = regexPattern | notRegexPattern |
57070e181cf7
line end-stripping working in transcript testing
Catherine Devlin <catherine.devlin@gmail.com>
parents:
260
diff
changeset
|
1150 endStrippingRegex = re.compile(r'[ \t]*\n') |
257
d62bb3dd58a0
multiple test files still not quite working, yet works when run through debugger, aaargh
Catherine Devlin <catherine.devlin@gmail.com>
parents:
255
diff
changeset
|
1151 def _test_transcript(self, fname, transcript): |
253
24289178b367
midway through allowing multiple testing files
Catherine Devlin <catherine.devlin@gmail.com>
parents:
251
diff
changeset
|
1152 lineNum = 0 |
24289178b367
midway through allowing multiple testing files
Catherine Devlin <catherine.devlin@gmail.com>
parents:
251
diff
changeset
|
1153 try: |
24289178b367
midway through allowing multiple testing files
Catherine Devlin <catherine.devlin@gmail.com>
parents:
251
diff
changeset
|
1154 line = transcript.next() |
24289178b367
midway through allowing multiple testing files
Catherine Devlin <catherine.devlin@gmail.com>
parents:
251
diff
changeset
|
1155 while True: |
24289178b367
midway through allowing multiple testing files
Catherine Devlin <catherine.devlin@gmail.com>
parents:
251
diff
changeset
|
1156 while not line.startswith(self.cmdapp.prompt): |
24289178b367
midway through allowing multiple testing files
Catherine Devlin <catherine.devlin@gmail.com>
parents:
251
diff
changeset
|
1157 line = transcript.next() |
24289178b367
midway through allowing multiple testing files
Catherine Devlin <catherine.devlin@gmail.com>
parents:
251
diff
changeset
|
1158 command = [line[len(self.cmdapp.prompt):]] |
24289178b367
midway through allowing multiple testing files
Catherine Devlin <catherine.devlin@gmail.com>
parents:
251
diff
changeset
|
1159 line = transcript.next() |
24289178b367
midway through allowing multiple testing files
Catherine Devlin <catherine.devlin@gmail.com>
parents:
251
diff
changeset
|
1160 while line.startswith(self.cmdapp.continuation_prompt): |
24289178b367
midway through allowing multiple testing files
Catherine Devlin <catherine.devlin@gmail.com>
parents:
251
diff
changeset
|
1161 command.append(line[len(self.cmdapp.continuation_prompt):]) |
24289178b367
midway through allowing multiple testing files
Catherine Devlin <catherine.devlin@gmail.com>
parents:
251
diff
changeset
|
1162 line = transcript.next() |
24289178b367
midway through allowing multiple testing files
Catherine Devlin <catherine.devlin@gmail.com>
parents:
251
diff
changeset
|
1163 command = ''.join(command) |
24289178b367
midway through allowing multiple testing files
Catherine Devlin <catherine.devlin@gmail.com>
parents:
251
diff
changeset
|
1164 self.cmdapp.onecmd(command) |
260
2b69c4d72cd8
unfinished experiments with testing for regular expressions
Catherine Devlin <catherine.devlin@gmail.com>
parents:
259
diff
changeset
|
1165 result = self.outputTrap.read().strip() |
253
24289178b367
midway through allowing multiple testing files
Catherine Devlin <catherine.devlin@gmail.com>
parents:
251
diff
changeset
|
1166 if line.startswith(self.cmdapp.prompt): |
262
e81378f82c7c
transcript tests with regex now work smoothly
Catherine Devlin <catherine.devlin@gmail.com>
parents:
261
diff
changeset
|
1167 message = '\nFile %s, line %d\nCommand was:\n%s\nExpected: (nothing)\nGot:\n%s\n'%\ |
e81378f82c7c
transcript tests with regex now work smoothly
Catherine Devlin <catherine.devlin@gmail.com>
parents:
261
diff
changeset
|
1168 (fname, lineNum, command, result) |
e81378f82c7c
transcript tests with regex now work smoothly
Catherine Devlin <catherine.devlin@gmail.com>
parents:
261
diff
changeset
|
1169 self.assert_(not(result.strip()), message) |
253
24289178b367
midway through allowing multiple testing files
Catherine Devlin <catherine.devlin@gmail.com>
parents:
251
diff
changeset
|
1170 continue |
24289178b367
midway through allowing multiple testing files
Catherine Devlin <catherine.devlin@gmail.com>
parents:
251
diff
changeset
|
1171 expected = [] |
24289178b367
midway through allowing multiple testing files
Catherine Devlin <catherine.devlin@gmail.com>
parents:
251
diff
changeset
|
1172 while not line.startswith(self.cmdapp.prompt): |
24289178b367
midway through allowing multiple testing files
Catherine Devlin <catherine.devlin@gmail.com>
parents:
251
diff
changeset
|
1173 expected.append(line) |
24289178b367
midway through allowing multiple testing files
Catherine Devlin <catherine.devlin@gmail.com>
parents:
251
diff
changeset
|
1174 line = transcript.next() |
260
2b69c4d72cd8
unfinished experiments with testing for regular expressions
Catherine Devlin <catherine.devlin@gmail.com>
parents:
259
diff
changeset
|
1175 expected = ''.join(expected).strip() |
2b69c4d72cd8
unfinished experiments with testing for regular expressions
Catherine Devlin <catherine.devlin@gmail.com>
parents:
259
diff
changeset
|
1176 message = '\nFile %s, line %d\nCommand was:\n%s\nExpected:\n%s\nGot:\n%s\n'%\ |
261
57070e181cf7
line end-stripping working in transcript testing
Catherine Devlin <catherine.devlin@gmail.com>
parents:
260
diff
changeset
|
1177 (fname, lineNum, command, expected, result) |
57070e181cf7
line end-stripping working in transcript testing
Catherine Devlin <catherine.devlin@gmail.com>
parents:
260
diff
changeset
|
1178 expected = self.expectationParser.transformString(expected) |
57070e181cf7
line end-stripping working in transcript testing
Catherine Devlin <catherine.devlin@gmail.com>
parents:
260
diff
changeset
|
1179 expected = self.endStrippingRegex.sub('\s*\n', expected) |
57070e181cf7
line end-stripping working in transcript testing
Catherine Devlin <catherine.devlin@gmail.com>
parents:
260
diff
changeset
|
1180 self.assert_(re.match(expected, result, re.MULTILINE | re.DOTALL), message) |
253
24289178b367
midway through allowing multiple testing files
Catherine Devlin <catherine.devlin@gmail.com>
parents:
251
diff
changeset
|
1181 except StopIteration: |
24289178b367
midway through allowing multiple testing files
Catherine Devlin <catherine.devlin@gmail.com>
parents:
251
diff
changeset
|
1182 pass |
230 | 1183 def tearDown(self): |
1184 if self.CmdApp: | |
1185 self.outputTrap.tearDown() | |
1186 | |
1187 if __name__ == '__main__': | |
259
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1188 doctest.testmod(optionflags = doctest.NORMALIZE_WHITESPACE) |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1189 |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1190 ''' |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1191 To make your application transcript-testable, add text like this to your .py file |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1192 (replacing CmdLineApp with your own application class's name). Then, a cut-and-pasted |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1193 version of a successful session with your application, saved as a text file, can serve |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1194 as a test for future |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1195 |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1196 Invoke the test later with `python myapplication.py --test mytranscripttestfile.ext` |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1197 Wildcards can be used to test against multiple transcript files. |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1198 |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1199 |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1200 class TestMyAppCase(Cmd2TestCase): |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1201 CmdApp = CmdLineApp |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1202 parser = optparse.OptionParser() |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1203 parser.add_option('-t', '--test', dest='test', action="store_true", |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1204 help='Test against transcript(s) in FILE (wildcards OK)') |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1205 (callopts, callargs) = parser.parse_args() |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1206 if callopts.test: |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1207 CmdLineApp.testfiles = callargs |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1208 sys.argv = [sys.argv[0]] # the --test argument upsets unittest.main() |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1209 unittest.main() |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1210 else: |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1211 CmdLineApp().cmdloop() |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1212 ''' |