File: test_pythoninterpreter_jy.py

package info (click to toggle)
jython 2.7.3%2Brepack1-1
  • links: PTS, VCS
  • area: main
  • in suites: bookworm, forky, sid, trixie
  • size: 62,820 kB
  • sloc: python: 641,384; java: 306,981; xml: 2,066; sh: 514; ansic: 126; makefile: 77
file content (341 lines) | stat: -rw-r--r-- 12,605 bytes parent folder | download | duplicates (3)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
# -*- coding: utf-8 -*-
import java.io
import os
import sys
import traceback
import types
import unittest
import test.test_support
from org.python.core.util import StringUtil
from org.python.core import PyFile
from _codecs import encode
from sun.awt.image import BufImgVolatileSurfaceManager


def exec_code_in_pi(source, inp=None, out=None, err=None, locals=None):
    """Runs code in a separate context: (thread, PySystemState, PythonInterpreter)"""

    def execution_context():
        from org.python.core import Py
        from org.python.util import PythonInterpreter
        from org.python.core import PySystemState

        ps = PySystemState()
        pi = PythonInterpreter({}, ps)
        if locals is not None: pi.setLocals(locals)
        if inp is not None: pi.setIn(inp)
        if out is not None: pi.setOut(out)
        if err is not None: pi.setErr(err)
        try:
            if isinstance(source, types.FunctionType):
                # A function wrapping a compiled code block
                pi.exec(source.func_code)

            elif isinstance(source, java.io.InputStream):
                # A byte-oriented file-like input stream
                pi.execfile(source)

            elif isinstance(source, java.io.Reader):
                # A character-oriented file-like input stream
                code = pi.compile(source)
                pi.exec(code)

            else:
                # A str or unicode (see UnicodeSourceTest)
                pi.exec(source)

        except:
            print
            print '-'*60
            traceback.print_exc(file=sys.stdout)
            print '-'*60


    import threading
    context = threading.Thread(target=execution_context)
    context.start()
    context.join()


class InterpreterTest(unittest.TestCase):

    # in these tests, note the promotion to unicode by java.io.Writer,
    # because these are character-oriented streams. caveat emptor!

    def test_pi_out_unicode(self):
        source_text = [
            u'Some text',
            'Plain text',
            u'\u1000\u2000\u3000\u4000',
            # Some language names from wikipedia
            u'Català · Česky · Dansk · Deutsch · English · Español · Esperanto · Français · Bahasa Indonesia · Italiano · Magyar · Nederlands · 日本語 · Norsk (bokmål) · Polski · Português · Русский · Română · Slovenčina · Suomi · Svenska · Türkçe · Українська · Volapük · 中文',
            ]

        def f():
            global text
            for x in text:
                print x
        out = java.io.StringWriter()
        err = java.io.StringWriter()
        exec_code_in_pi(f, None, out, err, {'text': source_text})
        output_text = out.toString().splitlines()
        for output, source in zip(output_text, source_text):
            self.assertEquals(output, source)

    def test_pi_out(self):
        def f():
            print 42
        out = java.io.StringWriter()
        err = java.io.StringWriter()
        exec_code_in_pi(f, None, out, err)
        self.assertEquals(u"42\n", out.toString())

    def test_more_output(self):
        def f():
            for i in xrange(42):
                print "*" * i
        out = java.io.StringWriter()
        err = java.io.StringWriter()
        exec_code_in_pi(f, None, out, err)
        output = out.toString().splitlines()
        for i, line in enumerate(output):
            self.assertEquals(line, u'*' * i)
        self.assertEquals(42, len(output))


