##// END OF EJS Templates
Fix cleanup of test controller
Thomas Kluyver -
Show More
@@ -1,275 +1,278
1 1 # -*- coding: utf-8 -*-
2 2 """IPython Test Process Controller
3 3
4 4 This module runs one or more subprocesses which will actually run the IPython
5 5 test suite.
6 6
7 7 """
8 8
9 9 #-----------------------------------------------------------------------------
10 10 # Copyright (C) 2009-2011 The IPython Development Team
11 11 #
12 12 # Distributed under the terms of the BSD License. The full license is in
13 13 # the file COPYING, distributed as part of this software.
14 14 #-----------------------------------------------------------------------------
15 15
16 16 #-----------------------------------------------------------------------------
17 17 # Imports
18 18 #-----------------------------------------------------------------------------
19 19 from __future__ import print_function
20 20
21 21 import argparse
22 22 import multiprocessing.pool
23 23 import os
24 24 import signal
25 25 import sys
26 26 import subprocess
27 27 import time
28 28
29 29 from .iptest import have, test_group_names, test_sections
30 30 from IPython.utils import py3compat
31 31 from IPython.utils.sysinfo import sys_info
32 32 from IPython.utils.tempdir import TemporaryDirectory
33 33
34 34
35 35 class IPTestController(object):
36 36 """Run iptest in a subprocess
37 37 """
38 38 #: str, IPython test suite to be executed.
39 39 section = None
40 40 #: list, command line arguments to be executed
41 41 cmd = None
42 42 #: dict, extra environment variables to set for the subprocess
43 43 env = None
44 44 #: list, TemporaryDirectory instances to clear up when the process finishes
45 45 dirs = None
46 46 #: subprocess.Popen instance
47 47 process = None
48 48 buffer_output = False
49 49
50 50 def __init__(self, section):
51 51 """Create new test runner."""
52 52 self.section = section
53 53 self.cmd = [sys.executable, '-m', 'IPython.testing.iptest', section]
54 54 self.env = {}
55 55 self.dirs = []
56 56 ipydir = TemporaryDirectory()
57 57 self.dirs.append(ipydir)
58 58 self.env['IPYTHONDIR'] = ipydir.name
59 59 workingdir = TemporaryDirectory()
60 60 self.dirs.append(workingdir)
61 61 self.env['IPTEST_WORKING_DIR'] = workingdir.name
62 62
63 63 def add_xunit(self):
64 64 xunit_file = os.path.abspath(self.section + '.xunit.xml')
65 65 self.cmd.extend(['--with-xunit', '--xunit-file', xunit_file])
66 66
67 67 def add_coverage(self, xml=True):
68 68 self.cmd.extend(['--with-coverage', '--cover-package', self.section])
69 69 if xml:
70 70 coverage_xml = os.path.abspath(self.section + ".coverage.xml")
71 71 self.cmd.extend(['--cover-xml', '--cover-xml-file', coverage_xml])
72 72
73 73
74 74 def launch(self):
75 75 # print('*** ENV:', self.env) # dbg
76 76 # print('*** CMD:', self.cmd) # dbg
77 77 env = os.environ.copy()
78 78 env.update(self.env)
79 79 output = subprocess.PIPE if self.buffer_output else None
80 80 self.process = subprocess.Popen(self.cmd, stdout=output,
81 81 stderr=output, env=env)
82 82
83 83 def run(self):
84 84 """Run the stored commands"""
85 85 try:
86 86 retcode = self._run_cmd()
87 87 except KeyboardInterrupt:
88 88 return -signal.SIGINT
89 89 except:
90 90 import traceback
91 91 traceback.print_exc()
92 92 return 1 # signal failure
93 93
94 94 if self.coverage_xml:
95 95 subprocess.call(["coverage", "xml", "-o", self.coverage_xml])
96 96 return retcode
97 97
98 def cleanup(self):
98 def cleanup_process(self):
99 99 """Cleanup on exit by killing any leftover processes."""
100 100 subp = self.process
101 101 if subp is None or (subp.poll() is not None):
102 102 return # Process doesn't exist, or is already dead.
103 103
104 104 try:
105 105 print('Cleaning up stale PID: %d' % subp.pid)
106 106 subp.kill()
107 107 except: # (OSError, WindowsError) ?
108 108 # This is just a best effort, if we fail or the process was
109 109 # really gone, ignore it.
110 110 pass
111 111 else:
112 112 for i in range(10):
113 113 if subp.poll() is None:
114 114 time.sleep(0.1)
115 115 else:
116 116 break
117 117
118 118 if subp.poll() is None:
119 119 # The process did not die...
120 120 print('... failed. Manual cleanup may be required.')
121
121
122 def cleanup(self):
123 "Kill process if it's still alive, and clean up temporary directories"
124 self.cleanup_process()
122 125 for td in self.dirs:
123 126 td.cleanup()
124 127
125 128 __del__ = cleanup
126 129
127 130 def test_controllers_to_run(inc_slow=False):
128 131 """Returns an ordered list of IPTestController instances to be run."""
129 132 res = []
130 133 if not inc_slow:
131 134 test_sections['parallel'].enabled = False
132 135 for name in test_group_names:
133 136 if test_sections[name].will_run:
134 137 res.append(IPTestController(name))
135 138 return res
136 139
137 140 def do_run(controller):
138 141 try:
139 142 try:
140 143 controller.launch()
141 144 except Exception:
142 145 import traceback
143 146 traceback.print_exc()
144 147 return controller, 1 # signal failure
145 148
146 149 exitcode = controller.process.wait()
147 150 controller.cleanup()
148 151 return controller, exitcode
149 152
150 153 except KeyboardInterrupt:
151 154 controller.cleanup()
152 155 return controller, -signal.SIGINT
153 156
154 157 def report():
155 158 """Return a string with a summary report of test-related variables."""
156 159
157 160 out = [ sys_info(), '\n']
158 161
159 162 avail = []
160 163 not_avail = []
161 164
162 165 for k, is_avail in have.items():
163 166 if is_avail:
164 167 avail.append(k)
165 168 else:
166 169 not_avail.append(k)
167 170
168 171 if avail:
169 172 out.append('\nTools and libraries available at test time:\n')
170 173 avail.sort()
171 174 out.append(' ' + ' '.join(avail)+'\n')
172 175
173 176 if not_avail:
174 177 out.append('\nTools and libraries NOT available at test time:\n')
175 178 not_avail.sort()
176 179 out.append(' ' + ' '.join(not_avail)+'\n')
177 180
178 181 return ''.join(out)
179 182
180 183 def run_iptestall(inc_slow=False, jobs=1, xunit=False, coverage=False):
181 184 """Run the entire IPython test suite by calling nose and trial.
182 185
183 186 This function constructs :class:`IPTester` instances for all IPython
184 187 modules and package and then runs each of them. This causes the modules
185 188 and packages of IPython to be tested each in their own subprocess using
186 189 nose.
187 190
188 191 Parameters
189 192 ----------
190 193
191 194 inc_slow : bool, optional
192 195 Include slow tests, like IPython.parallel. By default, these tests aren't
193 196 run.
194 197
195 198 fast : bool, option
196 199 Run the test suite in parallel, if True, using as many threads as there
197 200 are processors
198 201 """
199 202 pool = multiprocessing.pool.ThreadPool(jobs)
200 203 if jobs != 1:
201 204 IPTestController.buffer_output = True
202 205
203 206 controllers = test_controllers_to_run(inc_slow=inc_slow)
204 207
205 208 # Run all test runners, tracking execution time
206 209 failed = []
207 210 t_start = time.time()
208 211
209 212 print('*'*70)
210 213 for (controller, res) in pool.imap_unordered(do_run, controllers):
211 214 tgroup = 'IPython test group: ' + controller.section
212 215 res_string = 'OK' if res == 0 else 'FAILED'
213 216 res_string = res_string.rjust(70 - len(tgroup), '.')
214 217 print(tgroup + res_string)
215 218 if res:
216 219 failed.append(controller)
217 220 if res == -signal.SIGINT:
218 221 print("Interrupted")
219 222 break
220 223
221 224 t_end = time.time()
222 225 t_tests = t_end - t_start
223 226 nrunners = len(controllers)
224 227 nfail = len(failed)
225 228 # summarize results
226 229 print()
227 230 print('*'*70)
228 231 print('Test suite completed for system with the following information:')
229 232 print(report())
230 233 print('Ran %s test groups in %.3fs' % (nrunners, t_tests))
231 234 print()
232 235 print('Status:')
233 236 if not failed:
234 237 print('OK')
235 238 else:
236 239 # If anything went wrong, point out what command to rerun manually to
237 240 # see the actual errors and individual summary
238 241 print('ERROR - %s out of %s test groups failed.' % (nfail, nrunners))
239 242 for controller in failed:
240 243 print('-'*40)
241 244 print('Runner failed:', controller.section)
242 245 print('You may wish to rerun this one individually, with:')
243 246 failed_call_args = [py3compat.cast_unicode(x) for x in controller.cmd]
244 247 print(u' '.join(failed_call_args))
245 248 print()
246 249 # Ensure that our exit code indicates failure
247 250 sys.exit(1)
248 251
249 252
250 253 def main():
251 254 if len(sys.argv) > 1 and (sys.argv[1] in test_sections):
252 255 from .iptest import run_iptest
253 256 # This is in-process
254 257 run_iptest()
255 258 return
256 259
257 260 parser = argparse.ArgumentParser(description='Run IPython test suite')
258 261 parser.add_argument('--all', action='store_true',
259 262 help='Include slow tests not run by default.')
260 263 parser.add_argument('-j', '--fast', nargs='?', const=None, default=1,
261 264 help='Run test sections in parallel.')
262 265 parser.add_argument('--xunit', action='store_true',
263 266 help='Produce Xunit XML results')
264 267 parser.add_argument('--coverage', action='store_true',
265 268 help='Measure test coverage.')
266 269
267 270 options = parser.parse_args()
268 271
269 272 # This starts subprocesses
270 273 run_iptestall(inc_slow=options.all, jobs=options.fast,
271 274 xunit=options.xunit, coverage=options.coverage)
272 275
273 276
274 277 if __name__ == '__main__':
275 278 main()
@@ -1,148 +1,151
1 1 """TemporaryDirectory class, copied from Python 3.2.
2 2
3 3 This is copied from the stdlib and will be standard in Python 3.2 and onwards.
4 4 """
5 5 from __future__ import print_function
6 6
7 7 import os as _os
8 import warnings as _warnings
9 import sys as _sys
8 10
9 11 # This code should only be used in Python versions < 3.2, since after that we
10 12 # can rely on the stdlib itself.
11 13 try:
12 14 from tempfile import TemporaryDirectory
13 15
14 16 except ImportError:
15 17 from tempfile import mkdtemp, template
16 18
17 19 class TemporaryDirectory(object):
18 20 """Create and return a temporary directory. This has the same
19 21 behavior as mkdtemp but can be used as a context manager. For
20 22 example:
21 23
22 24 with TemporaryDirectory() as tmpdir:
23 25 ...
24 26
25 27 Upon exiting the context, the directory and everthing contained
26 28 in it are removed.
27 29 """
28 30
29 31 def __init__(self, suffix="", prefix=template, dir=None):
30 32 self.name = mkdtemp(suffix, prefix, dir)
31 33 self._closed = False
32 34
33 35 def __enter__(self):
34 36 return self.name
35 37
36 38 def cleanup(self, _warn=False):
37 39 if self.name and not self._closed:
38 40 try:
39 41 self._rmtree(self.name)
40 42 except (TypeError, AttributeError) as ex:
41 43 # Issue #10188: Emit a warning on stderr
42 44 # if the directory could not be cleaned
43 45 # up due to missing globals
44 46 if "None" not in str(ex):
45 47 raise
46 48 print("ERROR: {!r} while cleaning up {!r}".format(ex, self,),
47 49 file=_sys.stderr)
48 50 return
49 51 self._closed = True
50 52 if _warn:
51 53 self._warn("Implicitly cleaning up {!r}".format(self),
52 ResourceWarning)
54 Warning)
53 55
54 56 def __exit__(self, exc, value, tb):
55 57 self.cleanup()
56 58
57 59 def __del__(self):
58 60 # Issue a ResourceWarning if implicit cleanup needed
59 61 self.cleanup(_warn=True)
60 62
61 63
62 64 # XXX (ncoghlan): The following code attempts to make
63 65 # this class tolerant of the module nulling out process
64 66 # that happens during CPython interpreter shutdown
65 67 # Alas, it doesn't actually manage it. See issue #10188
66 68 _listdir = staticmethod(_os.listdir)
67 69 _path_join = staticmethod(_os.path.join)
68 70 _isdir = staticmethod(_os.path.isdir)
69 71 _remove = staticmethod(_os.remove)
70 72 _rmdir = staticmethod(_os.rmdir)
71 73 _os_error = _os.error
74 _warn = _warnings.warn
72 75
73 76 def _rmtree(self, path):
74 77 # Essentially a stripped down version of shutil.rmtree. We can't
75 78 # use globals because they may be None'ed out at shutdown.
76 79 for name in self._listdir(path):
77 80 fullname = self._path_join(path, name)
78 81 try:
79 82 isdir = self._isdir(fullname)
80 83 except self._os_error:
81 84 isdir = False
82 85 if isdir:
83 86 self._rmtree(fullname)
84 87 else:
85 88 try:
86 89 self._remove(fullname)
87 90 except self._os_error:
88 91 pass
89 92 try:
90 93 self._rmdir(path)
91 94 except self._os_error:
92 95 pass
93 96
94 97
95 98 class NamedFileInTemporaryDirectory(object):
96 99
97 100 def __init__(self, filename, mode='w+b', bufsize=-1, **kwds):
98 101 """
99 102 Open a file named `filename` in a temporary directory.
100 103
101 104 This context manager is preferred over `NamedTemporaryFile` in
102 105 stdlib `tempfile` when one needs to reopen the file.
103 106
104 107 Arguments `mode` and `bufsize` are passed to `open`.
105 108 Rest of the arguments are passed to `TemporaryDirectory`.
106 109
107 110 """
108 111 self._tmpdir = TemporaryDirectory(**kwds)
109 112 path = _os.path.join(self._tmpdir.name, filename)
110 113 self.file = open(path, mode, bufsize)
111 114
112 115 def cleanup(self):
113 116 self.file.close()
114 117 self._tmpdir.cleanup()
115 118
116 119 __del__ = cleanup
117 120
118 121 def __enter__(self):
119 122 return self.file
120 123
121 124 def __exit__(self, type, value, traceback):
122 125 self.cleanup()
123 126
124 127
125 128 class TemporaryWorkingDirectory(TemporaryDirectory):
126 129 """
127 130 Creates a temporary directory and sets the cwd to that directory.
128 131 Automatically reverts to previous cwd upon cleanup.
129 132 Usage example:
130 133
131 134 with TemporaryWorakingDirectory() as tmpdir:
132 135 ...
133 136 """
134 137
135 138 def __init__(self, **kw):
136 139 super(TemporaryWorkingDirectory, self).__init__(**kw)
137 140
138 141 #Change cwd to new temp dir. Remember old cwd.
139 142 self.old_wd = _os.getcwd()
140 143 _os.chdir(self.name)
141 144
142 145
143 146 def cleanup(self, _warn=False):
144 147 #Revert to old cwd.
145 148 _os.chdir(self.old_wd)
146 149
147 150 #Cleanup
148 151 super(TemporaryWorkingDirectory, self).cleanup(_warn=_warn)
General Comments 0
You need to be logged in to leave comments. Login now