blob: b54894da70b936d3d01194d79508ee5db020449f [file] [log] [blame]
Brett Cannon6192df12008-05-10 02:58:26 +00001import test.test_support
2compiler = test.test_support.import_module('compiler', deprecated=True)
Neil Schemenauerf3694702005-06-02 05:55:20 +00003from compiler.ast import flatten
Neal Norwitz07c60712006-04-13 06:34:59 +00004import os, sys, time, unittest
Raymond Hettingered20ad82004-09-04 20:09:13 +00005from random import random
Eric Smith14cae962008-03-19 03:13:34 +00006from StringIO import StringIO
Jeremy Hylton4336eda2004-08-07 19:25:33 +00007
Neal Norwitz07c60712006-04-13 06:34:59 +00008# How much time in seconds can pass before we print a 'Still working' message.
9_PRINT_WORKING_MSG_INTERVAL = 5 * 60
10
Georg Brandlab496842007-01-27 17:43:02 +000011class TrivialContext(object):
12 def __enter__(self):
13 return self
14 def __exit__(self, *exc_info):
15 pass
16
Jeremy Hylton4336eda2004-08-07 19:25:33 +000017class CompilerTest(unittest.TestCase):
18
19 def testCompileLibrary(self):
20 # A simple but large test. Compile all the code in the
21 # standard library and its test suite. This doesn't verify
22 # that any of the code is correct, merely the compiler is able
23 # to generate some kind of code for it.
Tim Peters2841af42006-01-07 23:20:46 +000024
Neal Norwitz07c60712006-04-13 06:34:59 +000025 next_time = time.time() + _PRINT_WORKING_MSG_INTERVAL
Jeremy Hylton4336eda2004-08-07 19:25:33 +000026 libdir = os.path.dirname(unittest.__file__)
27 testdir = os.path.dirname(test.test_support.__file__)
28
29 for dir in [libdir, testdir]:
Tim Peters2a5f6562004-08-08 16:37:37 +000030 for basename in os.listdir(dir):
Neal Norwitz07c60712006-04-13 06:34:59 +000031 # Print still working message since this test can be really slow
32 if next_time <= time.time():
33 next_time = time.time() + _PRINT_WORKING_MSG_INTERVAL
34 print >>sys.__stdout__, \
35 ' testCompileLibrary still working, be patient...'
Neal Norwitzdd28d1c2006-04-28 04:34:43 +000036 sys.__stdout__.flush()
Neal Norwitz07c60712006-04-13 06:34:59 +000037
Tim Peters2a5f6562004-08-08 16:37:37 +000038 if not basename.endswith(".py"):
Jeremy Hylton4336eda2004-08-07 19:25:33 +000039 continue
Guido van Rossum5bde08d2006-03-02 04:24:01 +000040 if not TEST_ALL and random() < 0.98:
Raymond Hettingered20ad82004-09-04 20:09:13 +000041 continue
Tim Peters2a5f6562004-08-08 16:37:37 +000042 path = os.path.join(dir, basename)
Tim Petersb6ecc162004-08-08 16:32:54 +000043 if test.test_support.verbose:
Tim Peters2a5f6562004-08-08 16:37:37 +000044 print "compiling", path
Michael W. Hudson29589a02004-10-11 15:34:31 +000045 f = open(path, "U")
Jeremy Hylton4336eda2004-08-07 19:25:33 +000046 buf = f.read()
47 f.close()
Neal Norwitzf8950652005-10-24 00:01:37 +000048 if "badsyntax" in basename or "bad_coding" in basename:
Tim Peters0955f292004-08-08 16:43:59 +000049 self.assertRaises(SyntaxError, compiler.compile,
50 buf, basename, "exec")
51 else:
Martin v. Löwis15bfc3b2006-03-01 21:11:49 +000052 try:
53 compiler.compile(buf, basename, "exec")
54 except Exception, e:
Martin v. Löwisd9bfeac2006-03-01 23:24:34 +000055 args = list(e.args)
Christian Heimesc5f05e42008-02-23 17:40:11 +000056 args.append("in file %s]" % basename)
57 #args[0] += "[in file %s]" % basename
Martin v. Löwisd9bfeac2006-03-01 23:24:34 +000058 e.args = tuple(args)
Martin v. Löwis15bfc3b2006-03-01 21:11:49 +000059 raise
Jeremy Hylton4336eda2004-08-07 19:25:33 +000060
Brett Cannonf4189912005-04-09 02:30:16 +000061 def testNewClassSyntax(self):
62 compiler.compile("class foo():pass\n\n","<string>","exec")
Tim Peterse8906822005-04-20 17:45:13 +000063
Guido van Rossum5bde08d2006-03-02 04:24:01 +000064 def testYieldExpr(self):
65 compiler.compile("def g(): yield\n\n", "<string>", "exec")
66
Amaury Forgeot d'Arc67f24f12008-08-20 00:08:47 +000067 def testKeywordAfterStarargs(self):
68 def f(*args, **kwargs):
69 self.assertEqual((args, kwargs), ((2,3), {'x': 1, 'y': 4}))
70 c = compiler.compile('f(x=1, *(2, 3), y=4)', '<string>', 'exec')
71 exec c in {'f': f}
72
73 self.assertRaises(SyntaxError, compiler.parse, "foo(a=1, b)")
74 self.assertRaises(SyntaxError, compiler.parse, "foo(1, *args, 3)")
75
Georg Brandlf57c54d2006-06-22 14:46:46 +000076 def testTryExceptFinally(self):
77 # Test that except and finally clauses in one try stmt are recognized
Senthil Kumarance8e33a2010-01-08 19:04:16 +000078 c = compiler.compile("try:\n 1/0\nexcept:\n e = 1\nfinally:\n f = 1",
Georg Brandlf57c54d2006-06-22 14:46:46 +000079 "<string>", "exec")
80 dct = {}
81 exec c in dct
82 self.assertEquals(dct.get('e'), 1)
83 self.assertEquals(dct.get('f'), 1)
84
Georg Brandl1bb62302006-05-03 18:18:32 +000085 def testDefaultArgs(self):
86 self.assertRaises(SyntaxError, compiler.parse, "def foo(a=1, b): pass")
87
Georg Brandledd9b0d2006-07-29 09:33:26 +000088 def testDocstrings(self):
89 c = compiler.compile('"doc"', '<string>', 'exec')
Benjamin Peterson5c8da862009-06-30 22:57:08 +000090 self.assertTrue('__doc__' in c.co_names)
Georg Brandledd9b0d2006-07-29 09:33:26 +000091 c = compiler.compile('def f():\n "doc"', '<string>', 'exec')
92 g = {}
93 exec c in g
94 self.assertEquals(g['f'].__doc__, "doc")
95
Jeremy Hylton566d9342004-09-07 15:28:01 +000096 def testLineNo(self):
97 # Test that all nodes except Module have a correct lineno attribute.
98 filename = __file__
Georg Brandlb2afe852006-06-09 20:43:48 +000099 if filename.endswith((".pyc", ".pyo")):
Jeremy Hylton566d9342004-09-07 15:28:01 +0000100 filename = filename[:-1]
101 tree = compiler.parseFile(filename)
102 self.check_lineno(tree)
103
104 def check_lineno(self, node):
105 try:
106 self._check_lineno(node)
107 except AssertionError:
108 print node.__class__, node.lineno
109 raise
110
111 def _check_lineno(self, node):
112 if not node.__class__ in NOLINENO:
Benjamin Peterson5c8da862009-06-30 22:57:08 +0000113 self.assertTrue(isinstance(node.lineno, int),
Jeremy Hylton566d9342004-09-07 15:28:01 +0000114 "lineno=%s on %s" % (node.lineno, node.__class__))
Benjamin Peterson5c8da862009-06-30 22:57:08 +0000115 self.assertTrue(node.lineno > 0,
Jeremy Hylton566d9342004-09-07 15:28:01 +0000116 "lineno=%s on %s" % (node.lineno, node.__class__))
117 for child in node.getChildNodes():
118 self.check_lineno(child)
119
Neil Schemenauerf3694702005-06-02 05:55:20 +0000120 def testFlatten(self):
121 self.assertEquals(flatten([1, [2]]), [1, 2])
122 self.assertEquals(flatten((1, (2,))), [1, 2])
123
Neil Schemenauer06ded092006-08-04 16:20:30 +0000124 def testNestedScope(self):
125 c = compiler.compile('def g():\n'
126 ' a = 1\n'
127 ' def f(): return a + 2\n'
128 ' return f()\n'
129 'result = g()',
130 '<string>',
131 'exec')
132 dct = {}
133 exec c in dct
134 self.assertEquals(dct.get('result'), 3)
135
Neil Schemenauer4c6b0d52006-08-16 23:38:05 +0000136 def testGenExp(self):
137 c = compiler.compile('list((i,j) for i in range(3) if i < 3'
138 ' for j in range(4) if j > 2)',
139 '<string>',
140 'eval')
141 self.assertEquals(eval(c), [(0, 3), (1, 3), (2, 3)])
142
Alexandre Vassalottib6465472010-01-11 22:36:12 +0000143 def testSetLiteral(self):
144 c = compiler.compile('{1, 2, 3}', '<string>', 'eval')
145 self.assertEquals(eval(c), {1,2,3})
146 c = compiler.compile('{1, 2, 3,}', '<string>', 'eval')
147 self.assertEquals(eval(c), {1,2,3})
148
149 def testDictLiteral(self):
150 c = compiler.compile('{1:2, 2:3, 3:4}', '<string>', 'eval')
151 self.assertEquals(eval(c), {1:2, 2:3, 3:4})
152 c = compiler.compile('{1:2, 2:3, 3:4,}', '<string>', 'eval')
153 self.assertEquals(eval(c), {1:2, 2:3, 3:4})
154
155 def testSetComp(self):
156 c = compiler.compile('{x for x in range(1, 4)}', '<string>', 'eval')
157 self.assertEquals(eval(c), {1, 2, 3})
158 c = compiler.compile('{x * y for x in range(3) if x != 0'
159 ' for y in range(4) if y != 0}',
160 '<string>',
161 'eval')
162 self.assertEquals(eval(c), {1, 2, 3, 4, 6})
163
164 def testDictComp(self):
165 c = compiler.compile('{x:x+1 for x in range(1, 4)}', '<string>', 'eval')
166 self.assertEquals(eval(c), {1:2, 2:3, 3:4})
167 c = compiler.compile('{(x, y) : y for x in range(2) if x != 0'
168 ' for y in range(3) if y != 0}',
169 '<string>',
170 'eval')
171 self.assertEquals(eval(c), {(1, 2): 2, (1, 1): 1})
172
Georg Brandlab496842007-01-27 17:43:02 +0000173 def testWith(self):
174 # SF bug 1638243
175 c = compiler.compile('from __future__ import with_statement\n'
176 'def f():\n'
177 ' with TrivialContext():\n'
178 ' return 1\n'
179 'result = f()',
180 '<string>',
181 'exec' )
182 dct = {'TrivialContext': TrivialContext}
183 exec c in dct
184 self.assertEquals(dct.get('result'), 1)
185
186 def testWithAss(self):
187 c = compiler.compile('from __future__ import with_statement\n'
188 'def f():\n'
189 ' with TrivialContext() as tc:\n'
190 ' return 1\n'
191 'result = f()',
192 '<string>',
193 'exec' )
194 dct = {'TrivialContext': TrivialContext}
195 exec c in dct
196 self.assertEquals(dct.get('result'), 1)
197
Georg Brandl944f6842009-05-25 21:02:56 +0000198 def testWithMult(self):
199 events = []
200 class Ctx:
201 def __init__(self, n):
202 self.n = n
203 def __enter__(self):
204 events.append(self.n)
205 def __exit__(self, *args):
206 pass
207 c = compiler.compile('from __future__ import with_statement\n'
208 'def f():\n'
209 ' with Ctx(1) as tc, Ctx(2) as tc2:\n'
210 ' return 1\n'
211 'result = f()',
212 '<string>',
213 'exec' )
214 dct = {'Ctx': Ctx}
215 exec c in dct
216 self.assertEquals(dct.get('result'), 1)
217 self.assertEquals(events, [1, 2])
218
Neil Schemenauerf8741ea2009-02-07 18:35:16 +0000219 def testGlobal(self):
220 code = compiler.compile('global x\nx=1', '<string>', 'exec')
221 d1 = {'__builtins__': {}}
222 d2 = {}
223 exec code in d1, d2
224 # x should be in the globals dict
225 self.assertEquals(d1.get('x'), 1)
Tim Petersb1ccc4d2006-08-04 22:00:35 +0000226
Eric Smith14cae962008-03-19 03:13:34 +0000227 def testPrintFunction(self):
228 c = compiler.compile('from __future__ import print_function\n'
229 'print("a", "b", sep="**", end="++", '
230 'file=output)',
231 '<string>',
232 'exec' )
233 dct = {'output': StringIO()}
234 exec c in dct
235 self.assertEquals(dct['output'].getvalue(), 'a**b++')
236
Martin v. Löwisa5136192007-09-04 14:19:28 +0000237 def _testErrEnc(self, src, text, offset):
238 try:
239 compile(src, "", "exec")
240 except SyntaxError, e:
241 self.assertEquals(e.offset, offset)
242 self.assertEquals(e.text, text)
243
244 def testSourceCodeEncodingsError(self):
245 # Test SyntaxError with encoding definition
246 sjis = "print '\x83\x70\x83\x43\x83\x5c\x83\x93', '\n"
247 ascii = "print '12345678', '\n"
248 encdef = "#! -*- coding: ShiftJIS -*-\n"
249
250 # ascii source without encdef
251 self._testErrEnc(ascii, ascii, 19)
252
253 # ascii source with encdef
254 self._testErrEnc(encdef+ascii, ascii, 19)
255
256 # non-ascii source with encdef
257 self._testErrEnc(encdef+sjis, sjis, 19)
258
259 # ShiftJIS source without encdef
260 self._testErrEnc(sjis, sjis, 19)
261
262
Jeremy Hylton566d9342004-09-07 15:28:01 +0000263NOLINENO = (compiler.ast.Module, compiler.ast.Stmt, compiler.ast.Discard)
264
265###############################################################################
266# code below is just used to trigger some possible errors, for the benefit of
267# testLineNo
268###############################################################################
269
270class Toto:
271 """docstring"""
272 pass
273
274a, b = 2, 3
275[c, d] = 5, 6
276l = [(x, y) for x, y in zip(range(5), range(5,10))]
277l[0]
278l[3:4]
Georg Brandlf57c54d2006-06-22 14:46:46 +0000279d = {'a': 2}
280d = {}
Alexandre Vassalottib6465472010-01-11 22:36:12 +0000281d = {x: y for x, y in zip(range(5), range(5,10))}
282s = {x for x in range(10)}
Alexandre Vassalottiee936a22010-01-09 23:35:54 +0000283s = {1}
Georg Brandlf57c54d2006-06-22 14:46:46 +0000284t = ()
285t = (1, 2)
286l = []
287l = [1, 2]
Jeremy Hylton566d9342004-09-07 15:28:01 +0000288if l:
289 pass
290else:
291 a, b = b, a
292
293try:
294 print yo
295except:
296 yo = 3
297else:
298 yo += 3
Tim Peters0e9980f2004-09-12 03:49:31 +0000299
Jeremy Hylton566d9342004-09-07 15:28:01 +0000300try:
301 a += b
302finally:
303 b = 0
Tim Peters0e9980f2004-09-12 03:49:31 +0000304
Michael W. Hudsone0b855f2004-11-08 16:46:02 +0000305from math import *
306
Jeremy Hylton566d9342004-09-07 15:28:01 +0000307###############################################################################
308
Jeremy Hylton4336eda2004-08-07 19:25:33 +0000309def test_main():
Raymond Hettingered20ad82004-09-04 20:09:13 +0000310 global TEST_ALL
311 TEST_ALL = test.test_support.is_resource_enabled("compiler")
Jeremy Hylton4336eda2004-08-07 19:25:33 +0000312 test.test_support.run_unittest(CompilerTest)
313
314if __name__ == "__main__":
315 test_main()