1 """Utilities needed to emulate Python's interactive interpreter.
5 # Inspired by similar code by Jeff Epler and Fredrik Lundh.
10 from codeop
import CommandCompiler
, compile_command
12 __all__
= ["InteractiveInterpreter", "InteractiveConsole", "interact",
15 def softspace(file, newvalue
):
18 oldvalue
= file.softspace
19 except AttributeError:
22 file.softspace
= newvalue
23 except (AttributeError, TypeError):
24 # "attribute-less object" or "read-only attributes"
28 class InteractiveInterpreter
:
29 """Base class for InteractiveConsole.
31 This class deals with parsing and interpreter state (the user's
32 namespace); it doesn't deal with input buffering or prompting or
33 input file naming (the filename is always passed in explicitly).
37 def __init__(self
, locals=None):
40 The optional 'locals' argument specifies the dictionary in
41 which code will be executed; it defaults to a newly created
42 dictionary with key "__name__" set to "__console__" and key
43 "__doc__" set to None.
47 locals = {"__name__": "__console__", "__doc__": None}
49 self
.compile = CommandCompiler()
51 def runsource(self
, source
, filename
="<input>", symbol
="single"):
52 """Compile and run some source in the interpreter.
54 Arguments are as for compile_command().
56 One several things can happen:
58 1) The input is incorrect; compile_command() raised an
59 exception (SyntaxError or OverflowError). A syntax traceback
60 will be printed by calling the showsyntaxerror() method.
62 2) The input is incomplete, and more input is required;
63 compile_command() returned None. Nothing happens.
65 3) The input is complete; compile_command() returned a code
66 object. The code is executed by calling self.runcode() (which
67 also handles run-time exceptions, except for SystemExit).
69 The return value is 1 in case 2, 0 in the other cases (unless
70 an exception is raised). The return value can be used to
71 decide whether to use sys.ps1 or sys.ps2 to prompt the next
76 code
= self
.compile(source
, filename
, symbol
)
77 except (OverflowError, SyntaxError, ValueError):
79 self
.showsyntaxerror(filename
)
90 def runcode(self
, code
):
91 """Execute a code object.
93 When an exception occurs, self.showtraceback() is called to
94 display a traceback. All exceptions are caught except
95 SystemExit, which is reraised.
97 A note about KeyboardInterrupt: this exception may occur
98 elsewhere in this code, and may not always be caught. The
99 caller should be prepared to deal with it.
103 exec code
in self
.locals
109 if softspace(sys
.stdout
, 0):
112 def showsyntaxerror(self
, filename
=None):
113 """Display the syntax error that just occurred.
115 This doesn't display a stack trace because there isn't one.
117 If a filename is given, it is stuffed in the exception instead
118 of what was there before (because Python's parser always uses
119 "<string>" when reading from a string).
121 The output is written by self.write(), below.
124 type, value
, sys
.last_traceback
= sys
.exc_info()
126 sys
.last_value
= value
127 if filename
and type is SyntaxError:
128 # Work hard to stuff the correct filename in the exception
130 msg
, (dummy_filename
, lineno
, offset
, line
) = value
132 # Not the format we expect; leave it alone
135 # Stuff in the right filename
137 # Assume SyntaxError is a class exception
138 value
= SyntaxError(msg
, (filename
, lineno
, offset
, line
))
140 # If that failed, assume SyntaxError is a string
141 value
= msg
, (filename
, lineno
, offset
, line
)
142 sys
.last_value
= value
143 list = traceback
.format_exception_only(type, value
)
144 map(self
.write
, list)
146 def showtraceback(self
):
147 """Display the exception that just occurred.
149 We remove the first stack item because it is our own code.
151 The output is written by self.write(), below.
155 type, value
, tb
= sys
.exc_info()
157 sys
.last_value
= value
158 sys
.last_traceback
= tb
159 tblist
= traceback
.extract_tb(tb
)
161 list = traceback
.format_list(tblist
)
163 list.insert(0, "Traceback (most recent call last):\n")
164 list[len(list):] = traceback
.format_exception_only(type, value
)
167 map(self
.write
, list)
169 def write(self
, data
):
172 The base implementation writes to sys.stderr; a subclass may
173 replace this with a different implementation.
176 sys
.stderr
.write(data
)
179 class InteractiveConsole(InteractiveInterpreter
):
180 """Closely emulate the behavior of the interactive Python interpreter.
182 This class builds on InteractiveInterpreter and adds prompting
183 using the familiar sys.ps1 and sys.ps2, and input buffering.
187 def __init__(self
, locals=None, filename
="<console>"):
190 The optional locals argument will be passed to the
191 InteractiveInterpreter base class.
193 The optional filename argument should specify the (file)name
194 of the input stream; it will show up in tracebacks.
197 InteractiveInterpreter
.__init
__(self
, locals)
198 self
.filename
= filename
201 def resetbuffer(self
):
202 """Reset the input buffer."""
205 def interact(self
, banner
=None):
206 """Closely emulate the interactive Python console.
208 The optional banner argument specify the banner to print
209 before the first interaction; by default it prints a banner
210 similar to the one printed by the real Python interpreter,
211 followed by the current class name in parentheses (so as not
212 to confuse this with the real interpreter -- since it's so
218 except AttributeError:
222 except AttributeError:
224 cprt
= 'Type "copyright", "credits" or "license" for more information.'
226 self
.write("Python %s on %s\n%s\n(%s)\n" %
227 (sys
.version
, sys
.platform
, cprt
,
228 self
.__class
__.__name
__))
230 self
.write("%s\n" % str(banner
))
239 line
= self
.raw_input(prompt
)
244 more
= self
.push(line
)
245 except KeyboardInterrupt:
246 self
.write("\nKeyboardInterrupt\n")
250 def push(self
, line
):
251 """Push a line to the interpreter.
253 The line should not have a trailing newline; it may have
254 internal newlines. The line is appended to a buffer and the
255 interpreter's runsource() method is called with the
256 concatenated contents of the buffer as source. If this
257 indicates that the command was executed or invalid, the buffer
258 is reset; otherwise, the command is incomplete, and the buffer
259 is left as it was after the line was appended. The return
260 value is 1 if more input is required, 0 if the line was dealt
261 with in some way (this is the same as runsource()).
264 self
.buffer.append(line
)
265 source
= "\n".join(self
.buffer)
266 more
= self
.runsource(source
, self
.filename
)
271 def raw_input(self
, prompt
=""):
272 """Write a prompt and read a line.
274 The returned line does not include the trailing newline.
275 When the user enters the EOF key sequence, EOFError is raised.
277 The base implementation uses the built-in function
278 raw_input(); a subclass may replace this with a different
282 return raw_input(prompt
)
285 def interact(banner
=None, readfunc
=None, local
=None):
286 """Closely emulate the interactive Python interpreter.
288 This is a backwards compatible interface to the InteractiveConsole
289 class. When readfunc is not specified, it attempts to import the
290 readline module to enable GNU readline if it is available.
292 Arguments (all optional, all default to None):
294 banner -- passed to InteractiveConsole.interact()
295 readfunc -- if not None, replaces InteractiveConsole.raw_input()
296 local -- passed to InteractiveInterpreter.__init__()
299 console
= InteractiveConsole(local
)
300 if readfunc
is not None:
301 console
.raw_input = readfunc
307 console
.interact(banner
)
310 if __name__
== '__main__':