process.py 9.2 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323
  1. #
  2. # Module providing the `Process` class which emulates `threading.Thread`
  3. #
  4. # multiprocessing/process.py
  5. #
  6. # Copyright (c) 2006-2008, R Oudkerk
  7. # All rights reserved.
  8. #
  9. # Redistribution and use in source and binary forms, with or without
  10. # modification, are permitted provided that the following conditions
  11. # are met:
  12. #
  13. # 1. Redistributions of source code must retain the above copyright
  14. # notice, this list of conditions and the following disclaimer.
  15. # 2. Redistributions in binary form must reproduce the above copyright
  16. # notice, this list of conditions and the following disclaimer in the
  17. # documentation and/or other materials provided with the distribution.
  18. # 3. Neither the name of author nor the names of any contributors may be
  19. # used to endorse or promote products derived from this software
  20. # without specific prior written permission.
  21. #
  22. # THIS SOFTWARE IS PROVIDED BY THE AUTHOR AND CONTRIBUTORS "AS IS" AND
  23. # ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
  24. # IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
  25. # ARE DISCLAIMED. IN NO EVENT SHALL THE AUTHOR OR CONTRIBUTORS BE LIABLE
  26. # FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL
  27. # DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS
  28. # OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION)
  29. # HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT
  30. # LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY
  31. # OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF
  32. # SUCH DAMAGE.
  33. #
  34. __all__ = ['Process', 'current_process', 'active_children']
  35. #
  36. # Imports
  37. #
  38. import os
  39. import sys
  40. import signal
  41. import itertools
  42. #
  43. #
  44. #
  45. try:
  46. ORIGINAL_DIR = os.path.abspath(os.getcwd())
  47. except OSError:
  48. ORIGINAL_DIR = None
  49. #
  50. # Public functions
  51. #
  52. def current_process():
  53. '''
  54. Return process object representing the current process
  55. '''
  56. return _current_process
  57. def active_children():
  58. '''
  59. Return list of process objects corresponding to live child processes
  60. '''
  61. _cleanup()
  62. return list(_current_process._children)
  63. #
  64. #
  65. #
  66. def _cleanup():
  67. # check for processes which have finished
  68. for p in list(_current_process._children):
  69. if p._popen.poll() is not None:
  70. _current_process._children.discard(p)
  71. #
  72. # The `Process` class
  73. #
  74. class Process(object):
  75. '''
  76. Process objects represent activity that is run in a separate process
  77. The class is analagous to `threading.Thread`
  78. '''
  79. _Popen = None
  80. def __init__(self, group=None, target=None, name=None, args=(), kwargs={}):
  81. assert group is None, 'group argument must be None for now'
  82. count = _current_process._counter.next()
  83. self._identity = _current_process._identity + (count,)
  84. self._authkey = _current_process._authkey
  85. self._daemonic = _current_process._daemonic
  86. self._tempdir = _current_process._tempdir
  87. self._parent_pid = os.getpid()
  88. self._popen = None
  89. self._target = target
  90. self._args = tuple(args)
  91. self._kwargs = dict(kwargs)
  92. self._name = name or type(self).__name__ + '-' + \
  93. ':'.join(str(i) for i in self._identity)
  94. def run(self):
  95. '''
  96. Method to be run in sub-process; can be overridden in sub-class
  97. '''
  98. if self._target:
  99. self._target(*self._args, **self._kwargs)
  100. def start(self):
  101. '''
  102. Start child process
  103. '''
  104. assert self._popen is None, 'cannot start a process twice'
  105. assert self._parent_pid == os.getpid(), \
  106. 'can only start a process object created by current process'
  107. assert not _current_process._daemonic, \
  108. 'daemonic processes are not allowed to have children'
  109. _cleanup()
  110. if self._Popen is not None:
  111. Popen = self._Popen
  112. else:
  113. from .forking import Popen
  114. self._popen = Popen(self)
  115. _current_process._children.add(self)
  116. def terminate(self):
  117. '''
  118. Terminate process; sends SIGTERM signal or uses TerminateProcess()
  119. '''
  120. self._popen.terminate()
  121. def join(self, timeout=None):
  122. '''
  123. Wait until child process terminates
  124. '''
  125. assert self._parent_pid == os.getpid(), 'can only join a child process'
  126. assert self._popen is not None, 'can only join a started process'
  127. res = self._popen.wait(timeout)
  128. if res is not None:
  129. _current_process._children.discard(self)
  130. def is_alive(self):
  131. '''
  132. Return whether process is alive
  133. '''
  134. if self is _current_process:
  135. return True
  136. assert self._parent_pid == os.getpid(), 'can only test a child process'
  137. if self._popen is None:
  138. return False
  139. self._popen.poll()
  140. return self._popen.returncode is None
  141. @property
  142. def name(self):
  143. return self._name
  144. @name.setter
  145. def name(self, name):
  146. assert isinstance(name, basestring), 'name must be a string'
  147. self._name = name
  148. @property
  149. def daemon(self):
  150. '''
  151. Return whether process is a daemon
  152. '''
  153. return self._daemonic
  154. @daemon.setter
  155. def daemon(self, daemonic):
  156. '''
  157. Set whether process is a daemon
  158. '''
  159. assert self._popen is None, 'process has already started'
  160. self._daemonic = daemonic
  161. @property
  162. def authkey(self):
  163. return self._authkey
  164. @authkey.setter
  165. def authkey(self, authkey):
  166. '''
  167. Set authorization key of process
  168. '''
  169. self._authkey = AuthenticationString(authkey)
  170. @property
  171. def exitcode(self):
  172. '''
  173. Return exit code of process or `None` if it has yet to stop
  174. '''
  175. if self._popen is None:
  176. return self._popen
  177. return self._popen.poll()
  178. @property
  179. def ident(self):
  180. '''
  181. Return identifier (PID) of process or `None` if it has yet to start
  182. '''
  183. if self is _current_process:
  184. return os.getpid()
  185. else:
  186. return self._popen and self._popen.pid
  187. pid = ident
  188. def __repr__(self):
  189. if self is _current_process:
  190. status = 'started'
  191. elif self._parent_pid != os.getpid():
  192. status = 'unknown'
  193. elif self._popen is None:
  194. status = 'initial'
  195. else:
  196. if self._popen.poll() is not None:
  197. status = self.exitcode
  198. else:
  199. status = 'started'
  200. if type(status) is int:
  201. if status == 0:
  202. status = 'stopped'
  203. else:
  204. status = 'stopped[%s]' % _exitcode_to_name.get(status, status)
  205. return '<%s(%s, %s%s)>' % (type(self).__name__, self._name,
  206. status, self._daemonic and ' daemon' or '')
  207. ##
  208. def _bootstrap(self):
  209. from . import util
  210. global _current_process
  211. try:
  212. self._children = set()
  213. self._counter = itertools.count(1)
  214. try:
  215. sys.stdin.close()
  216. sys.stdin = open(os.devnull)
  217. except (OSError, ValueError):
  218. pass
  219. _current_process = self
  220. util._finalizer_registry.clear()
  221. util._run_after_forkers()
  222. util.info('child process calling self.run()')
  223. try:
  224. self.run()
  225. exitcode = 0
  226. finally:
  227. util._exit_function()
  228. except SystemExit, e:
  229. if not e.args:
  230. exitcode = 1
  231. elif isinstance(e.args[0], int):
  232. exitcode = e.args[0]
  233. else:
  234. sys.stderr.write(str(e.args[0]) + '\n')
  235. sys.stderr.flush()
  236. exitcode = 1
  237. except:
  238. exitcode = 1
  239. import traceback
  240. sys.stderr.write('Process %s:\n' % self.name)
  241. sys.stderr.flush()
  242. traceback.print_exc()
  243. util.info('process exiting with exitcode %d' % exitcode)
  244. return exitcode
  245. #
  246. # We subclass bytes to avoid accidental transmission of auth keys over network
  247. #
  248. class AuthenticationString(bytes):
  249. def __reduce__(self):
  250. from .forking import Popen
  251. if not Popen.thread_is_spawning():
  252. raise TypeError(
  253. 'Pickling an AuthenticationString object is '
  254. 'disallowed for security reasons'
  255. )
  256. return AuthenticationString, (bytes(self),)
  257. #
  258. # Create object representing the main process
  259. #
  260. class _MainProcess(Process):
  261. def __init__(self):
  262. self._identity = ()
  263. self._daemonic = False
  264. self._name = 'MainProcess'
  265. self._parent_pid = None
  266. self._popen = None
  267. self._counter = itertools.count(1)
  268. self._children = set()
  269. self._authkey = AuthenticationString(os.urandom(32))
  270. self._tempdir = None
  271. _current_process = _MainProcess()
  272. del _MainProcess
  273. #
  274. # Give names to some return codes
  275. #
  276. _exitcode_to_name = {}
  277. for name, signum in signal.__dict__.items():
  278. if name[:3]=='SIG' and '_' not in name:
  279. _exitcode_to_name[-signum] = name