blob: 6f92beeaa180886c60f12bb239492b2f068b2246 [file] [log] [blame]
Guido van Rossum154a5391996-07-21 02:17:52 +00001"""Object-oriented interface to the parser module.
2
3This module exports three classes which together provide an interface
4to the parser module. Together, the three classes represent two ways
5to create parsed representations of Python source and the two starting
6data types (source text and tuple representations). Each class
7provides interfaces which are identical other than the constructors.
8The constructors are described in detail in the documentation for each
9class and the remaining, shared portion of the interface is documented
10below. Briefly, the three classes provided are:
11
12AST
13 Defines the primary interface to the AST objects and supports creation
14 from the tuple representation of the parse tree.
15
16ExpressionAST
17 Supports creation of expression constructs from source text.
18
19SuiteAST
20 Supports creation of statement suites from source text.
21
22FileSuiteAST
23 Convenience subclass of the `SuiteAST' class; loads source text of the
24 suite from an external file.
25
26Aside from the constructors, several methods are provided to allow
27access to the various interpretations of the parse tree and to check
28conditions of the construct represented by the parse tree.
29
30ast()
31 Returns the corresponding `parser.ASTType' object.
32
33code()
34 Returns the compiled code object.
35
36filename()
37 Returns the name of the associated source file, if known.
38
39isExpression()
40 Returns true value if parse tree represents an expression, or a false
41 value otherwise.
42
43isSuite()
44 Returns true value if parse tree represents a suite of statements, or
45 a false value otherwise.
46
47text()
48 Returns the source text, or None if not available.
49
50tuple()
51 Returns the tuple representing the parse tree.
52"""
53
54__version__ = '$Revision$'
55__copyright__ = """Copyright (c) 1995, 1996 by Fred L. Drake, Jr.
56
57This software may be used and distributed freely for any purpose provided
58that this notice is included unchanged on any and all copies. The author
59does not warrant or guarantee this software in any way.
60"""
61
62class AST:
63 """Base class for Abstract Syntax Tree objects.
64
65 Creates an Abstract Syntax Tree based on the tuple representation
66 of the parse tree. The parse tree can represent either an
67 expression or a suite; which will be recognized automatically.
68 This base class provides all of the query methods for subclass
69 objects defined in this module.
70 """
71 _p = __import__('parser') # import internally to avoid
72 # namespace pollution at the
73 # top level
74 _text = None
75 _code = None
76 _ast = None
77 _type = 'unknown'
78 _tupl = None
79
80 def __init__(self, tuple):
81 """Create an `AST' instance from a tuple-tree representation.
82
83 tuple
84 The tuple tree to convert.
85
86 The tuple-tree may represent either an expression or a suite; the
87 type will be determined automatically.
88 """
89 if type(tuple) is not type(()):
90 raise TypeError, 'Base AST class requires tuple parameter.'
91
92 self._tupl = tuple
93 self._ast = self._p.tuple2ast(tuple)
94 self._type = (self._p.isexpr(self._ast) and 'expression') or 'suite'
95
96 def tuple(self):
97 """Returns the tuple representing the parse tree.
98 """
99 if self._tupl is None:
100 self._tupl = self._p.ast2tuple(self._ast)
101 return self._tupl
102
103 def code(self):
104 """Returns the compiled code object.
105
106 The code object returned by this method may be passed to the
107 exec statement if `AST.isSuite()' is true or to the eval()
108 function if `AST.isExpression()' is true. All the usual rules
109 regarding execution of code objects apply.
110 """
111 if not self._code:
112 self._code = self._p.compileast(self._ast)
113 return self._code
114
115 def ast(self):
116 """Returns the corresponding `parser.ASTType' object.
117 """
118 return self._ast
119
120 def filename(self):
121 """Returns the name of the source file if known, or None.
122 """
123 return None
124
125 def text(self):
126 """Returns the source text, or None if not available.
127
128 If the instance is of class `AST', None is returned since no
129 source text is available. If of class `ExpressionAST' or
130 `SuiteAST', the source text passed to the constructor is
131 returned.
132 """
133 return self._text
134
135 def isSuite(self):
136 """Determine if `AST' instance represents a suite of statements.
137 """
138 return self._type == 'suite'
139
140 def isExpression(self):
141 """Determine if `AST' instance represents an expression.
142 """
143 return self._type == 'expression'
144
145
146
147class SuiteAST(AST):
148 """Statement suite parse tree representation.
149
150 This subclass of the `AST' base class represents statement suites
151 parsed from the source text of a Python suite. If the source text
152 does not represent a parsable suite of statements, the appropriate
153 exception is raised by the parser.
154 """
155 _type = 'suite'
156
157 def __init__(self, text):
158 """Initialize a `SuiteAST' from source text.
159
160 text
161 Source text to parse.
162 """
163 if type(text) is not type(''):
164 raise TypeError, 'SuiteAST requires source text parameter.'
165 self._text = text
166 self._ast = self._p.suite(text)
167
168 def isSuite(self):
169 return 1
170
171 def isExpression(self):
172 return 0
173
174
175class FileSuiteAST(SuiteAST):
176 """Representation of a python source file syntax tree.
177
178 This provides a convenience wrapper around the `SuiteAST' class to
179 load the source text from an external file.
180 """
181 def __init__(self, fileName):
182 """Initialize a `SuiteAST' from a source file.
183
184 fileName
185 Name of the external source file.
186 """
187 self._fileName = fileName
188 SuiteAST.__init__(self, open(fileName).read())
189
190 def filename(self):
191 return self._fileName
192
193
194
195class ExpressionAST(AST):
196 """Expression parse tree representation.
197
198 This subclass of the `AST' base class represents expression
199 constructs parsed from the source text of a Python expression. If
200 the source text does not represent a parsable expression, the
201 appropriate exception is raised by the Python parser.
202 """
203 _type = 'expression'
204
205 def __init__(self, text):
206 """Initialize an expression AST from source text.
207
208 text
209 Source text to parse.
210 """
211 if type(text) is not type(''):
212 raise TypeError, 'ExpressionAST requires source text parameter.'
213 self._text = text
214 self._ast = self._p.expr(text)
215
216 def isSuite(self):
217 return 0
218
219 def isExpression(self):
220 return 1
221
222
223#
224# end of file