class UnicodeSourceTest(unittest.TestCase):

    # When the core PythonInterpreter is embedded in a Java program
    # it may be supplied as Unicode source as a string or via streams.

    def do_test(self, source, ref_out=u'', ref_var=None, inp=None):
        if ref_var is None:
            ref_var = {}
        out = java.io.StringWriter()
        err = java.io.StringWriter()
        var = {}
        if inp is not None:
            if isinstance(inp, bytes):
                inp = java.io.ByteArrayInputStream(StringUtil.toBytes(inp))
            elif isinstance(inp, unicode):
                inp = java.io.StringReader(inp)

        exec_code_in_pi(source, inp, out, err, var)
        del var['__builtins__']
        self.assertEquals(ref_var, var)
        self.assertEquals(ref_out, out.toString())

    def test_ascii_str(self):
        # Program written in bytes with ascii range only
        self.do_test('a = 42\nprint a', u'42\n', {'a':42})

    def test_latin_str(self):
        # Program written in bytes with codes above 127
        self.do_test('a = "caf\xe9"\nprint a', u'caf\xe9\n', {'a':'caf\xe9'})

    def test_ascii_unicode(self):
        # Program written in Unicode with ascii range only
        self.do_test(u'a = "hello"\nprint a', u'hello\n', {'a':'hello'})

    def test_latin_unicode(self):
        # Program written in Unicode with codes above 127
       self.do_test(u'a = "caf\xe9"\nprint a', u'caf\xe9\n', {'a':'caf\xe9'})

    @unittest.skip("PythonInterpreter.exec(String) does not distinguish str/unicode")
    def test_bmp_unicode(self):
        # Program written in Unicode with codes above 255
        a = u"畫蛇添足 Λόγος"
        prog = u'a = u"{:s}"\nprint repr(a)'.format(a)
        # Submit via exec(unicode)
        self.do_test(prog,
                     u'{}\n'.format(repr(a)),
                     {'a': a})

    def test_bmp_utf8stream(self):
        # Program written in Unicode with codes above 255
        a = u"畫蛇添足 Λόγος"
        prog = u'a = u"{:s}"\nprint repr(a)'.format(a)
        # Program as bytes with declared encoding for execfile(InputStream)
        progbytes = '# coding: utf-8\n' + prog.encode('utf-8')
        stream = java.io.ByteArrayInputStream(StringUtil.toBytes(progbytes))
        self.do_test(stream,
                     u'{}\n'.format(repr(a)),
                     {'a': a})

    def test_bmp_reader(self):
        # Program written in Unicode with codes above 255
        a = u"畫蛇添足 Λόγος"
        prog = u'a = u"{:s}"\nprint repr(a)'.format(a)
        # Program as character stream for exec(compile(Reader))
        self.do_test(java.io.StringReader(prog),
                     u'{}\n'.format(repr(a)),
                     {'a': a})

def unicode_lines():
    input_lines = [
        u'Some text',
        u'un café crème',
        u"Λόγος",
        u"畫蛇添足",
        ]
    input_text = u'\n'.join(input_lines)
    return input_lines, input_text


