def test_run_code(self):
     # Test expected operation of the '-c' switch
     # Switch needs an argument
     assert_python_failure('-c')
     # Check we get an error for an uncaught exception
     assert_python_failure('-c', 'raise Exception')
     # All good if execution is successful
     assert_python_ok('-c', 'pass')
 def test_assert_python_failure_raises(self):
     with self.assertRaises(AssertionError) as error_context:
         script_helper.assert_python_failure('-c',
                                             'import sys; sys.exit(0)')
     error_msg = str(error_context.exception)
     self.assertIn('Process return code is 0\n', error_msg)
     self.assertIn('import sys; sys.exit(0)',
                   error_msg,
                   msg='unexpected command line.')
 def test_crashers_crash(self):
     for fname in glob.glob(CRASHER_FILES):
         if os.path.basename(fname) in infinite_loops:
             continue
         # Some "crashers" only trigger an exception rather than a
         # segfault. Consider that an acceptable outcome.
         if sql_mode.support.verbose:
             print("Checking crasher:", fname)
         assert_python_failure(fname)
예제 #4
0
    def test_return_result_with_error(self):
        # Issue #23571: A function must not return a result with an error set
        if Py_DEBUG:
            code = textwrap.dedent("""
                import _testcapi
                from test import support

                with support.SuppressCrashReport():
                    _testcapi.return_result_with_error()
            """)
            rc, out, err = assert_python_failure('-c', code)
            self.assertRegex(
                err.replace(b'\r', b''),
                br'Fatal Python error: a function returned a '
                br'result with an error set\n'
                br'ValueError\n'
                br'\n'
                br'The above exception was the direct cause '
                br'of the following exception:\n'
                br'\n'
                br'SystemError: <built-in '
                br'function return_result_with_error> '
                br'returned a result with an error set\n'
                br'\n'
                br'Current thread.*:\n'
                br'  File .*, line 6 in <module>')
        else:
            with self.assertRaises(SystemError) as cm:
                _testcapi.return_result_with_error()
            self.assertRegex(
                str(cm.exception), 'return_result_with_error.* '
                'returned a result with an error set')
예제 #5
0
 def check(self, code):
     with support.SuppressCrashReport():
         out = assert_python_failure('-c',
                                     code,
                                     PYTHONMALLOC=self.PYTHONMALLOC)
     stderr = out.err
     return stderr.decode('ascii', 'replace')
 def check_exit_message(code, expected, **env_vars):
     rc, out, err = assert_python_failure('-c', code, **env_vars)
     self.assertEqual(rc, 1)
     self.assertEqual(out, b'')
     self.assertTrue(
         err.startswith(expected),
         "%s doesn't start with %s" % (ascii(err), ascii(expected)))
예제 #7
0
    def test_return_null_without_error(self):
        # Issue #23571: A function must not return NULL without setting an
        # error
        if Py_DEBUG:
            code = textwrap.dedent("""
                import _testcapi
                from test import support

                with support.SuppressCrashReport():
                    _testcapi.return_null_without_error()
            """)
            rc, out, err = assert_python_failure('-c', code)
            self.assertRegex(
                err.replace(b'\r', b''),
                br'Fatal Python error: a function returned NULL '
                br'without setting an error\n'
                br'SystemError: <built-in function '
                br'return_null_without_error> returned NULL '
                br'without setting an error\n'
                br'\n'
                br'Current thread.*:\n'
                br'  File .*", line 6 in <module>')
        else:
            with self.assertRaises(SystemError) as cm:
                _testcapi.return_null_without_error()
            self.assertRegex(
                str(cm.exception), 'return_null_without_error.* '
                'returned NULL without setting an error')
