Mercurial > python-cmd2
annotate cmd2.py @ 415:d858a03fbdbb
replacing self.perror();return with raise for catchability
author | Catherine Devlin <catherine.devlin@gmail.com> |
---|---|
date | Wed, 17 Nov 2010 21:59:01 -0500 |
parents | 731f2c93c1cd |
children | a9f936346399 |
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) | |
310 | 16 Bash-style ``select`` available |
230 | 17 |
18 Note that redirection with > and | will only work if `self.stdout.write()` | |
19 is used in place of `print`. The standard library's `cmd` module is | |
20 written to use `self.stdout.write()`, | |
21 | |
22 - Catherine Devlin, Jan 03 2008 - catherinedevlin.blogspot.com | |
23 | |
24 mercurial repository at http://www.assembla.com/wiki/show/python-cmd2 | |
25 """ | |
287
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
26 import cmd |
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
27 import re |
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
28 import os |
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
29 import sys |
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
30 import optparse |
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
31 import subprocess |
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
32 import tempfile |
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
33 import doctest |
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
34 import unittest |
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
35 import datetime |
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
36 import urllib |
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
37 import glob |
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
38 import traceback |
312 | 39 import platform |
323 | 40 import copy |
339 | 41 from code import InteractiveConsole, InteractiveInterpreter |
230 | 42 from optparse import make_option |
287
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
43 |
309 | 44 if sys.version_info[0] > 2: |
45 import pyparsing_py3 as pyparsing | |
343 | 46 raw_input = input |
309 | 47 else: |
48 import pyparsing | |
398
7812e00ff5b1
encode paste buffer write for Python 3
catherine.devlin@gmail.com
parents:
397
diff
changeset
|
49 |
414
731f2c93c1cd
begin work on v 0.6.3
Catherine Devlin <catherine.devlin@gmail.com>
parents:
413
diff
changeset
|
50 __version__ = '0.6.3' |
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
|
51 |
230 | 52 class OptionParser(optparse.OptionParser): |
53 def exit(self, status=0, msg=None): | |
54 self.values._exit = True | |
55 if msg: | |
311
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
56 print (msg) |
230 | 57 |
58 def print_help(self, *args, **kwargs): | |
59 try: | |
311
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
60 print (self._func.__doc__) |
230 | 61 except AttributeError: |
62 pass | |
63 optparse.OptionParser.print_help(self, *args, **kwargs) | |
64 | |
65 def error(self, msg): | |
66 """error(msg : string) | |
67 | |
68 Print a usage message incorporating 'msg' to stderr and exit. | |
69 If you override this in a subclass, it should not return -- it | |
70 should either exit or raise an exception. | |
71 """ | |
72 raise | |
73 | |
287
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
74 def remaining_args(oldArgs, newArgList): |
230 | 75 ''' |
285 | 76 Preserves the spacing originally in the argument after |
77 the removal of options. | |
78 | |
287
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
79 >>> remaining_args('-f bar bar cow', ['bar', 'cow']) |
230 | 80 'bar cow' |
81 ''' | |
82 pattern = '\s+'.join(re.escape(a) for a in newArgList) + '\s*$' | |
83 matchObj = re.search(pattern, oldArgs) | |
84 return oldArgs[matchObj.start():] | |
280 | 85 |
86 def _attr_get_(obj, attr): | |
87 '''Returns an attribute's value, or None (no error) if undefined. | |
286 | 88 Analagous to .get() for dictionaries. Useful when checking for |
89 value of options that may not have been defined on a given | |
90 method.''' | |
280 | 91 try: |
92 return getattr(obj, attr) | |
93 except AttributeError: | |
94 return None | |
283 | 95 |
96 optparse.Values.get = _attr_get_ | |
97 | |
311
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
98 options_defined = [] # used to distinguish --options from SQL-style --comments |
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
99 |
413
f16f444a4d10
added arg_desc to @options, thanks Renzo Crispiatico
Catherine Devlin <catherine.devlin@gmail.com>
parents:
411
diff
changeset
|
100 def options(option_list, arg_desc="arg"): |
287
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
101 '''Used as a decorator and passed a list of optparse-style options, |
389 | 102 alters a cmd2 method to populate its ``opts`` argument from its |
287
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
103 raw text argument. |
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
104 |
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
105 Example: transform |
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
106 def do_something(self, arg): |
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
107 |
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
108 into |
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
109 @options([make_option('-q', '--quick', action="store_true", |
413
f16f444a4d10
added arg_desc to @options, thanks Renzo Crispiatico
Catherine Devlin <catherine.devlin@gmail.com>
parents:
411
diff
changeset
|
110 help="Makes things fast")], |
f16f444a4d10
added arg_desc to @options, thanks Renzo Crispiatico
Catherine Devlin <catherine.devlin@gmail.com>
parents:
411
diff
changeset
|
111 "source dest") |
287
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
112 def do_something(self, arg, opts): |
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
113 if opts.quick: |
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
114 self.fast_button = True |
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
115 ''' |
296 | 116 if not isinstance(option_list, list): |
298 | 117 option_list = [option_list] |
311
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
118 for opt in option_list: |
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
119 options_defined.append(pyparsing.Literal(opt.get_opt_string())) |
230 | 120 def option_setup(func): |
121 optionParser = OptionParser() | |
122 for opt in option_list: | |
123 optionParser.add_option(opt) | |
413
f16f444a4d10
added arg_desc to @options, thanks Renzo Crispiatico
Catherine Devlin <catherine.devlin@gmail.com>
parents:
411
diff
changeset
|
124 optionParser.set_usage("%s [options] %s" % (func.__name__[3:], arg_desc)) |
230 | 125 optionParser._func = func |
287
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
126 def new_func(instance, arg): |
230 | 127 try: |
302 | 128 opts, newArgList = optionParser.parse_args(arg.split()) |
285 | 129 # Must find the remaining args in the original argument list, but |
130 # mustn't include the command itself | |
302 | 131 #if hasattr(arg, 'parsed') and newArgList[0] == arg.parsed.command: |
132 # newArgList = newArgList[1:] | |
133 newArgs = remaining_args(arg, newArgList) | |
301 | 134 if isinstance(arg, ParsedString): |
135 arg = arg.with_args_replaced(newArgs) | |
136 else: | |
137 arg = newArgs | |
230 | 138 except (optparse.OptionValueError, optparse.BadOptionError, |
139 optparse.OptionError, optparse.AmbiguousOptionError, | |
140 optparse.OptionConflictError), e: | |
311
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
141 print (e) |
230 | 142 optionParser.print_help() |
143 return | |
144 if hasattr(opts, '_exit'): | |
145 return None | |
146 result = func(instance, arg, opts) | |
147 return result | |
289 | 148 new_func.__doc__ = '%s\n%s' % (func.__doc__, optionParser.format_help()) |
287
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
149 return new_func |
230 | 150 return option_setup |
151 | |
152 class PasteBufferError(EnvironmentError): | |
153 if sys.platform[:3] == 'win': | |
154 errmsg = """Redirecting to or from paste buffer requires pywin32 | |
155 to be installed on operating system. | |
156 Download from http://sourceforge.net/projects/pywin32/""" | |
157 else: | |
158 errmsg = """Redirecting to or from paste buffer requires xclip | |
159 to be installed on operating system. | |
160 On Debian/Ubuntu, 'sudo apt-get install xclip' will install it.""" | |
161 def __init__(self): | |
162 Exception.__init__(self, self.errmsg) | |
163 | |
164 pastebufferr = """Redirecting to or from paste buffer requires %s | |
165 to be installed on operating system. | |
166 %s""" | |
286 | 167 |
230 | 168 if subprocess.mswindows: |
169 try: | |
170 import win32clipboard | |
287
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
171 def get_paste_buffer(): |
230 | 172 win32clipboard.OpenClipboard(0) |
173 try: | |
174 result = win32clipboard.GetClipboardData() | |
175 except TypeError: | |
176 result = '' #non-text | |
177 win32clipboard.CloseClipboard() | |
178 return result | |
287
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
179 def write_to_paste_buffer(txt): |
230 | 180 win32clipboard.OpenClipboard(0) |
181 win32clipboard.EmptyClipboard() | |
182 win32clipboard.SetClipboardText(txt) | |
183 win32clipboard.CloseClipboard() | |
184 except ImportError: | |
287
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
185 def get_paste_buffer(*args): |
230 | 186 raise OSError, pastebufferr % ('pywin32', 'Download from http://sourceforge.net/projects/pywin32/') |
354 | 187 write_to_paste_buffer = get_paste_buffer |
230 | 188 else: |
189 can_clip = False | |
190 try: | |
395 | 191 subprocess.check_call('xclip -o -sel clip', shell=True, stdout=subprocess.PIPE, stdin=subprocess.PIPE, stderr=subprocess.PIPE) |
230 | 192 can_clip = True |
193 except AttributeError: # check_call not defined, Python < 2.5 | |
194 teststring = 'Testing for presence of xclip.' | |
195 xclipproc = subprocess.Popen('xclip -sel clip', shell=True, stdout=subprocess.PIPE, stdin=subprocess.PIPE) | |
196 xclipproc.stdin.write(teststring) | |
197 xclipproc.stdin.close() | |
198 xclipproc = subprocess.Popen('xclip -o -sel clip', shell=True, stdout=subprocess.PIPE, stdin=subprocess.PIPE) | |
199 if xclipproc.stdout.read() == teststring: | |
200 can_clip = True | |
201 except (subprocess.CalledProcessError, OSError, IOError): | |
202 pass | |
203 if can_clip: | |
287
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
204 def get_paste_buffer(): |
230 | 205 xclipproc = subprocess.Popen('xclip -o -sel clip', shell=True, stdout=subprocess.PIPE, stdin=subprocess.PIPE) |
206 return xclipproc.stdout.read() | |
287
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
207 def write_to_paste_buffer(txt): |
230 | 208 xclipproc = subprocess.Popen('xclip -sel clip', shell=True, stdout=subprocess.PIPE, stdin=subprocess.PIPE) |
398
7812e00ff5b1
encode paste buffer write for Python 3
catherine.devlin@gmail.com
parents:
397
diff
changeset
|
209 xclipproc.stdin.write(txt.encode()) |
230 | 210 xclipproc.stdin.close() |
211 # but we want it in both the "primary" and "mouse" clipboards | |
212 xclipproc = subprocess.Popen('xclip', shell=True, stdout=subprocess.PIPE, stdin=subprocess.PIPE) | |
398
7812e00ff5b1
encode paste buffer write for Python 3
catherine.devlin@gmail.com
parents:
397
diff
changeset
|
213 xclipproc.stdin.write(txt.encode()) |
230 | 214 xclipproc.stdin.close() |
215 else: | |
287
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
216 def get_paste_buffer(*args): |
230 | 217 raise OSError, pastebufferr % ('xclip', 'On Debian/Ubuntu, install with "sudo apt-get install xclip"') |
354 | 218 write_to_paste_buffer = get_paste_buffer |
230 | 219 |
220 pyparsing.ParserElement.setDefaultWhitespaceChars(' \t') | |
221 | |
222 class ParsedString(str): | |
300
1e4773b325d1
assume newfunc does not have to accept unparsed arguments
catherine@dellzilla
parents:
299
diff
changeset
|
223 def full_parsed_statement(self): |
1e4773b325d1
assume newfunc does not have to accept unparsed arguments
catherine@dellzilla
parents:
299
diff
changeset
|
224 new = ParsedString('%s %s' % (self.parsed.command, self.parsed.args)) |
1e4773b325d1
assume newfunc does not have to accept unparsed arguments
catherine@dellzilla
parents:
299
diff
changeset
|
225 new.parsed = self.parsed |
1e4773b325d1
assume newfunc does not have to accept unparsed arguments
catherine@dellzilla
parents:
299
diff
changeset
|
226 new.parser = self.parser |
301 | 227 return new |
228 def with_args_replaced(self, newargs): | |
229 new = ParsedString(newargs) | |
230 new.parsed = self.parsed | |
231 new.parser = self.parser | |
232 new.parsed['args'] = newargs | |
233 new.parsed.statement['args'] = newargs | |
234 return new | |
230 | 235 |
236 class SkipToLast(pyparsing.SkipTo): | |
237 def parseImpl( self, instring, loc, doActions=True ): | |
238 resultStore = [] | |
239 startLoc = loc | |
240 instrlen = len(instring) | |
241 expr = self.expr | |
242 failParse = False | |
243 while loc <= instrlen: | |
244 try: | |
245 if self.failOn: | |
246 failParse = True | |
247 self.failOn.tryParse(instring, loc) | |
248 failParse = False | |
249 loc = expr._skipIgnorables( instring, loc ) | |
250 expr._parse( instring, loc, doActions=False, callPreParse=False ) | |
251 skipText = instring[startLoc:loc] | |
252 if self.includeMatch: | |
253 loc,mat = expr._parse(instring,loc,doActions,callPreParse=False) | |
254 if mat: | |
255 skipRes = ParseResults( skipText ) | |
256 skipRes += mat | |
257 resultStore.append((loc, [ skipRes ])) | |
258 else: | |
259 resultStore,append((loc, [ skipText ])) | |
260 else: | |
261 resultStore.append((loc, [ skipText ])) | |
262 loc += 1 | |
263 except (pyparsing.ParseException,IndexError): | |
264 if failParse: | |
265 raise | |
266 else: | |
267 loc += 1 | |
268 if resultStore: | |
269 return resultStore[-1] | |
270 else: | |
271 exc = self.myException | |
272 exc.loc = loc | |
273 exc.pstr = instring | |
274 raise exc | |
275 | |
320
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
276 class StubbornDict(dict): |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
277 '''Dictionary that tolerates many input formats. |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
278 Create it with stubbornDict(arg) factory function. |
319
c58cd7e48db7
begin to switch settable to TextLineList
catherine@dellzilla
parents:
317
diff
changeset
|
279 |
320
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
280 >>> d = StubbornDict(large='gross', small='klein') |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
281 >>> sorted(d.items()) |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
282 [('large', 'gross'), ('small', 'klein')] |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
283 >>> d.append(['plain', ' plaid']) |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
284 >>> sorted(d.items()) |
333 | 285 [('large', 'gross'), ('plaid', ''), ('plain', ''), ('small', 'klein')] |
320
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
286 >>> d += ' girl Frauelein, Maedchen\\n\\n shoe schuh' |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
287 >>> sorted(d.items()) |
333 | 288 [('girl', 'Frauelein, Maedchen'), ('large', 'gross'), ('plaid', ''), ('plain', ''), ('shoe', 'schuh'), ('small', 'klein')] |
320
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
289 ''' |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
290 def update(self, arg): |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
291 dict.update(self, StubbornDict.to_dict(arg)) |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
292 append = update |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
293 def __iadd__(self, arg): |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
294 self.update(arg) |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
295 return self |
323 | 296 def __add__(self, arg): |
297 selfcopy = copy.copy(self) | |
298 selfcopy.update(stubbornDict(arg)) | |
299 return selfcopy | |
300 def __radd__(self, arg): | |
301 selfcopy = copy.copy(self) | |
302 selfcopy.update(stubbornDict(arg)) | |
303 return selfcopy | |
320
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
304 |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
305 @classmethod |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
306 def to_dict(cls, arg): |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
307 'Generates dictionary from string or list of strings' |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
308 if hasattr(arg, 'splitlines'): |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
309 arg = arg.splitlines() |
340
43569db3ebdb
detect lists with __reversed__ not __getslice__
catherine@Drou
parents:
339
diff
changeset
|
310 if hasattr(arg, '__reversed__'): |
320
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
311 result = {} |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
312 for a in arg: |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
313 a = a.strip() |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
314 if a: |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
315 key_val = a.split(None, 1) |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
316 key = key_val[0] |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
317 if len(key_val) > 1: |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
318 val = key_val[1] |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
319 else: |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
320 val = '' |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
321 result[key] = val |
319
c58cd7e48db7
begin to switch settable to TextLineList
catherine@dellzilla
parents:
317
diff
changeset
|
322 else: |
320
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
323 result = arg |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
324 return result |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
325 |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
326 def stubbornDict(*arg, **kwarg): |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
327 ''' |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
328 >>> sorted(stubbornDict('cow a bovine\\nhorse an equine').items()) |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
329 [('cow', 'a bovine'), ('horse', 'an equine')] |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
330 >>> sorted(stubbornDict(['badger', 'porcupine a poky creature']).items()) |
333 | 331 [('badger', ''), ('porcupine', 'a poky creature')] |
320
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
332 >>> sorted(stubbornDict(turtle='has shell', frog='jumpy').items()) |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
333 [('frog', 'jumpy'), ('turtle', 'has shell')] |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
334 ''' |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
335 result = {} |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
336 for a in arg: |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
337 result.update(StubbornDict.to_dict(a)) |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
338 result.update(kwarg) |
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
339 return StubbornDict(result) |
319
c58cd7e48db7
begin to switch settable to TextLineList
catherine@dellzilla
parents:
317
diff
changeset
|
340 |
230 | 341 def replace_with_file_contents(fname): |
342 if fname: | |
343 try: | |
344 result = open(os.path.expanduser(fname[0])).read() | |
345 except IOError: | |
346 result = '< %s' % fname[0] # wasn't a file after all | |
347 else: | |
287
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
348 result = get_paste_buffer() |
233 | 349 return result |
350 | |
368 | 351 class EmbeddedConsoleExit(SystemExit): |
234 | 352 pass |
353 | |
348 | 354 class EmptyStatement(Exception): |
355 pass | |
356 | |
290 | 357 def ljust(x, width, fillchar=' '): |
358 'analogous to str.ljust, but works for lists' | |
359 if hasattr(x, 'ljust'): | |
360 return x.ljust(width, fillchar) | |
361 else: | |
362 if len(x) < width: | |
363 x = (x + [fillchar] * width)[:width] | |
364 return x | |
365 | |
230 | 366 class Cmd(cmd.Cmd): |
367 echo = False | |
286 | 368 case_insensitive = True # Commands recognized regardless of case |
230 | 369 continuation_prompt = '> ' |
286 | 370 timing = False # Prints elapsed time for each command |
371 # make sure your terminators are not in legalChars! | |
372 legalChars = '!#$%.:?@_' + pyparsing.alphanums + pyparsing.alphas8bit | |
244
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
373 shortcuts = {'?': 'help', '!': 'shell', '@': 'load', '@@': '_relative_load'} |
230 | 374 excludeFromHistory = '''run r list l history hi ed edit li eof'''.split() |
331 | 375 default_to_shell = False |
230 | 376 noSpecialParse = 'set ed edit exit'.split() |
286 | 377 defaultExtension = 'txt' # For ``save``, ``load``, etc. |
378 default_file_name = 'command.txt' # For ``save``, ``load``, etc. | |
287
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
379 abbrev = True # Abbreviated commands recognized |
244
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
380 current_script_dir = None |
245 | 381 reserved_words = [] |
287
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
382 feedback_to_output = False # Do include nonessentials in >, | output |
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
383 quiet = False # Do not suppress nonessential output |
360 | 384 debug = False |
339 | 385 locals_in_py = True |
349
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
386 kept_state = None |
320
b9f19255d4b7
transcript test stuck in infinite loop?
catherine@dellzilla
parents:
319
diff
changeset
|
387 settable = stubbornDict(''' |
290 | 388 prompt |
312 | 389 colors Colorized output (*nix only) |
331 | 390 continuation_prompt On 2nd+ line of input |
391 debug Show full error stack on error | |
392 default_file_name for ``save``, ``load``, etc. | |
393 editor Program used by ``edit`` | |
290 | 394 case_insensitive upper- and lower-case both OK |
395 feedback_to_output include nonessentials in `|`, `>` results | |
331 | 396 quiet Don't print nonessential feedback |
290 | 397 echo Echo command issued into output |
398 timing Report execution times | |
399 abbrev Accept abbreviated commands | |
319
c58cd7e48db7
begin to switch settable to TextLineList
catherine@dellzilla
parents:
317
diff
changeset
|
400 ''') |
230 | 401 |
267
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
402 def poutput(self, msg): |
398
7812e00ff5b1
encode paste buffer write for Python 3
catherine.devlin@gmail.com
parents:
397
diff
changeset
|
403 '''Convenient shortcut for self.stdout.write(); adds newline if necessary.''' |
284 | 404 if msg: |
405 self.stdout.write(msg) | |
406 if msg[-1] != '\n': | |
407 self.stdout.write('\n') | |
276 | 408 def perror(self, errmsg, statement=None): |
282 | 409 if self.debug: |
410 traceback.print_exc() | |
341 | 411 print (str(errmsg)) |
267
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
412 def pfeedback(self, msg): |
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
413 """For printing nonessential feedback. Can be silenced with `quiet`. |
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
414 Inclusion in redirected output is controlled by `feedback_to_output`.""" |
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
415 if not self.quiet: |
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
416 if self.feedback_to_output: |
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
417 self.poutput(msg) |
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
418 else: |
311
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
419 print (msg) |
355 | 420 _STOP_AND_EXIT = True # distinguish end of script file from actual exit |
421 _STOP_SCRIPT_NO_EXIT = -999 | |
230 | 422 editor = os.environ.get('EDITOR') |
423 if not editor: | |
424 if sys.platform[:3] == 'win': | |
425 editor = 'notepad' | |
426 else: | |
427 for editor in ['gedit', 'kate', 'vim', 'emacs', 'nano', 'pico']: | |
407
f5aa16a22b52
was detecting first absent editor, not first presnt
Catherine Devlin <catherine.devlin@gmail.com>
parents:
406
diff
changeset
|
428 if subprocess.Popen(['which', editor], stdout=subprocess.PIPE).communicate()[0]: |
230 | 429 break |
312 | 430 |
431 colorcodes = {'bold':{True:'\x1b[1m',False:'\x1b[22m'}, | |
432 'cyan':{True:'\x1b[36m',False:'\x1b[39m'}, | |
433 'blue':{True:'\x1b[34m',False:'\x1b[39m'}, | |
434 'red':{True:'\x1b[31m',False:'\x1b[39m'}, | |
435 'magenta':{True:'\x1b[35m',False:'\x1b[39m'}, | |
436 'green':{True:'\x1b[32m',False:'\x1b[39m'}, | |
437 'underline':{True:'\x1b[4m',False:'\x1b[24m'}} | |
438 colors = (platform.system() != 'Windows') | |
439 def colorize(self, val, color): | |
336 | 440 '''Given a string (``val``), returns that string wrapped in UNIX-style |
441 special characters that turn on (and then off) text color and style. | |
442 If the ``colors`` environment paramter is ``False``, or the application | |
443 is running on Windows, will return ``val`` unchanged. | |
411 | 444 ``color`` should be one of the supported strings (or styles): |
445 red/blue/green/cyan/magenta, bold, underline''' | |
312 | 446 if self.colors and (self.stdout == self.initial_stdout): |
447 return self.colorcodes[color][True] + val + self.colorcodes[color][False] | |
448 return val | |
449 | |
230 | 450 def do_cmdenvironment(self, args): |
451 '''Summary report of interactive parameters.''' | |
452 self.stdout.write(""" | |
453 Commands are %(casesensitive)scase-sensitive. | |
454 Commands may be terminated with: %(terminators)s | |
237 | 455 Settable parameters: %(settable)s\n""" % \ |
230 | 456 { 'casesensitive': (self.case_insensitive and 'not ') or '', |
457 'terminators': str(self.terminators), | |
458 'settable': ' '.join(self.settable) | |
459 }) | |
460 | |
461 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
|
462 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
|
463 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
|
464 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
|
465 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
|
466 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
|
467 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
|
468 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
|
469 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
|
470 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
|
471 cmd.Cmd.do_help(self, arg) |
230 | 472 |
473 def __init__(self, *args, **kwargs): | |
474 cmd.Cmd.__init__(self, *args, **kwargs) | |
271 | 475 self.initial_stdout = sys.stdout |
230 | 476 self.history = History() |
477 self.pystate = {} | |
244
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
478 self.shortcuts = sorted(self.shortcuts.items(), reverse=True) |
247
3db4166a54ce
abbrevs working with help
catherine@Elli.myhome.westell.com
parents:
246
diff
changeset
|
479 self.keywords = self.reserved_words + [fname[3:] for fname in dir(self) |
382
2687482dfa33
doubledashcomment moved into sqlpyPlus to define parser after local comment definition
catherine@Drou
parents:
380
diff
changeset
|
480 if fname.startswith('do_')] |
2687482dfa33
doubledashcomment moved into sqlpyPlus to define parser after local comment definition
catherine@Drou
parents:
380
diff
changeset
|
481 self._init_parser() |
290 | 482 |
230 | 483 def do_shortcuts(self, args): |
484 """Lists single-key shortcuts available.""" | |
244
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
485 result = "\n".join('%s: %s' % (sc[0], sc[1]) for sc in sorted(self.shortcuts)) |
230 | 486 self.stdout.write("Single-key shortcuts for other commands:\n%s\n" % (result)) |
487 | |
488 prefixParser = pyparsing.Empty() | |
489 commentGrammars = pyparsing.Or([pyparsing.pythonStyleComment, pyparsing.cStyleComment]) | |
490 commentGrammars.addParseAction(lambda x: '') | |
288
e743cf74c518
hooray, fixed bad comment parser - all unit tests pass
catherine@bothari
parents:
287
diff
changeset
|
491 commentInProgress = pyparsing.Literal('/*') + pyparsing.SkipTo( |
e743cf74c518
hooray, fixed bad comment parser - all unit tests pass
catherine@bothari
parents:
287
diff
changeset
|
492 pyparsing.stringEnd ^ '*/') |
230 | 493 terminators = [';'] |
494 blankLinesAllowed = False | |
495 multilineCommands = [] | |
496 | |
497 def _init_parser(self): | |
498 r''' | |
499 >>> c = Cmd() | |
500 >>> c.multilineCommands = ['multiline'] | |
501 >>> c.case_insensitive = True | |
502 >>> c._init_parser() | |
311
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
503 >>> print (c.parser.parseString('').dump()) |
313 | 504 [] |
505 >>> print (c.parser.parseString('').dump()) | |
230 | 506 [] |
311
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
507 >>> print (c.parser.parseString('/* empty command */').dump()) |
230 | 508 [] |
311
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
509 >>> print (c.parser.parseString('plainword').dump()) |
230 | 510 ['plainword', ''] |
511 - command: plainword | |
512 - statement: ['plainword', ''] | |
513 - command: plainword | |
311
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
514 >>> print (c.parser.parseString('termbare;').dump()) |
230 | 515 ['termbare', '', ';', ''] |
516 - command: termbare | |
517 - statement: ['termbare', '', ';'] | |
518 - command: termbare | |
519 - terminator: ; | |
520 - terminator: ; | |
311
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
521 >>> print (c.parser.parseString('termbare; suffx').dump()) |
230 | 522 ['termbare', '', ';', 'suffx'] |
523 - command: termbare | |
524 - statement: ['termbare', '', ';'] | |
525 - command: termbare | |
526 - terminator: ; | |
527 - suffix: suffx | |
528 - terminator: ; | |
311
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
529 >>> print (c.parser.parseString('barecommand').dump()) |
230 | 530 ['barecommand', ''] |
531 - command: barecommand | |
532 - statement: ['barecommand', ''] | |
533 - command: barecommand | |
311
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
534 >>> print (c.parser.parseString('COMmand with args').dump()) |
230 | 535 ['command', 'with args'] |
536 - args: with args | |
537 - command: command | |
538 - statement: ['command', 'with args'] | |
539 - args: with args | |
540 - command: command | |
311
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
541 >>> print (c.parser.parseString('command with args and terminator; and suffix').dump()) |
230 | 542 ['command', 'with args and terminator', ';', 'and suffix'] |
543 - args: with args and terminator | |
544 - command: command | |
545 - statement: ['command', 'with args and terminator', ';'] | |
546 - args: with args and terminator | |
547 - command: command | |
548 - terminator: ; | |
549 - suffix: and suffix | |
550 - terminator: ; | |
311
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
551 >>> print (c.parser.parseString('simple | piped').dump()) |
230 | 552 ['simple', '', '|', ' piped'] |
553 - command: simple | |
554 - pipeTo: piped | |
555 - statement: ['simple', ''] | |
556 - command: simple | |
311
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
557 >>> print (c.parser.parseString('double-pipe || is not a pipe').dump()) |
230 | 558 ['double', '-pipe || is not a pipe'] |
559 - args: -pipe || is not a pipe | |
560 - command: double | |
561 - statement: ['double', '-pipe || is not a pipe'] | |
562 - args: -pipe || is not a pipe | |
563 - command: double | |
311
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
564 >>> print (c.parser.parseString('command with args, terminator;sufx | piped').dump()) |
230 | 565 ['command', 'with args, terminator', ';', 'sufx', '|', ' piped'] |
566 - args: with args, terminator | |
567 - command: command | |
568 - pipeTo: piped | |
569 - statement: ['command', 'with args, terminator', ';'] | |
570 - args: with args, terminator | |
571 - command: command | |
572 - terminator: ; | |
573 - suffix: sufx | |
574 - terminator: ; | |
311
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
575 >>> print (c.parser.parseString('output into > afile.txt').dump()) |
230 | 576 ['output', 'into', '>', 'afile.txt'] |
577 - args: into | |
578 - command: output | |
579 - output: > | |
580 - outputTo: afile.txt | |
581 - statement: ['output', 'into'] | |
582 - args: into | |
583 - command: output | |
311
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
584 >>> print (c.parser.parseString('output into;sufx | pipethrume plz > afile.txt').dump()) |
230 | 585 ['output', 'into', ';', 'sufx', '|', ' pipethrume plz', '>', 'afile.txt'] |
586 - args: into | |
587 - command: output | |
588 - output: > | |
589 - outputTo: afile.txt | |
590 - pipeTo: pipethrume plz | |
591 - statement: ['output', 'into', ';'] | |
592 - args: into | |
593 - command: output | |
594 - terminator: ; | |
595 - suffix: sufx | |
596 - terminator: ; | |
311
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
597 >>> print (c.parser.parseString('output to paste buffer >> ').dump()) |
230 | 598 ['output', 'to paste buffer', '>>', ''] |
599 - args: to paste buffer | |
600 - command: output | |
601 - output: >> | |
602 - statement: ['output', 'to paste buffer'] | |
603 - args: to paste buffer | |
604 - command: output | |
311
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
605 >>> print (c.parser.parseString('ignore the /* commented | > */ stuff;').dump()) |
230 | 606 ['ignore', 'the /* commented | > */ stuff', ';', ''] |
607 - args: the /* commented | > */ stuff | |
608 - command: ignore | |
609 - statement: ['ignore', 'the /* commented | > */ stuff', ';'] | |
610 - args: the /* commented | > */ stuff | |
611 - command: ignore | |
612 - terminator: ; | |
613 - terminator: ; | |
311
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
614 >>> print (c.parser.parseString('has > inside;').dump()) |
230 | 615 ['has', '> inside', ';', ''] |
616 - args: > inside | |
617 - command: has | |
618 - statement: ['has', '> inside', ';'] | |
619 - args: > inside | |
620 - command: has | |
621 - terminator: ; | |
622 - terminator: ; | |
311
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
623 >>> print (c.parser.parseString('multiline has > inside an unfinished command').dump()) |
230 | 624 ['multiline', ' has > inside an unfinished command'] |
625 - multilineCommand: multiline | |
311
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
626 >>> print (c.parser.parseString('multiline has > inside;').dump()) |
230 | 627 ['multiline', 'has > inside', ';', ''] |
628 - args: has > inside | |
629 - multilineCommand: multiline | |
630 - statement: ['multiline', 'has > inside', ';'] | |
631 - args: has > inside | |
632 - multilineCommand: multiline | |
633 - terminator: ; | |
634 - terminator: ; | |
311
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
635 >>> print (c.parser.parseString('multiline command /* with comment in progress;').dump()) |
272 | 636 ['multiline', ' command'] |
637 - multilineCommand: multiline | |
311
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
638 >>> print (c.parser.parseString('multiline command /* with comment complete */ is done;').dump()) |
230 | 639 ['multiline', 'command /* with comment complete */ is done', ';', ''] |
640 - args: command /* with comment complete */ is done | |
641 - multilineCommand: multiline | |
642 - statement: ['multiline', 'command /* with comment complete */ is done', ';'] | |
643 - args: command /* with comment complete */ is done | |
644 - multilineCommand: multiline | |
645 - terminator: ; | |
646 - terminator: ; | |
311
54e2dd53ba38
excluded --options from --comments with .NotAny
catherine@bothari
parents:
310
diff
changeset
|
647 >>> print (c.parser.parseString('multiline command ends\n\n').dump()) |
230 | 648 ['multiline', 'command ends', '\n', '\n'] |
649 - args: command ends | |
650 - multilineCommand: multiline | |
651 - statement: ['multiline', 'command ends', '\n', '\n'] | |
652 - args: command ends | |
653 - multilineCommand: multiline | |
654 - terminator: ['\n', '\n'] | |
655 - terminator: ['\n', '\n'] | |
656 ''' | |
657 outputParser = (pyparsing.Literal('>>') | (pyparsing.WordStart() + '>') | pyparsing.Regex('[^=]>'))('output') | |
658 | |
659 terminatorParser = pyparsing.Or([(hasattr(t, 'parseString') and t) or pyparsing.Literal(t) for t in self.terminators])('terminator') | |
660 stringEnd = pyparsing.stringEnd ^ '\nEOF' | |
661 self.multilineCommand = pyparsing.Or([pyparsing.Keyword(c, caseless=self.case_insensitive) for c in self.multilineCommands])('multilineCommand') | |
662 oneLineCommand = (~self.multilineCommand + pyparsing.Word(self.legalChars))('command') | |
663 pipe = pyparsing.Keyword('|', identChars='|') | |
285 | 664 self.commentGrammars.ignore(pyparsing.quotedString).setParseAction(lambda x: '') |
230 | 665 afterElements = \ |
666 pyparsing.Optional(pipe + pyparsing.SkipTo(outputParser ^ stringEnd)('pipeTo')) + \ | |
667 pyparsing.Optional(outputParser + pyparsing.SkipTo(stringEnd).setParseAction(lambda x: x[0].strip())('outputTo')) | |
668 if self.case_insensitive: | |
669 self.multilineCommand.setParseAction(lambda x: x[0].lower()) | |
670 oneLineCommand.setParseAction(lambda x: x[0].lower()) | |
671 if self.blankLinesAllowed: | |
672 self.blankLineTerminationParser = pyparsing.NoMatch | |
673 else: | |
674 self.blankLineTerminator = (pyparsing.lineEnd + pyparsing.lineEnd)('terminator') | |
675 self.blankLineTerminator.setResultsName('terminator') | |
676 self.blankLineTerminationParser = ((self.multilineCommand ^ oneLineCommand) + pyparsing.SkipTo(self.blankLineTerminator).setParseAction(lambda x: x[0].strip())('args') + self.blankLineTerminator)('statement') | |
677 self.multilineParser = (((self.multilineCommand ^ oneLineCommand) + SkipToLast(terminatorParser).setParseAction(lambda x: x[0].strip())('args') + terminatorParser)('statement') + | |
678 pyparsing.SkipTo(outputParser ^ pipe ^ stringEnd).setParseAction(lambda x: x[0].strip())('suffix') + afterElements) | |
250 | 679 self.multilineParser.ignore(self.commentInProgress) |
230 | 680 self.singleLineParser = ((oneLineCommand + pyparsing.SkipTo(terminatorParser ^ stringEnd ^ pipe ^ outputParser).setParseAction(lambda x:x[0].strip())('args'))('statement') + |
681 pyparsing.Optional(terminatorParser) + afterElements) | |
288
e743cf74c518
hooray, fixed bad comment parser - all unit tests pass
catherine@bothari
parents:
287
diff
changeset
|
682 #self.multilineParser = self.multilineParser.setResultsName('multilineParser') |
e743cf74c518
hooray, fixed bad comment parser - all unit tests pass
catherine@bothari
parents:
287
diff
changeset
|
683 #self.singleLineParser = self.singleLineParser.setResultsName('singleLineParser') |
e743cf74c518
hooray, fixed bad comment parser - all unit tests pass
catherine@bothari
parents:
287
diff
changeset
|
684 self.blankLineTerminationParser = self.blankLineTerminationParser.setResultsName('statement') |
266
584f970ca66a
permit bare prefix
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
685 self.parser = self.prefixParser + ( |
230 | 686 stringEnd | |
266
584f970ca66a
permit bare prefix
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
687 self.multilineParser | |
584f970ca66a
permit bare prefix
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
688 self.singleLineParser | |
584f970ca66a
permit bare prefix
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
689 self.blankLineTerminationParser | |
584f970ca66a
permit bare prefix
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
690 self.multilineCommand + pyparsing.SkipTo(stringEnd) |
230 | 691 ) |
249
55a12d77a4fa
finally, ls working right
catherine@Elli.myhome.westell.com
parents:
248
diff
changeset
|
692 self.parser.ignore(pyparsing.quotedString).ignore(self.commentGrammars) |
230 | 693 |
694 inputMark = pyparsing.Literal('<') | |
695 inputMark.setParseAction(lambda x: '') | |
696 fileName = pyparsing.Word(self.legalChars + '/\\') | |
697 inputFrom = fileName('inputFrom') | |
698 inputFrom.setParseAction(replace_with_file_contents) | |
699 # a not-entirely-satisfactory way of distinguishing < as in "import from" from < | |
700 # as in "lesser than" | |
701 self.inputParser = inputMark + pyparsing.Optional(inputFrom) + pyparsing.Optional('>') + \ | |
702 pyparsing.Optional(fileName) + (pyparsing.stringEnd | '|') | |
703 self.inputParser.ignore(pyparsing.quotedString).ignore(self.commentGrammars).ignore(self.commentInProgress) | |
704 | |
705 def preparse(self, raw, **kwargs): | |
706 return raw | |
401 | 707 def postparse(self, parseResult): |
708 return parseResult | |
709 | |
230 | 710 def parsed(self, raw, **kwargs): |
711 if isinstance(raw, ParsedString): | |
712 p = raw | |
713 else: | |
292 | 714 # preparse is an overridable hook; default makes no changes |
300
1e4773b325d1
assume newfunc does not have to accept unparsed arguments
catherine@dellzilla
parents:
299
diff
changeset
|
715 s = self.preparse(raw, **kwargs) |
1e4773b325d1
assume newfunc does not have to accept unparsed arguments
catherine@dellzilla
parents:
299
diff
changeset
|
716 s = self.inputParser.transformString(s.lstrip()) |
1e4773b325d1
assume newfunc does not have to accept unparsed arguments
catherine@dellzilla
parents:
299
diff
changeset
|
717 s = self.commentGrammars.transformString(s) |
244
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
718 for (shortcut, expansion) in self.shortcuts: |
230 | 719 if s.lower().startswith(shortcut): |
720 s = s.replace(shortcut, expansion + ' ', 1) | |
721 break | |
722 result = self.parser.parseString(s) | |
300
1e4773b325d1
assume newfunc does not have to accept unparsed arguments
catherine@dellzilla
parents:
299
diff
changeset
|
723 result['raw'] = raw |
230 | 724 result['command'] = result.multilineCommand or result.command |
401 | 725 result = self.postparse(result) |
300
1e4773b325d1
assume newfunc does not have to accept unparsed arguments
catherine@dellzilla
parents:
299
diff
changeset
|
726 p = ParsedString(result.args) |
230 | 727 p.parsed = result |
295 | 728 p.parser = self.parsed |
230 | 729 for (key, val) in kwargs.items(): |
730 p.parsed[key] = val | |
731 return p | |
732 | |
733 def postparsing_precmd(self, statement): | |
734 stop = 0 | |
735 return stop, statement | |
736 def postparsing_postcmd(self, stop): | |
737 return stop | |
348 | 738 |
247
3db4166a54ce
abbrevs working with help
catherine@Elli.myhome.westell.com
parents:
246
diff
changeset
|
739 def func_named(self, arg): |
3db4166a54ce
abbrevs working with help
catherine@Elli.myhome.westell.com
parents:
246
diff
changeset
|
740 result = None |
3db4166a54ce
abbrevs working with help
catherine@Elli.myhome.westell.com
parents:
246
diff
changeset
|
741 target = 'do_' + arg |
3db4166a54ce
abbrevs working with help
catherine@Elli.myhome.westell.com
parents:
246
diff
changeset
|
742 if target in dir(self): |
3db4166a54ce
abbrevs working with help
catherine@Elli.myhome.westell.com
parents:
246
diff
changeset
|
743 result = target |
3db4166a54ce
abbrevs working with help
catherine@Elli.myhome.westell.com
parents:
246
diff
changeset
|
744 else: |
3db4166a54ce
abbrevs working with help
catherine@Elli.myhome.westell.com
parents:
246
diff
changeset
|
745 if self.abbrev: # accept shortened versions of commands |
3db4166a54ce
abbrevs working with help
catherine@Elli.myhome.westell.com
parents:
246
diff
changeset
|
746 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
|
747 if len(funcs) == 1: |
3db4166a54ce
abbrevs working with help
catherine@Elli.myhome.westell.com
parents:
246
diff
changeset
|
748 result = 'do_' + funcs[0] |
3db4166a54ce
abbrevs working with help
catherine@Elli.myhome.westell.com
parents:
246
diff
changeset
|
749 return result |
346 | 750 def onecmd_plus_hooks(self, line): |
349
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
751 stop = 0 |
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
752 try: |
353 | 753 statement = self.complete_statement(line) |
349
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
754 (stop, statement) = self.postparsing_precmd(statement) |
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
755 if stop: |
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
756 return self.postparsing_postcmd(stop) |
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
757 if statement.parsed.command not in self.excludeFromHistory: |
353 | 758 self.history.append(statement.parsed.raw) |
759 try: | |
760 self.redirect_output(statement) | |
761 timestart = datetime.datetime.now() | |
762 statement = self.precmd(statement) | |
763 stop = self.onecmd(statement) | |
764 stop = self.postcmd(stop, statement) | |
765 if self.timing: | |
766 self.pfeedback('Elapsed: %s' % str(datetime.datetime.now() - timestart)) | |
767 finally: | |
768 self.restore_output(statement) | |
769 except EmptyStatement: | |
770 return 0 | |
349
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
771 except Exception, e: |
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
772 self.perror(str(e), statement) |
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
773 finally: |
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
774 return self.postparsing_postcmd(stop) |
348 | 775 def complete_statement(self, line): |
398
7812e00ff5b1
encode paste buffer write for Python 3
catherine.devlin@gmail.com
parents:
397
diff
changeset
|
776 """Keep accepting lines of input until the command is complete.""" |
348 | 777 if (not line) or ( |
778 not pyparsing.Or(self.commentGrammars). | |
779 setParseAction(lambda x: '').transformString(line)): | |
780 raise EmptyStatement | |
781 statement = self.parsed(line) | |
782 while statement.parsed.multilineCommand and (statement.parsed.terminator == ''): | |
783 statement = '%s\n%s' % (statement.parsed.raw, | |
784 self.pseudo_raw_input(self.continuation_prompt)) | |
785 statement = self.parsed(statement) | |
786 if not statement.parsed.command: | |
787 raise EmptyStatement | |
788 return statement | |
789 | |
349
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
790 def redirect_output(self, statement): |
348 | 791 if statement.parsed.pipeTo: |
354 | 792 self.kept_state = Statekeeper(self, ('stdout',)) |
793 self.kept_sys = Statekeeper(sys, ('stdout',)) | |
350 | 794 self.redirect = subprocess.Popen(statement.parsed.pipeTo, shell=True, stdout=subprocess.PIPE, stdin=subprocess.PIPE) |
354 | 795 sys.stdout = self.stdout = self.redirect.stdin |
348 | 796 elif statement.parsed.output: |
397 | 797 if (not statement.parsed.outputTo) and (not can_clip): |
415
d858a03fbdbb
replacing self.perror();return with raise for catchability
Catherine Devlin <catherine.devlin@gmail.com>
parents:
414
diff
changeset
|
798 raise EnvironmentError('Cannot redirect to paste buffer; install ``xclip`` and re-run to enable') |
349
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
799 self.kept_state = Statekeeper(self, ('stdout',)) |
354 | 800 self.kept_sys = Statekeeper(sys, ('stdout',)) |
348 | 801 if statement.parsed.outputTo: |
802 mode = 'w' | |
803 if statement.parsed.output == '>>': | |
804 mode = 'a' | |
354 | 805 sys.stdout = self.stdout = open(os.path.expanduser(statement.parsed.outputTo), mode) |
348 | 806 else: |
398
7812e00ff5b1
encode paste buffer write for Python 3
catherine.devlin@gmail.com
parents:
397
diff
changeset
|
807 sys.stdout = self.stdout = tempfile.TemporaryFile(mode="w+") |
348 | 808 if statement.parsed.output == '>>': |
809 self.stdout.write(get_paste_buffer()) | |
350 | 810 |
349
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
811 def restore_output(self, statement): |
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
812 if self.kept_state: |
350 | 813 if statement.parsed.output: |
814 if not statement.parsed.outputTo: | |
815 self.stdout.seek(0) | |
349
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
816 write_to_paste_buffer(self.stdout.read()) |
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
817 elif statement.parsed.pipeTo: |
350 | 818 for result in self.redirect.communicate(): |
349
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
819 self.kept_state.stdout.write(result or '') |
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
820 self.stdout.close() |
354 | 821 self.kept_state.restore() |
822 self.kept_sys.restore() | |
349
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
823 self.kept_state = None |
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
824 |
230 | 825 def onecmd(self, line): |
826 """Interpret the argument as though it had been typed in response | |
827 to the prompt. | |
828 | |
829 This may be overridden, but should not normally need to be; | |
830 see the precmd() and postcmd() methods for useful execution hooks. | |
831 The return value is a flag indicating whether interpretation of | |
832 commands by the interpreter should stop. | |
833 | |
834 This (`cmd2`) version of `onecmd` already override's `cmd`'s `onecmd`. | |
835 | |
836 """ | |
349
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
837 statement = self.parsed(line) |
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
838 self.lastcmd = statement.parsed.raw |
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
839 funcname = self.func_named(statement.parsed.command) |
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
840 if not funcname: |
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
841 return self._default(statement) |
230 | 842 try: |
349
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
843 func = getattr(self, funcname) |
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
844 except AttributeError: |
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
845 return self._default(statement) |
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
846 stop = func(statement) |
6116360f6e03
output redirection now wraps around precmd, postcmd
catherine@Drou
parents:
348
diff
changeset
|
847 return stop |
230 | 848 |
330 | 849 def _default(self, statement): |
850 arg = statement.full_parsed_statement() | |
851 if self.default_to_shell: | |
852 result = os.system(arg) | |
853 if not result: | |
854 return self.postparsing_postcmd(None) | |
855 return self.postparsing_postcmd(self.default(arg)) | |
856 | |
230 | 857 def pseudo_raw_input(self, prompt): |
858 """copied from cmd's cmdloop; like raw_input, but accounts for changed stdin, stdout""" | |
859 | |
860 if self.use_rawinput: | |
861 try: | |
862 line = raw_input(prompt) | |
863 except EOFError: | |
864 line = 'EOF' | |
865 else: | |
866 self.stdout.write(prompt) | |
867 self.stdout.flush() | |
868 line = self.stdin.readline() | |
869 if not len(line): | |
870 line = 'EOF' | |
871 else: | |
872 if line[-1] == '\n': # this was always true in Cmd | |
873 line = line[:-1] | |
874 return line | |
282 | 875 |
334 | 876 def _cmdloop(self, intro=None): |
230 | 877 """Repeatedly issue a prompt, accept input, parse an initial prefix |
878 off the received input, and dispatch to action methods, passing them | |
879 the remainder of the line as argument. | |
880 """ | |
881 | |
882 # An almost perfect copy from Cmd; however, the pseudo_raw_input portion | |
883 # has been split out so that it can be called separately | |
884 | |
885 self.preloop() | |
886 if self.use_rawinput and self.completekey: | |
887 try: | |
888 import readline | |
889 self.old_completer = readline.get_completer() | |
890 readline.set_completer(self.complete) | |
891 readline.parse_and_bind(self.completekey+": complete") | |
892 except ImportError: | |
893 pass | |
894 try: | |
895 if intro is not None: | |
896 self.intro = intro | |
897 if self.intro: | |
898 self.stdout.write(str(self.intro)+"\n") | |
899 stop = None | |
900 while not stop: | |
901 if self.cmdqueue: | |
902 line = self.cmdqueue.pop(0) | |
903 else: | |
904 line = self.pseudo_raw_input(self.prompt) | |
905 if (self.echo) and (isinstance(self.stdin, file)): | |
906 self.stdout.write(line + '\n') | |
346 | 907 stop = self.onecmd_plus_hooks(line) |
230 | 908 self.postloop() |
909 finally: | |
910 if self.use_rawinput and self.completekey: | |
911 try: | |
912 import readline | |
913 readline.set_completer(self.old_completer) | |
914 except ImportError: | |
915 pass | |
916 return stop | |
917 | |
918 def do_EOF(self, arg): | |
355 | 919 return self._STOP_SCRIPT_NO_EXIT # End of script; should not exit app |
230 | 920 do_eof = do_EOF |
290 | 921 |
230 | 922 def do_quit(self, arg): |
923 return self._STOP_AND_EXIT | |
924 do_exit = do_quit | |
925 do_q = do_quit | |
926 | |
309 | 927 def select(self, options, prompt='Your choice? '): |
928 '''Presents a numbered menu to the user. Modelled after | |
310 | 929 the bash shell's SELECT. Returns the item chosen. |
930 | |
931 Argument ``options`` can be: | |
332 | 932 |
933 | a single string -> will be split into one-word options | |
934 | a list of strings -> will be offered as options | |
935 | a list of tuples -> interpreted as (value, text), so | |
936 that the return value can differ from | |
937 the text advertised to the user ''' | |
309 | 938 if isinstance(options, basestring): |
310 | 939 options = zip(options.split(), options.split()) |
940 fulloptions = [] | |
941 for opt in options: | |
942 if isinstance(opt, basestring): | |
943 fulloptions.append((opt, opt)) | |
944 else: | |
945 try: | |
946 fulloptions.append((opt[0], opt[1])) | |
947 except IndexError: | |
948 fulloptions.append((opt[0], opt[0])) | |
949 for (idx, (value, text)) in enumerate(fulloptions): | |
950 self.poutput(' %2d. %s\n' % (idx+1, text)) | |
309 | 951 while True: |
952 response = raw_input(prompt) | |
953 try: | |
954 response = int(response) | |
310 | 955 result = fulloptions[response - 1][0] |
309 | 956 break |
957 except ValueError: | |
958 pass # loop and ask again | |
959 return result | |
960 | |
290 | 961 @options([make_option('-l', '--long', action="store_true", |
962 help="describe function of parameter")]) | |
963 def do_show(self, arg, opts): | |
230 | 964 '''Shows value of a parameter.''' |
290 | 965 param = arg.strip().lower() |
966 result = {} | |
967 maxlen = 0 | |
968 for p in self.settable: | |
969 if (not param) or p.startswith(param): | |
970 result[p] = '%s: %s' % (p, str(getattr(self, p))) | |
971 maxlen = max(maxlen, len(result[p])) | |
972 if result: | |
973 for p in sorted(result): | |
974 if opts.long: | |
975 self.poutput('%s # %s' % (result[p].ljust(maxlen), self.settable[p])) | |
976 else: | |
977 self.poutput(result[p]) | |
230 | 978 else: |
415
d858a03fbdbb
replacing self.perror();return with raise for catchability
Catherine Devlin <catherine.devlin@gmail.com>
parents:
414
diff
changeset
|
979 raise NotImplementedError("Parameter '%s' not supported (type 'show' for list of parameters)." % param) |
230 | 980 |
981 def do_set(self, arg): | |
290 | 982 ''' |
983 Sets a cmd2 parameter. Accepts abbreviated parameter names so long | |
984 as there is no ambiguity. Call without arguments for a list of | |
985 settable parameters with their values.''' | |
230 | 986 try: |
291 | 987 statement, paramName, val = arg.parsed.raw.split(None, 2) |
383 | 988 val = val.strip() |
230 | 989 paramName = paramName.strip().lower() |
290 | 990 if paramName not in self.settable: |
291 | 991 hits = [p for p in self.settable if p.startswith(paramName)] |
290 | 992 if len(hits) == 1: |
993 paramName = hits[0] | |
994 else: | |
995 return self.do_show(paramName) | |
996 currentVal = getattr(self, paramName) | |
997 if (val[0] == val[-1]) and val[0] in ("'", '"'): | |
998 val = val[1:-1] | |
999 else: | |
1000 val = cast(currentVal, val) | |
1001 setattr(self, paramName, val) | |
1002 self.stdout.write('%s - was: %s\nnow: %s\n' % (paramName, currentVal, val)) | |
1003 if currentVal != val: | |
1004 try: | |
1005 onchange_hook = getattr(self, '_onchange_%s' % paramName) | |
1006 onchange_hook(old=currentVal, new=val) | |
1007 except AttributeError: | |
1008 pass | |
230 | 1009 except (ValueError, AttributeError, NotSettableError), e: |
1010 self.do_show(arg) | |
1011 | |
1012 def do_pause(self, arg): | |
1013 'Displays the specified text then waits for the user to press RETURN.' | |
1014 raw_input(arg + '\n') | |
1015 | |
1016 def do_shell(self, arg): | |
1017 'execute a command as if at the OS prompt.' | |
1018 os.system(arg) | |
267
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
1019 |
233 | 1020 def do_py(self, arg): |
230 | 1021 ''' |
1022 py <command>: Executes a Python command. | |
242 | 1023 py: Enters interactive Python mode. |
369 | 1024 End with ``Ctrl-D`` (Unix) / ``Ctrl-Z`` (Windows), ``quit()``, '`exit()``. |
1025 Non-python commands can be issued with ``cmd("your command")``. | |
1026 Run python code from external files with ``run("filename.py")`` | |
230 | 1027 ''' |
280 | 1028 self.pystate['self'] = self |
274 | 1029 arg = arg.parsed.raw[2:].strip() |
369 | 1030 localvars = (self.locals_in_py and self.pystate) or {} |
1031 interp = InteractiveConsole(locals=localvars) | |
1032 interp.runcode('import sys, os;sys.path.insert(0, os.getcwd())') | |
230 | 1033 if arg.strip(): |
233 | 1034 interp.runcode(arg) |
230 | 1035 else: |
233 | 1036 def quit(): |
234 | 1037 raise EmbeddedConsoleExit |
346 | 1038 def onecmd_plus_hooks(arg): |
1039 return self.onecmd_plus_hooks(arg + '\n') | |
369 | 1040 def run(arg): |
1041 try: | |
1042 file = open(arg) | |
1043 interp.runcode(file.read()) | |
1044 file.close() | |
1045 except IOError, e: | |
1046 self.perror(e) | |
233 | 1047 self.pystate['quit'] = quit |
1048 self.pystate['exit'] = quit | |
346 | 1049 self.pystate['cmd'] = onecmd_plus_hooks |
369 | 1050 self.pystate['run'] = run |
234 | 1051 try: |
240 | 1052 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
|
1053 keepstate = Statekeeper(sys, ('stdin','stdout')) |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1054 sys.stdout = self.stdout |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1055 sys.stdin = self.stdin |
240 | 1056 interp.interact(banner= "Python %s on %s\n%s\n(%s)\n%s" % |
1057 (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
|
1058 except EmbeddedConsoleExit: |
245 | 1059 pass |
1060 keepstate.restore() | |
233 | 1061 |
230 | 1062 def do_history(self, arg): |
1063 """history [arg]: lists past commands issued | |
1064 | |
314 | 1065 | no arg: list all |
1066 | arg is integer: list one history item, by index | |
1067 | arg is string: string search | |
1068 | arg is /enclosed in forward-slashes/: regular expression search | |
230 | 1069 """ |
1070 if arg: | |
1071 history = self.history.get(arg) | |
1072 else: | |
1073 history = self.history | |
1074 for hi in history: | |
1075 self.stdout.write(hi.pr()) | |
1076 def last_matching(self, arg): | |
1077 try: | |
1078 if arg: | |
1079 return self.history.get(arg)[-1] | |
1080 else: | |
1081 return self.history[-1] | |
1082 except IndexError: | |
1083 return None | |
1084 def do_list(self, arg): | |
1085 """list [arg]: lists last command issued | |
1086 | |
307 | 1087 no arg -> list most recent command |
230 | 1088 arg is integer -> list one history item, by index |
307 | 1089 a..b, a:b, a:, ..b -> list spans from a (or start) to b (or end) |
308 | 1090 arg is string -> list all commands matching string search |
230 | 1091 arg is /enclosed in forward-slashes/ -> regular expression search |
1092 """ | |
1093 try: | |
308 | 1094 history = self.history.span(arg or '-1') |
1095 except IndexError: | |
1096 history = self.history.search(arg) | |
1097 for hi in history: | |
1098 self.poutput(hi.pr()) | |
1099 | |
230 | 1100 do_hi = do_history |
1101 do_l = do_list | |
1102 do_li = do_list | |
1103 | |
1104 def do_ed(self, arg): | |
1105 """ed: edit most recent command in text editor | |
1106 ed [N]: edit numbered command from history | |
1107 ed [filename]: edit specified file name | |
1108 | |
1109 commands are run after editor is closed. | |
1110 "set edit (program-name)" or set EDITOR environment variable | |
1111 to control which editing program is used.""" | |
1112 if not self.editor: | |
415
d858a03fbdbb
replacing self.perror();return with raise for catchability
Catherine Devlin <catherine.devlin@gmail.com>
parents:
414
diff
changeset
|
1113 raise EnvironmentError("Please use 'set editor' to specify your text editing program of choice.") |
230 | 1114 filename = self.default_file_name |
1115 if arg: | |
1116 try: | |
1117 buffer = self.last_matching(int(arg)) | |
1118 except ValueError: | |
1119 filename = arg | |
1120 buffer = '' | |
1121 else: | |
1122 buffer = self.history[-1] | |
1123 | |
1124 if buffer: | |
1125 f = open(os.path.expanduser(filename), 'w') | |
1126 f.write(buffer or '') | |
1127 f.close() | |
1128 | |
1129 os.system('%s %s' % (self.editor, filename)) | |
1130 self.do__load(filename) | |
1131 do_edit = do_ed | |
1132 | |
1133 saveparser = (pyparsing.Optional(pyparsing.Word(pyparsing.nums)^'*')("idx") + | |
1134 pyparsing.Optional(pyparsing.Word(legalChars + '/\\'))("fname") + | |
1135 pyparsing.stringEnd) | |
1136 def do_save(self, arg): | |
1137 """`save [N] [filename.ext]` | |
329 | 1138 |
230 | 1139 Saves command from history to file. |
329 | 1140 |
1141 | N => Number of command (from history), or `*`; | |
1142 | most recent command if omitted""" | |
230 | 1143 |
1144 try: | |
1145 args = self.saveparser.parseString(arg) | |
1146 except pyparsing.ParseException: | |
415
d858a03fbdbb
replacing self.perror();return with raise for catchability
Catherine Devlin <catherine.devlin@gmail.com>
parents:
414
diff
changeset
|
1147 self.perror('Could not understand save target %s' % arg) |
d858a03fbdbb
replacing self.perror();return with raise for catchability
Catherine Devlin <catherine.devlin@gmail.com>
parents:
414
diff
changeset
|
1148 raise SyntaxError(self.do_save.__doc__) |
230 | 1149 fname = args.fname or self.default_file_name |
1150 if args.idx == '*': | |
1151 saveme = '\n\n'.join(self.history[:]) | |
1152 elif args.idx: | |
1153 saveme = self.history[int(args.idx)-1] | |
1154 else: | |
1155 saveme = self.history[-1] | |
1156 try: | |
1157 f = open(os.path.expanduser(fname), 'w') | |
1158 f.write(saveme) | |
1159 f.close() | |
267
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
1160 self.pfeedback('Saved to %s' % (fname)) |
230 | 1161 except Exception, e: |
415
d858a03fbdbb
replacing self.perror();return with raise for catchability
Catherine Devlin <catherine.devlin@gmail.com>
parents:
414
diff
changeset
|
1162 self.perror('Error saving %s' % (fname)) |
d858a03fbdbb
replacing self.perror();return with raise for catchability
Catherine Devlin <catherine.devlin@gmail.com>
parents:
414
diff
changeset
|
1163 raise |
230 | 1164 |
244
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1165 def read_file_or_url(self, fname): |
288
e743cf74c518
hooray, fixed bad comment parser - all unit tests pass
catherine@bothari
parents:
287
diff
changeset
|
1166 # TODO: not working on localhost |
244
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1167 if isinstance(fname, file): |
287
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
1168 result = open(fname, 'r') |
244
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1169 else: |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1170 match = self.urlre.match(fname) |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1171 if match: |
287
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
1172 result = urllib.urlopen(match.group(1)) |
230 | 1173 else: |
244
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1174 fname = os.path.expanduser(fname) |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1175 try: |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1176 result = open(os.path.expanduser(fname), 'r') |
287
1cd23003e8d5
refactoring, but something went wrong with comments
catherine@bothari
parents:
286
diff
changeset
|
1177 except IOError: |
244
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1178 result = open('%s.%s' % (os.path.expanduser(fname), |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1179 self.defaultExtension), 'r') |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1180 return result |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1181 |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1182 def do__relative_load(self, arg=None): |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1183 ''' |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1184 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
|
1185 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
|
1186 already-running script's directory.''' |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1187 if arg: |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1188 arg = arg.split(None, 1) |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1189 targetname, args = arg[0], (arg[1:] or [''])[0] |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1190 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
|
1191 self.do__load('%s %s' % (targetname, args)) |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1192 |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1193 urlre = re.compile('(https?://[-\\w\\./]+)') |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1194 def do_load(self, arg=None): |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1195 """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
|
1196 if arg is None: |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1197 targetname = self.default_file_name |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1198 else: |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1199 arg = arg.split(None, 1) |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1200 targetname, args = arg[0], (arg[1:] or [''])[0].strip() |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1201 try: |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1202 target = self.read_file_or_url(targetname) |
230 | 1203 except IOError, e: |
267
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
1204 self.perror('Problem accessing script from %s: \n%s' % (targetname, e)) |
230 | 1205 return |
244
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1206 keepstate = Statekeeper(self, ('stdin','use_rawinput','prompt', |
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1207 'continuation_prompt','current_script_dir')) |
230 | 1208 self.stdin = target |
1209 self.use_rawinput = False | |
1210 self.prompt = self.continuation_prompt = '' | |
244
e0c60ea7ad5d
midway through py script change
catherine@Elli.myhome.westell.com
parents:
243
diff
changeset
|
1211 self.current_script_dir = os.path.split(targetname)[0] |
334 | 1212 stop = self._cmdloop() |
230 | 1213 self.stdin.close() |
1214 keepstate.restore() | |
1215 self.lastcmd = '' | |
355 | 1216 return stop and (stop != self._STOP_SCRIPT_NO_EXIT) |
230 | 1217 do__load = do_load # avoid an unfortunate legacy use of do_load from sqlpython |
1218 | |
1219 def do_run(self, arg): | |
1220 """run [arg]: re-runs an earlier command | |
1221 | |
1222 no arg -> run most recent command | |
1223 arg is integer -> run one history item, by index | |
1224 arg is string -> run most recent command by string search | |
1225 arg is /enclosed in forward-slashes/ -> run most recent by regex | |
1226 """ | |
1227 'run [N]: runs the SQL that was run N commands ago' | |
1228 runme = self.last_matching(arg) | |
267
3333e61e7103
poutput, perror, pfeedback
Catherine Devlin <catherine.devlin@gmail.com>
parents:
265
diff
changeset
|
1229 self.pfeedback(runme) |
230 | 1230 if runme: |
346 | 1231 stop = self.onecmd_plus_hooks(runme) |
230 | 1232 do_r = do_run |
1233 | |
1234 def fileimport(self, statement, source): | |
1235 try: | |
1236 f = open(os.path.expanduser(source)) | |
1237 except IOError: | |
1238 self.stdout.write("Couldn't read from file %s\n" % source) | |
1239 return '' | |
1240 data = f.read() | |
1241 f.close() | |
1242 return data | |
334 | 1243 |
1244 def runTranscriptTests(self, callargs): | |
1245 class TestMyAppCase(Cmd2TestCase): | |
1246 CmdApp = self.__class__ | |
1247 self.__class__.testfiles = callargs | |
1248 sys.argv = [sys.argv[0]] # the --test argument upsets unittest.main() | |
1249 testcase = TestMyAppCase() | |
1250 runner = unittest.TextTestRunner() | |
1251 result = runner.run(testcase) | |
1252 result.printErrors() | |
1253 | |
335 | 1254 def run_commands_at_invocation(self, callargs): |
1255 for initial_command in callargs: | |
346 | 1256 if self.onecmd_plus_hooks(initial_command + '\n'): |
1257 return self._STOP_AND_EXIT | |
335 | 1258 |
334 | 1259 def cmdloop(self): |
1260 parser = optparse.OptionParser() | |
1261 parser.add_option('-t', '--test', dest='test', | |
1262 action="store_true", | |
1263 help='Test against transcript(s) in FILE (wildcards OK)') | |
1264 (callopts, callargs) = parser.parse_args() | |
1265 if callopts.test: | |
1266 self.runTranscriptTests(callargs) | |
1267 else: | |
346 | 1268 if not self.run_commands_at_invocation(callargs): |
1269 self._cmdloop() | |
230 | 1270 |
1271 class HistoryItem(str): | |
305 | 1272 listformat = '-------------------------[%d]\n%s\n' |
230 | 1273 def __init__(self, instr): |
1274 str.__init__(self) | |
1275 self.lowercase = self.lower() | |
1276 self.idx = None | |
1277 def pr(self): | |
307 | 1278 return self.listformat % (self.idx, str(self)) |
230 | 1279 |
1280 class History(list): | |
305 | 1281 '''A list of HistoryItems that knows how to respond to user requests. |
1282 >>> h = History([HistoryItem('first'), HistoryItem('second'), HistoryItem('third'), HistoryItem('fourth')]) | |
1283 >>> h.span('-2..') | |
1284 ['third', 'fourth'] | |
1285 >>> h.span('2..3') | |
1286 ['second', 'third'] | |
1287 >>> h.span('3') | |
1288 ['third'] | |
1289 >>> h.span(':') | |
1290 ['first', 'second', 'third', 'fourth'] | |
1291 >>> h.span('2..') | |
1292 ['second', 'third', 'fourth'] | |
1293 >>> h.span('-1') | |
1294 ['fourth'] | |
1295 >>> h.span('-2..-3') | |
306 | 1296 ['third', 'second'] |
308 | 1297 >>> h.search('o') |
1298 ['second', 'fourth'] | |
1299 >>> h.search('/IR/') | |
1300 ['first', 'third'] | |
305 | 1301 ''' |
1302 def zero_based_index(self, onebased): | |
1303 result = onebased | |
1304 if result > 0: | |
1305 result -= 1 | |
1306 return result | |
1307 def to_index(self, raw): | |
1308 if raw: | |
1309 result = self.zero_based_index(int(raw)) | |
1310 else: | |
1311 result = None | |
1312 return result | |
308 | 1313 def search(self, target): |
1314 target = target.strip() | |
1315 if target[0] == target[-1] == '/' and len(target) > 1: | |
1316 target = target[1:-1] | |
1317 else: | |
1318 target = re.escape(target) | |
1319 pattern = re.compile(target, re.IGNORECASE) | |
1320 return [s for s in self if pattern.search(s)] | |
305 | 1321 spanpattern = re.compile(r'^\s*(?P<start>\-?\d+)?\s*(?P<separator>:|(\.{2,}))?\s*(?P<end>\-?\d+)?\s*$') |
1322 def span(self, raw): | |
308 | 1323 if raw.lower() in ('*', '-', 'all'): |
1324 raw = ':' | |
305 | 1325 results = self.spanpattern.search(raw) |
307 | 1326 if not results: |
1327 raise IndexError | |
305 | 1328 if not results.group('separator'): |
1329 return [self[self.to_index(results.group('start'))]] | |
1330 start = self.to_index(results.group('start')) | |
1331 end = self.to_index(results.group('end')) | |
1332 reverse = False | |
1333 if end is not None: | |
1334 if end < start: | |
1335 (start, end) = (end, start) | |
1336 reverse = True | |
1337 end += 1 | |
1338 result = self[start:end] | |
1339 if reverse: | |
1340 result.reverse() | |
1341 return result | |
1342 | |
1343 rangePattern = re.compile(r'^\s*(?P<start>[\d]+)?\s*\-\s*(?P<end>[\d]+)?\s*$') | |
230 | 1344 def append(self, new): |
1345 new = HistoryItem(new) | |
1346 list.append(self, new) | |
1347 new.idx = len(self) | |
1348 def extend(self, new): | |
1349 for n in new: | |
1350 self.append(n) | |
305 | 1351 |
1352 def get(self, getme=None, fromEnd=False): | |
1353 if not getme: | |
1354 return self | |
230 | 1355 try: |
1356 getme = int(getme) | |
1357 if getme < 0: | |
1358 return self[:(-1 * getme)] | |
1359 else: | |
1360 return [self[getme-1]] | |
1361 except IndexError: | |
1362 return [] | |
305 | 1363 except ValueError: |
1364 rangeResult = self.rangePattern.search(getme) | |
1365 if rangeResult: | |
1366 start = rangeResult.group('start') or None | |
1367 end = rangeResult.group('start') or None | |
1368 if start: | |
1369 start = int(start) - 1 | |
1370 if end: | |
1371 end = int(end) | |
1372 return self[start:end] | |
1373 | |
230 | 1374 getme = getme.strip() |
305 | 1375 |
230 | 1376 if getme.startswith(r'/') and getme.endswith(r'/'): |
1377 finder = re.compile(getme[1:-1], re.DOTALL | re.MULTILINE | re.IGNORECASE) | |
1378 def isin(hi): | |
1379 return finder.search(hi) | |
1380 else: | |
1381 def isin(hi): | |
1382 return (getme.lower() in hi.lowercase) | |
1383 return [itm for itm in self if isin(itm)] | |
1384 | |
1385 class NotSettableError(Exception): | |
1386 pass | |
1387 | |
1388 def cast(current, new): | |
1389 """Tries to force a new value into the same type as the current.""" | |
1390 typ = type(current) | |
1391 if typ == bool: | |
1392 try: | |
1393 return bool(int(new)) | |
398
7812e00ff5b1
encode paste buffer write for Python 3
catherine.devlin@gmail.com
parents:
397
diff
changeset
|
1394 except (ValueError, TypeError): |
230 | 1395 pass |
1396 try: | |
1397 new = new.lower() | |
1398 except: | |
1399 pass | |
1400 if (new=='on') or (new[0] in ('y','t')): | |
1401 return True | |
1402 if (new=='off') or (new[0] in ('n','f')): | |
1403 return False | |
1404 else: | |
1405 try: | |
1406 return typ(new) | |
1407 except: | |
1408 pass | |
341 | 1409 print ("Problem setting parameter (now %s) to %s; incorrect type?" % (current, new)) |
230 | 1410 return current |
1411 | |
1412 class Statekeeper(object): | |
1413 def __init__(self, obj, attribs): | |
1414 self.obj = obj | |
1415 self.attribs = attribs | |
282 | 1416 if self.obj: |
1417 self.save() | |
230 | 1418 def save(self): |
1419 for attrib in self.attribs: | |
1420 setattr(self, attrib, getattr(self.obj, attrib)) | |
1421 def restore(self): | |
282 | 1422 if self.obj: |
1423 for attrib in self.attribs: | |
1424 setattr(self.obj, attrib, getattr(self, attrib)) | |
230 | 1425 |
1426 class Borg(object): | |
1427 '''All instances of any Borg subclass will share state. | |
1428 from Python Cookbook, 2nd Ed., recipe 6.16''' | |
1429 _shared_state = {} | |
1430 def __new__(cls, *a, **k): | |
1431 obj = object.__new__(cls, *a, **k) | |
1432 obj.__dict__ = cls._shared_state | |
1433 return obj | |
1434 | |
1435 class OutputTrap(Borg): | |
379 | 1436 '''Instantiate an OutputTrap to divert/capture ALL stdout output. For use in unit testing. |
378 | 1437 Call `tearDown()` to return to normal output.''' |
1438 def __init__(self): | |
1439 self.contents = '' | |
1440 self.old_stdout = sys.stdout | |
1441 sys.stdout = self | |
1442 def write(self, txt): | |
1443 self.contents += txt | |
1444 def read(self): | |
380 | 1445 result = self.contents |
1446 self.contents = '' | |
1447 return result | |
378 | 1448 def tearDown(self): |
1449 sys.stdout = self.old_stdout | |
1450 self.contents = '' | |
1451 | |
230 | 1452 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
|
1453 '''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
|
1454 that will execute the commands in a transcript file and expect the results shown. |
230 | 1455 See example.py''' |
1456 CmdApp = None | |
253
24289178b367
midway through allowing multiple testing files
Catherine Devlin <catherine.devlin@gmail.com>
parents:
251
diff
changeset
|
1457 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
|
1458 self.transcripts = {} |
259
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1459 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
|
1460 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
|
1461 tfile = open(fname) |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1462 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
|
1463 tfile.close() |
260
2b69c4d72cd8
unfinished experiments with testing for regular expressions
Catherine Devlin <catherine.devlin@gmail.com>
parents:
259
diff
changeset
|
1464 if not len(self.transcripts): |
398
7812e00ff5b1
encode paste buffer write for Python 3
catherine.devlin@gmail.com
parents:
397
diff
changeset
|
1465 raise (StandardError,), "No test files found - nothing to test." |
230 | 1466 def setUp(self): |
1467 if self.CmdApp: | |
1468 self.outputTrap = OutputTrap() | |
1469 self.cmdapp = self.CmdApp() | |
253
24289178b367
midway through allowing multiple testing files
Catherine Devlin <catherine.devlin@gmail.com>
parents:
251
diff
changeset
|
1470 self.fetchTranscripts() |
326 | 1471 def runTest(self): # was testall |
230 | 1472 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
|
1473 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
|
1474 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
|
1475 self._test_transcript(fname, transcript) |
261
57070e181cf7
line end-stripping working in transcript testing
Catherine Devlin <catherine.devlin@gmail.com>
parents:
260
diff
changeset
|
1476 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
|
1477 regexPattern.ignore(pyparsing.cStyleComment) |
57070e181cf7
line end-stripping working in transcript testing
Catherine Devlin <catherine.devlin@gmail.com>
parents:
260
diff
changeset
|
1478 notRegexPattern = pyparsing.Word(pyparsing.printables) |
57070e181cf7
line end-stripping working in transcript testing
Catherine Devlin <catherine.devlin@gmail.com>
parents:
260
diff
changeset
|
1479 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
|
1480 expectationParser = regexPattern | notRegexPattern |
396
e60e2c15f026
ignore whitespace during comparisons
Catherine Devlin <catherine.devlin@gmail.com>
parents:
395
diff
changeset
|
1481 anyWhitespace = re.compile(r'\s', re.DOTALL | re.MULTILINE) |
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
|
1482 def _test_transcript(self, fname, transcript): |
253
24289178b367
midway through allowing multiple testing files
Catherine Devlin <catherine.devlin@gmail.com>
parents:
251
diff
changeset
|
1483 lineNum = 0 |
410
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1484 finished = False |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1485 line = transcript.next() |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1486 lineNum += 1 |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1487 tests_run = 0 |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1488 while not finished: |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1489 # Scroll forward to where actual commands begin |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1490 while not line.startswith(self.cmdapp.prompt): |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1491 try: |
304
8c96f829ba1b
tweaking transcript test newlines (complete)
catherine@dellzilla
parents:
303
diff
changeset
|
1492 line = transcript.next() |
410
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1493 except StopIteration: |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1494 finished = True |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1495 break |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1496 lineNum += 1 |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1497 command = [line[len(self.cmdapp.prompt):]] |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1498 line = transcript.next() |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1499 # Read the entirety of a multi-line command |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1500 while line.startswith(self.cmdapp.continuation_prompt): |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1501 command.append(line[len(self.cmdapp.continuation_prompt):]) |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1502 try: |
304
8c96f829ba1b
tweaking transcript test newlines (complete)
catherine@dellzilla
parents:
303
diff
changeset
|
1503 line = transcript.next() |
410
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1504 except StopIteration: |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1505 raise (StopIteration, |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1506 'Transcript broke off while reading command beginning at line %d with\n%s' |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1507 % (command[0])) |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1508 lineNum += 1 |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1509 command = ''.join(command) |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1510 # Send the command into the application and capture the resulting output |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1511 stop = self.cmdapp.onecmd_plus_hooks(command) |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1512 #TODO: should act on ``stop`` |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1513 result = self.outputTrap.read() |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1514 # Read the expected result from transcript |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1515 if line.startswith(self.cmdapp.prompt): |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1516 message = '\nFile %s, line %d\nCommand was:\n%s\nExpected: (nothing)\nGot:\n%s\n'%\ |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1517 (fname, lineNum, command, result) |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1518 self.assert_(not(result.strip()), message) |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1519 continue |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1520 expected = [] |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1521 while not line.startswith(self.cmdapp.prompt): |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1522 expected.append(line) |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1523 try: |
253
24289178b367
midway through allowing multiple testing files
Catherine Devlin <catherine.devlin@gmail.com>
parents:
251
diff
changeset
|
1524 line = transcript.next() |
410
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1525 except StopIteration: |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1526 finished = True |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1527 break |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1528 lineNum += 1 |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1529 expected = ''.join(expected) |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1530 # Compare actual result to expected |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1531 message = '\nFile %s, line %d\nCommand was:\n%s\nExpected:\n%s\nGot:\n%s\n'%\ |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1532 (fname, lineNum, command, expected, result) |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1533 expected = self.expectationParser.transformString(expected) |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1534 # checking whitespace is a pain - let's skip it |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1535 expected = self.anyWhitespace.sub('', expected) |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1536 result = self.anyWhitespace.sub('', result) |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1537 self.assert_(re.match(expected, result, re.MULTILINE | re.DOTALL), message) |
48ebbdfe9dd4
broke down StopIteration catches
Catherine Devlin <catherine.devlin@gmail.com>
parents:
409
diff
changeset
|
1538 |
230 | 1539 def tearDown(self): |
1540 if self.CmdApp: | |
1541 self.outputTrap.tearDown() | |
325
4172feeddf76
want to incorporate run() for tests - not yet working
catherine@dellzilla
parents:
324
diff
changeset
|
1542 |
230 | 1543 if __name__ == '__main__': |
259
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1544 doctest.testmod(optionflags = doctest.NORMALIZE_WHITESPACE) |
325
4172feeddf76
want to incorporate run() for tests - not yet working
catherine@dellzilla
parents:
324
diff
changeset
|
1545 |
259
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1546 ''' |
327 | 1547 To make your application transcript-testable, replace |
1548 | |
1549 :: | |
1550 | |
1551 app = MyApp() | |
1552 app.cmdloop() | |
1553 | |
1554 with | |
1555 | |
1556 :: | |
259
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1557 |
327 | 1558 app = MyApp() |
1559 cmd2.run(app) | |
1560 | |
1561 Then run a session of your application and paste the entire screen contents | |
1562 into a file, ``transcript.test``, and invoke the test like:: | |
1563 | |
1564 python myapp.py --test transcript.test | |
1565 | |
259
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1566 Wildcards can be used to test against multiple transcript files. |
327 | 1567 ''' |
259
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1568 |
5147fa4166b0
multiple transcript tests working - sinister BASH trick defeated
Catherine Devlin <catherine.devlin@gmail.com>
parents:
258
diff
changeset
|
1569 |