class InterpreterSetInTest(unittest.TestCase):

    # When the core PythonInterpreter is embedded in a Java program it
    # may be connected through SetIn to a Unicode or byte stream.
    # However, the Unicode Reader interface narrows the data to bytes
    # in a way that mangles anything beyond Latin-1. These tests
    # illustrate that preparatory to a possible solution, in which the
    # encoding is specified to the PythonInterpreter and appears as
    # sys.stdin.encoding etc. for use by the application (and libraries).

    @staticmethod
    def do_read():
        import sys
        buf = bytearray()
        while True:
            c = sys.stdin.read(1)
            if not c: break
            buf.append(c)
        # A defined encoding ought to be advertised in sys.stdin.encoding
        enc = getattr(sys.stdin, 'encoding', None)
        # In the test, allow an override via local variables
        enc = locals().get('encoding', enc)
        if enc:
            result = buf.decode(enc) # unicode
        else:
            result = bytes(buf)

    def test_pi_bytes_read(self):
        # Test read() with pi.setIn(PyFile(InputStream))
        input_lines, input_text = unicode_lines()
        input_bytes = input_text.encode('utf-8')
        inp = java.io.ByteArrayInputStream(input_bytes)
        var = dict()
        exec_code_in_pi(InterpreterSetInTest.do_read, inp, locals=var)
        result = var['result']
        self.assertEquals(result, input_bytes)
        self.assertEquals(type(result), type(input_bytes))

    @unittest.skip("Jython treats characters from a Reader as bytes.")
    # Has no unicode encoding and fails to build PyString for codes > 255
    def test_pi_unicode_read(self):
        # Test read() with pi.setIn(Reader)
        input_lines, input_text = unicode_lines()
        inp = java.io.StringReader(input_text)
        var = dict()
        exec_code_in_pi(InterpreterSetInTest.do_read, inp, locals=var)
        result = var['result']
        self.assertEquals(result, input_text)
        self.assertEquals(type(result), type(input_text))

    def test_pi_encoding_read(self):
        # Test read() with pi.setIn(PyFile(InputStream)) and defined encoding
        input_lines, input_text = unicode_lines()
        input_bytes = input_text.encode('utf-8')
        inp = java.io.ByteArrayInputStream(input_bytes)
        var = {'encoding': 'utf-8'}
        exec_code_in_pi(InterpreterSetInTest.do_read, inp, locals=var)
        result = var['result']
        self.assertEquals(result, input_text)
        self.assertEquals(type(result), type(input_text))

    @staticmethod
    def do_readline():
        import sys
        # A defined encoding ought to be advertised in sys.stdin.encoding
        enc = getattr(sys.stdin, 'encoding', None)
        # In the test, allow an override via local variables
        enc = locals().get('encoding', enc)
        result = list()
        while True:
            line = sys.stdin.readline()
            if not line: break
            if enc: line = line.decode(enc) # unicode
            result.append(line.rstrip('\n'))

    def test_pi_bytes_readline(self):
        # Test readline() with pi.setIn(PyFile(InputStream))
        input_lines, input_text = unicode_lines()
        input_bytes = input_text.encode('utf-8')
        inp = java.io.ByteArrayInputStream(input_bytes)
        var = dict()
        exec_code_in_pi(InterpreterSetInTest.do_readline, inp, locals=var)
        for output, source in zip(var['result'], input_lines):
            source = source.encode('utf-8')
            self.assertEquals(output, source)
            self.assertEquals(type(output), type(source))

    @unittest.skip("Jython treats characters from a Reader as bytes.")
    # Has no unicode encoding and fails to build PyString for codes > 255
    def test_pi_unicode_readline(self):
        # Test readline() with pi.setIn(Reader)
        input_lines, input_text = unicode_lines()
        inp = java.io.StringReader(input_text)
        var = dict()
        exec_code_in_pi(InterpreterSetInTest.do_readline, inp, locals=var)
        for output, source in zip(var['result'], input_lines):
            self.assertEquals(output, source)
            self.assertEquals(type(output), type(source))

    def test_pi_encoding_readline(self):
        # Test readline() pi.setIn(PyFile(InputStream)) and defined encoding
        input_lines, input_text = unicode_lines()
        input_bytes = input_text.encode('utf-8')
        inp = java.io.ByteArrayInputStream(input_bytes)
        var = {'encoding': 'utf-8'}
        exec_code_in_pi(InterpreterSetInTest.do_readline, inp, locals=var)
        for output, source in zip(var['result'], input_lines):
            self.assertEquals(output, source)
            self.assertEquals(type(output), type(source))

    @staticmethod
    def do_readinto():
        import sys
        buf = bytearray(1024)
        n = sys.stdin.readinto(buf)
        result = buf[:n]

    def test_pi_bytes_readinto(self):
        # Test readinto() with pi.setIn(PyFile(InputStream))
        input_lines, input_text = unicode_lines()
        input_bytes = input_text.encode('utf-8')
        inp = java.io.ByteArrayInputStream(input_bytes)
        var = dict()
        exec_code_in_pi(InterpreterSetInTest.do_readinto, inp, locals=var)
        self.assertEquals(var['result'], input_bytes)

    # There is no readinto() with pi.setIn(Reader)


class StdoutWrapperTest(unittest.TestCase):

    def test_choose_str(self):

        def f():
            class Example:
                def __str__(self):
                    return "str"
                def __repr__(self):
                    return "repr"
            print Example()

        out = java.io.StringWriter()
        err = java.io.StringWriter()
        exec_code_in_pi(f, None, out, err)
        self.assertEqual(out.toString(), "str\n")


def test_main():
    test.test_support.run_unittest(
            InterpreterTest,
            UnicodeSourceTest,
            InterpreterSetInTest,
            StdoutWrapperTest
    )

if __name__ == "__main__":
    test_main()