예제 #8
0
 def test_trigger_memory_error(self):
     e = self._nested_expression(100)
     rc, out, err = assert_python_failure('-c', e)
     # parsing the expression will result in an error message
     # followed by a MemoryError (see #11963)
     self.assertIn(b's_push: parser stack overflow', err)
     self.assertIn(b'MemoryError', err)
 def test_syntaxerror_unindented_caret_position(self):
     script = "1 + 1 = 2\n"
     with support.temp_dir() as script_dir:
         script_name = _make_test_script(script_dir, 'script', script)
         exitcode, stdout, stderr = assert_python_failure(script_name)
         text = io.TextIOWrapper(io.BytesIO(stderr), 'ascii').read()
         # Confirm that the caret is located under the first 1 character
         self.assertIn("\n    1 + 1 = 2\n    ^", text)
 def test_unknown_options(self):
     rc, out, err = assert_python_failure('-E', '-z')
     self.assertIn(b'Unknown option: -z', err)
     self.assertEqual(err.splitlines().count(b'Unknown option: -z'), 1)
     self.assertEqual(b'', out)
     # Add "without='-E'" to prevent _assert_python to append -E
     # to env_vars and change the output of stderr
     rc, out, err = assert_python_failure('-z', without='-E')
     self.assertIn(b'Unknown option: -z', err)
     self.assertEqual(err.splitlines().count(b'Unknown option: -z'), 1)
     self.assertEqual(b'', out)
     rc, out, err = assert_python_failure('-a', '-z', without='-E')
     self.assertIn(b'Unknown option: -a', err)
     # only the first unknown option is reported
     self.assertNotIn(b'Unknown option: -z', err)
     self.assertEqual(err.splitlines().count(b'Unknown option: -a'), 1)
     self.assertEqual(b'', out)
 def test_sys_xoptions_invalid(self):
     for nframe in (-1, 0, 2**30):
         with self.subTest(nframe=nframe):
             with support.SuppressCrashReport():
                 args = ('-X', 'tracemalloc=%s' % nframe, '-c', 'pass')
                 ok, stdout, stderr = assert_python_failure(*args)
                 self.assertIn(
                     b'-X tracemalloc=NFRAME: invalid '
                     b'number of frames', stderr)
 def _check_import_error(self, script_name, expected_msg,
                         *cmd_line_switches):
     run_args = cmd_line_switches + (script_name, )
     rc, out, err = assert_python_failure(*run_args)
     if verbose > 1:
         print('Output from test script %r:' % script_name)
         print(repr(err))
         print('Expected output: %r' % expected_msg)
     self.assertIn(expected_msg.encode('utf-8'), err)
 def test_env_var_invalid(self):
     for nframe in (-1, 0, 2**30):
         with self.subTest(nframe=nframe):
             with support.SuppressCrashReport():
                 ok, stdout, stderr = assert_python_failure(
                     '-c', 'pass', PYTHONTRACEMALLOC=str(nframe))
                 self.assertIn(
                     b'PYTHONTRACEMALLOC: invalid '
                     b'number of frames', stderr)
    def test_syntaxerror_indented_caret_position(self):
        script = textwrap.dedent("""\
            if True:
                1 + 1 = 2
            """)
        with support.temp_dir() as script_dir:
            script_name = _make_test_script(script_dir, 'script', script)
            exitcode, stdout, stderr = assert_python_failure(script_name)
            text = io.TextIOWrapper(io.BytesIO(stderr), 'ascii').read()
            # Confirm that the caret is located under the first 1 character
            self.assertIn("\n    1 + 1 = 2\n    ^", text)

            # Try the same with a form feed at the start of the indented line
            script = ("if True:\n" "\f    1 + 1 = 2\n")
            script_name = _make_test_script(script_dir, "script", script)
            exitcode, stdout, stderr = assert_python_failure(script_name)
            text = io.TextIOWrapper(io.BytesIO(stderr), "ascii").read()
            self.assertNotIn("\f", text)
            self.assertIn("\n    1 + 1 = 2\n    ^", text)
예제 #15
0
 def test_d_runtime_error(self):
     bazfn = script_helper.make_script(self.pkgdir, 'baz',
                                       'raise Exception')
     self.assertRunOK('-q', '-d', 'dinsdale', self.pkgdir)
     fn = script_helper.make_script(self.pkgdir, 'bing', 'import baz')
     pyc = importlib.util.cache_from_source(bazfn)
     os.rename(pyc, os.path.join(self.pkgdir, 'baz.pyc'))
     os.remove(bazfn)
     rc, out, err = script_helper.assert_python_failure(fn,
                                                        __isolated=False)
     self.assertRegex(err, b'File "dinsdale')
예제 #16
0
 def test_syshook_no_logdir_default_format(self):
     with temp_dir() as tracedir:
         rc, out, err = assert_python_failure(
             '-c', ('import cgitb; cgitb.enable(logdir=%s); '
                    'raise ValueError("Hello World")') % repr(tracedir))
     out = out.decode(sys.getfilesystemencoding())
     self.assertIn("ValueError", out)
     self.assertIn("Hello World", out)
     # By default we emit HTML markup.
     self.assertIn('<p>', out)
     self.assertIn('</p>', out)
예제 #17
0
 def test_syshook_no_logdir_text_format(self):
     # Issue 12890: we were emitting the <p> tag in text mode.
     with temp_dir() as tracedir:
         rc, out, err = assert_python_failure(
             '-c', ('import cgitb; cgitb.enable(format="text", logdir=%s); '
                    'raise ValueError("Hello World")') % repr(tracedir))
     out = out.decode(sys.getfilesystemencoding())
     self.assertIn("ValueError", out)
     self.assertIn("Hello World", out)
     self.assertNotIn('<p>', out)
     self.assertNotIn('</p>', out)
 def test_stdout_flush_at_shutdown(self):
     # Issue #5319: if stdout.flush() fails at shutdown, an error should
     # be printed out.
     code = """if 1:
         import os, sys, test.support
         test.support.SuppressCrashReport().__enter__()
         sys.stdout.write('x')
         os.close(sys.stdout.fileno())"""
     rc, out, err = assert_python_failure('-c', code)
     self.assertEqual(b'', out)
     self.assertEqual(120, rc)
     self.assertRegex(err.decode('ascii', 'ignore'),
                      'Exception ignored in.*\nOSError: .*')
예제 #19
0
 def test_conflicting_envvar_and_command_line(self):
     rc, stdout, stderr = assert_python_failure(
         "-Werror::DeprecationWarning",
         "-c",
         "import sys, warnings; sys.stdout.write(str(sys.warnoptions)); "
         "warnings.warn('Message', DeprecationWarning)",
         PYTHONWARNINGS="default::DeprecationWarning")
     self.assertEqual(
         stdout,
         b"['default::DeprecationWarning', 'error::DeprecationWarning']")
     self.assertEqual(stderr.splitlines(), [
         b"Traceback (most recent call last):",
         b"  File \"<string>\", line 1, in <module>",
         b"DeprecationWarning: Message"
     ])
    def test_failed_import_during_compiling(self):
        # Issue 4367
        # Decoding \N escapes requires the unicodedata module. If it can't be
        # imported, we shouldn't segfault.

        # This program should raise a SyntaxError in the eval.
        code = "import sys;" \
            "sys.modules['unicodedata'] = None;" \
            """eval("'\\\\N{SOFT HYPHEN}'")"""
        # We use a separate process because the unicodedata module may already
        # have been loaded in this process.
        result = script_helper.assert_python_failure("-c", code)
        error = "SyntaxError: (unicode error) \\N escapes not supported " \
            "(can't load unicodedata module)"
        self.assertIn(error, result.err.decode("ascii"))
 def test_failures(self):
     _errors = ((
         b'filename is missing: required with the main options', '-l', '-T'
     ), (
         b'cannot specify both --listfuncs and (--trace or --count)', '-lc'
     ), (
         b'argument -R/--no-report: not allowed with argument -r/--report',
         '-rR'
     ), (b'must specify one of --trace, --count, --report, --listfuncs, or --trackcalls',
         '-g'), (b'-r/--report requires -f/--file', '-r'),
                (b'--summary can only be used with --count or --report',
                 '-sT'), (b'unrecognized arguments: -y', '-y'))
     for message, *args in _errors:
         *_, stderr = assert_python_failure('-m', 'trace', *args)
         self.assertIn(message, stderr)
 def test_run_module(self):
     # Test expected operation of the '-m' switch
     # Switch needs an argument
     assert_python_failure('-m')
     # Check we get an error for a nonexistent module
     assert_python_failure('-m', 'fnord43520xyz')
     # Check the runpy module also gives an error for
     # a nonexistent module
     assert_python_failure('-m', 'runpy', 'fnord43520xyz')
     # All good if module is located and run successfully
     assert_python_ok('-m', 'timeit', '-n', '1')
 def test_pep_409_verbiage(self):
     # Make sure PEP 409 syntax properly suppresses
     # the context of an exception
     script = textwrap.dedent("""\
         try:
             raise ValueError
         except:
             raise NameError from None
         """)
     with support.temp_dir() as script_dir:
         script_name = _make_test_script(script_dir, 'script', script)
         exitcode, stdout, stderr = assert_python_failure(script_name)
         text = stderr.decode('ascii').split('\n')
         self.assertEqual(len(text), 4)
         self.assertTrue(text[0].startswith('Traceback'))
         self.assertTrue(text[1].startswith('  File '))
         self.assertTrue(text[3].startswith('NameError'))
    def test_issue20500_exit_with_exception_value(self):
        script = textwrap.dedent("""\
            import sys
            error = None
            try:
                raise ValueError('some text')
            except ValueError as err:
                error = err

            if error:
                sys.exit(error)
            """)
        with support.temp_dir() as script_dir:
            script_name = _make_test_script(script_dir, 'script', script)
            exitcode, stdout, stderr = assert_python_failure(script_name)
            text = stderr.decode('ascii')
            self.assertEqual(text, "some text")
 def test_dash_m_errors(self):
     # Exercise error reporting for various invalid package executions
     tests = (
         ('builtins', br'No code object available'),
         ('builtins.x', br'Error while finding module specification.*'
          br'AttributeError'),
         ('builtins.x.y', br'Error while finding module specification.*'
          br'ModuleNotFoundError.*No module named.*not a package'),
         ('os.path', br'loader.*cannot handle'),
         ('importlib', br'No module named.*'
          br'is a package and cannot be directly executed'),
         ('importlib.nonexistant', br'No module named'),
         ('.unittest', br'Relative module names not supported'),
     )
     for name, regex in tests:
         with self.subTest(name):
             rc, _, err = assert_python_failure('-m', name)
             self.assertEqual(rc, 1)
             self.assertRegex(err, regex)
             self.assertNotIn(b'Traceback', err)
 def test_consistent_sys_path_for_module_execution(self):
     # This test case ensures that the following both give the same
     # sys.path configuration:
     #    ./python -sm script_pkg.__main__
     #    ./python -sm script_pkg
     #
     # And that this fails as unable to find the package:
     #    ./python -Im script_pkg
     script = textwrap.dedent("""\
         import sys
         for entry in sys.path:
             print(entry)
         """)
     # Always show full path diffs on errors
     self.maxDiff = None
     with support.temp_dir() as work_dir:
         script_dir = os.path.join(work_dir, "script_pkg")
         os.mkdir(script_dir)
         script_name = _make_test_script(script_dir, '__main__', script)
         # Reference output comes from `-m script_pkg.__main__`
         # We omit PYTHONPATH and user site to better align with the
         # direct execution test cases
         p = spawn_python("-sm", "script_pkg.__main__", cwd=work_dir)
         out_by_module = kill_python(p).decode().splitlines()
         self.assertEqual(out_by_module[0], '')
         self.assertNotIn(script_dir, out_by_module)
         # Package execution should give the same output
         p = spawn_python("-sm", "script_pkg", cwd=work_dir)
         out_by_package = kill_python(p).decode().splitlines()
         self.assertEqual(out_by_package, out_by_module)
         # Isolated mode should fail with an import error
         exitcode, stdout, stderr = assert_python_failure("-Im",
                                                          "script_pkg",
                                                          cwd=work_dir)
         traceback_lines = stderr.decode().splitlines()
         self.assertIn("No module named script_pkg", traceback_lines[-1])
    def test_exit(self):
        # call with two arguments
        self.assertRaises(TypeError, sys.exit, 42, 42)

        # call without argument
        with self.assertRaises(SystemExit) as cm:
            sys.exit()
        self.assertIsNone(cm.exception.code)

        rc, out, err = assert_python_ok('-c', 'import sys; sys.exit()')
        self.assertEqual(rc, 0)
        self.assertEqual(out, b'')
        self.assertEqual(err, b'')

        # call with integer argument
        with self.assertRaises(SystemExit) as cm:
            sys.exit(42)
        self.assertEqual(cm.exception.code, 42)

        # call with tuple argument with one entry
        # entry will be unpacked
        with self.assertRaises(SystemExit) as cm:
            sys.exit((42, ))
        self.assertEqual(cm.exception.code, 42)

        # call with string argument
        with self.assertRaises(SystemExit) as cm:
            sys.exit("exit")
        self.assertEqual(cm.exception.code, "exit")

        # call with tuple argument with two entries
        with self.assertRaises(SystemExit) as cm:
            sys.exit((17, 23))
        self.assertEqual(cm.exception.code, (17, 23))

        # test that the exit machinery handles SystemExits properly
        rc, out, err = assert_python_failure('-c', 'raise SystemExit(47)')
        self.assertEqual(rc, 47)
        self.assertEqual(out, b'')
        self.assertEqual(err, b'')

        def check_exit_message(code, expected, **env_vars):
            rc, out, err = assert_python_failure('-c', code, **env_vars)
            self.assertEqual(rc, 1)
            self.assertEqual(out, b'')
            self.assertTrue(
                err.startswith(expected),
                "%s doesn't start with %s" % (ascii(err), ascii(expected)))

        # test that stderr buffer is flushed before the exit message is written
        # into stderr
        check_exit_message(
            r'import sys; sys.stderr.write("unflushed,"); sys.exit("message")',
            b"unflushed,message")

        # test that the exit message is written with backslashreplace error
        # handler to stderr
        check_exit_message(r'import sys; sys.exit("surrogates:\uDCFF")',
                           b"surrogates:\\udcff")

        # test that the unicode message is encoded to the stderr encoding
        # instead of the default encoding (utf8)
        check_exit_message(r'import sys; sys.exit("h\xe9")',
                           b"h\xe9",
                           PYTHONIOENCODING='latin-1')
 def check_dash_m_failure(self, *args):
     rc, out, err = assert_python_failure('-m', *args, __isolated=False)
     if verbose > 1:
         print(repr(out))
     self.assertEqual(rc, 1)
     return err
예제 #29
0
 def assertRunNotOK(self, *args, **env_vars):
     rc, out, err = script_helper.assert_python_failure(
         *self._get_run_args(args), **env_vars)
     return rc, out, err
 def test_usage(self):
     rc, out, err = assert_python_failure(self.script, '-h')
     self.assertEqual(rc, 2)
     self.assertEqual(out, b'')
     self.assertGreater(err, b'')