Job.py.svn-base
上传用户:market2
上传日期:2018-11-18
资源大小:18786k
文件大小:16k
源码类别:

外挂编程

开发平台:

Windows_Unix

  1. """SCons.Job
  2. This module defines the Serial and Parallel classes that execute tasks to
  3. complete a build. The Jobs class provides a higher level interface to start,
  4. stop, and wait on jobs.
  5. """
  6. #
  7. # Copyright (c) 2001, 2002, 2003, 2004, 2005, 2006, 2007, 2008 The SCons Foundation
  8. #
  9. # Permission is hereby granted, free of charge, to any person obtaining
  10. # a copy of this software and associated documentation files (the
  11. # "Software"), to deal in the Software without restriction, including
  12. # without limitation the rights to use, copy, modify, merge, publish,
  13. # distribute, sublicense, and/or sell copies of the Software, and to
  14. # permit persons to whom the Software is furnished to do so, subject to
  15. # the following conditions:
  16. #
  17. # The above copyright notice and this permission notice shall be included
  18. # in all copies or substantial portions of the Software.
  19. #
  20. # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY
  21. # KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE
  22. # WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND
  23. # NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE
  24. # LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION
  25. # OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION
  26. # WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
  27. #
  28. __revision__ = "src/engine/SCons/Job.py 3057 2008/06/09 22:21:00 knight"
  29. import SCons.compat
  30. import os
  31. import signal
  32. # The default stack size (in kilobytes) of the threads used to execute
  33. # jobs in parallel.
  34. #
  35. # We use a stack size of 256 kilobytes. The default on some platforms
  36. # is too large and prevents us from creating enough threads to fully
  37. # parallelized the build. For example, the default stack size on linux
  38. # is 8 MBytes.
  39. default_stack_size = 256
  40. interrupt_msg = 'Build interrupted.'
  41. class InterruptState:
  42.    def __init__(self):
  43.        self.interrupted = False
  44.    def set(self):
  45.        self.interrupted = True
  46.    def __call__(self):
  47.        return self.interrupted
  48. class Jobs:
  49.     """An instance of this class initializes N jobs, and provides
  50.     methods for starting, stopping, and waiting on all N jobs.
  51.     """
  52.     def __init__(self, num, taskmaster):
  53.         """
  54.         create 'num' jobs using the given taskmaster.
  55.         If 'num' is 1 or less, then a serial job will be used,
  56.         otherwise a parallel job with 'num' worker threads will
  57.         be used.
  58.         The 'num_jobs' attribute will be set to the actual number of jobs
  59.         allocated.  If more than one job is requested but the Parallel
  60.         class can't do it, it gets reset to 1.  Wrapping interfaces that
  61.         care should check the value of 'num_jobs' after initialization.
  62.         """
  63.         self.job = None
  64.         if num > 1:
  65.             try:
  66.                 stack_size = SCons.Job.stack_size
  67.             except AttributeError:
  68.                 stack_size = default_stack_size
  69.                 
  70.             try:
  71.                 self.job = Parallel(taskmaster, num, stack_size)
  72.                 self.num_jobs = num
  73.             except NameError:
  74.                 pass
  75.         if self.job is None:
  76.             self.job = Serial(taskmaster)
  77.             self.num_jobs = 1
  78.     def run(self, postfunc=lambda: None):
  79.         """Run the jobs.
  80.         postfunc() will be invoked after the jobs has run. It will be
  81.         invoked even if the jobs are interrupted by a keyboard
  82.         interrupt (well, in fact by a signal such as either SIGINT,
  83.         SIGTERM or SIGHUP). The execution of postfunc() is protected
  84.         against keyboard interrupts and is guaranteed to run to
  85.         completion."""
  86.         self._setup_sig_handler()
  87.         try:
  88.             self.job.start()
  89.         finally:
  90.             postfunc()
  91.             self._reset_sig_handler()
  92.     def were_interrupted(self):
  93.         """Returns whether the jobs were interrupted by a signal."""
  94.         return self.job.interrupted()
  95.     def _setup_sig_handler(self):
  96.         """Setup an interrupt handler so that SCons can shutdown cleanly in
  97.         various conditions:
  98.           a) SIGINT: Keyboard interrupt
  99.           b) SIGTERM: kill or system shutdown
  100.           c) SIGHUP: Controlling shell exiting
  101.         We handle all of these cases by stopping the taskmaster. It
  102.         turns out that it very difficult to stop the build process
  103.         by throwing asynchronously an exception such as
  104.         KeyboardInterrupt. For example, the python Condition
  105.         variables (threading.Condition) and Queue's do not seem to
  106.         asynchronous-exception-safe. It would require adding a whole
  107.         bunch of try/finally block and except KeyboardInterrupt all
  108.         over the place.
  109.         Note also that we have to be careful to handle the case when
  110.         SCons forks before executing another process. In that case, we
  111.         want the child to exit immediately.
  112.         """
  113.         def handler(signum, stack, self=self, parentpid=os.getpid()):
  114.             if os.getpid() == parentpid:
  115.                 self.job.taskmaster.stop()
  116.                 self.job.interrupted.set()
  117.             else:
  118.                 os._exit(2)
  119.         self.old_sigint  = signal.signal(signal.SIGINT, handler)
  120.         self.old_sigterm = signal.signal(signal.SIGTERM, handler)
  121.         try:
  122.             self.old_sighup = signal.signal(signal.SIGHUP, handler)
  123.         except AttributeError:
  124.             pass
  125.     def _reset_sig_handler(self):
  126.         """Restore the signal handlers to their previous state (before the
  127.          call to _setup_sig_handler()."""
  128.         signal.signal(signal.SIGINT, self.old_sigint)
  129.         signal.signal(signal.SIGTERM, self.old_sigterm)
  130.         try:
  131.             signal.signal(signal.SIGHUP, self.old_sighup)
  132.         except AttributeError:
  133.             pass
  134. class Serial:
  135.     """This class is used to execute tasks in series, and is more efficient
  136.     than Parallel, but is only appropriate for non-parallel builds. Only
  137.     one instance of this class should be in existence at a time.
  138.     This class is not thread safe.
  139.     """
  140.     def __init__(self, taskmaster):
  141.         """Create a new serial job given a taskmaster. 
  142.         The taskmaster's next_task() method should return the next task
  143.         that needs to be executed, or None if there are no more tasks. The
  144.         taskmaster's executed() method will be called for each task when it
  145.         is successfully executed or failed() will be called if it failed to
  146.         execute (e.g. execute() raised an exception)."""
  147.         
  148.         self.taskmaster = taskmaster
  149.         self.interrupted = InterruptState()
  150.     def start(self):
  151.         """Start the job. This will begin pulling tasks from the taskmaster
  152.         and executing them, and return when there are no more tasks. If a task
  153.         fails to execute (i.e. execute() raises an exception), then the job will
  154.         stop."""
  155.         
  156.         while 1:
  157.             task = self.taskmaster.next_task()
  158.             if task is None:
  159.                 break
  160.             try:
  161.                 task.prepare()
  162.                 if task.needs_execute():
  163.                     task.execute()
  164.             except:
  165.                 if self.interrupted():
  166.                     try:
  167.                         raise SCons.Errors.BuildError(
  168.                             task.targets[0], errstr=interrupt_msg)
  169.                     except:
  170.                         task.exception_set()
  171.                 else:
  172.                     task.exception_set()
  173.                 # Let the failed() callback function arrange for the
  174.                 # build to stop if that's appropriate.
  175.                 task.failed()
  176.             else:
  177.                 task.executed()
  178.             task.postprocess()
  179.         self.taskmaster.cleanup()
  180. # Trap import failure so that everything in the Job module but the
  181. # Parallel class (and its dependent classes) will work if the interpreter
  182. # doesn't support threads.
  183. try:
  184.     import Queue
  185.     import threading
  186. except ImportError:
  187.     pass
  188. else:
  189.     class Worker(threading.Thread):
  190.         """A worker thread waits on a task to be posted to its request queue,
  191.         dequeues the task, executes it, and posts a tuple including the task
  192.         and a boolean indicating whether the task executed successfully. """
  193.         def __init__(self, requestQueue, resultsQueue, interrupted):
  194.             threading.Thread.__init__(self)
  195.             self.setDaemon(1)
  196.             self.requestQueue = requestQueue
  197.             self.resultsQueue = resultsQueue
  198.             self.interrupted = interrupted
  199.             self.start()
  200.         def run(self):
  201.             while 1:
  202.                 task = self.requestQueue.get()
  203.                 if not task:
  204.                     # The "None" value is used as a sentinel by
  205.                     # ThreadPool.cleanup().  This indicates that there
  206.                     # are no more tasks, so we should quit.
  207.                     break
  208.                 try:
  209.                     if self.interrupted():
  210.                         raise SCons.Errors.BuildError(
  211.                             task.targets[0], errstr=interrupt_msg)
  212.                     task.execute()
  213.                 except:
  214.                     task.exception_set()
  215.                     ok = False
  216.                 else:
  217.                     ok = True
  218.                 self.resultsQueue.put((task, ok))
  219.     class ThreadPool:
  220.         """This class is responsible for spawning and managing worker threads."""
  221.         def __init__(self, num, stack_size, interrupted):
  222.             """Create the request and reply queues, and 'num' worker threads.
  223.             
  224.             One must specify the stack size of the worker threads. The
  225.             stack size is specified in kilobytes.
  226.             """
  227.             self.requestQueue = Queue.Queue(0)
  228.             self.resultsQueue = Queue.Queue(0)
  229.             try:
  230.                 prev_size = threading.stack_size(stack_size*1024) 
  231.             except AttributeError, e:
  232.                 # Only print a warning if the stack size has been
  233.                 # explicitely set.
  234.                 if hasattr(SCons.Job, 'stack_size'):
  235.                     msg = "Setting stack size is unsupported by this version of Python:n    " + 
  236.                         e.args[0]
  237.                     SCons.Warnings.warn(SCons.Warnings.StackSizeWarning, msg)
  238.             except ValueError, e:
  239.                 msg = "Setting stack size failed:n    " + 
  240.                     e.message
  241.                 SCons.Warnings.warn(SCons.Warnings.StackSizeWarning, msg)
  242.             # Create worker threads
  243.             self.workers = []
  244.             for _ in range(num):
  245.                 worker = Worker(self.requestQueue, self.resultsQueue, interrupted)
  246.                 self.workers.append(worker)
  247.             # Once we drop Python 1.5 we can change the following to:
  248.             #if 'prev_size' in locals():
  249.             if 'prev_size' in locals().keys():
  250.                 threading.stack_size(prev_size)
  251.         def put(self, task):
  252.             """Put task into request queue."""
  253.             self.requestQueue.put(task)
  254.         def get(self):
  255.             """Remove and return a result tuple from the results queue."""
  256.             return self.resultsQueue.get()
  257.         def preparation_failed(self, task):
  258.             self.resultsQueue.put((task, False))
  259.         def cleanup(self):
  260.             """
  261.             Shuts down the thread pool, giving each worker thread a
  262.             chance to shut down gracefully.
  263.             """
  264.             # For each worker thread, put a sentinel "None" value
  265.             # on the requestQueue (indicating that there's no work
  266.             # to be done) so that each worker thread will get one and
  267.             # terminate gracefully.
  268.             for _ in self.workers:
  269.                 self.requestQueue.put(None)
  270.             # Wait for all of the workers to terminate.
  271.             # 
  272.             # If we don't do this, later Python versions (2.4, 2.5) often
  273.             # seem to raise exceptions during shutdown.  This happens
  274.             # in requestQueue.get(), as an assertion failure that
  275.             # requestQueue.not_full is notified while not acquired,
  276.             # seemingly because the main thread has shut down (or is
  277.             # in the process of doing so) while the workers are still
  278.             # trying to pull sentinels off the requestQueue.
  279.             #
  280.             # Normally these terminations should happen fairly quickly,
  281.             # but we'll stick a one-second timeout on here just in case
  282.             # someone gets hung.
  283.             for worker in self.workers:
  284.                 worker.join(1.0)
  285.             self.workers = []
  286.     class Parallel:
  287.         """This class is used to execute tasks in parallel, and is somewhat 
  288.         less efficient than Serial, but is appropriate for parallel builds.
  289.         This class is thread safe.
  290.         """
  291.         def __init__(self, taskmaster, num, stack_size):
  292.             """Create a new parallel job given a taskmaster.
  293.             The taskmaster's next_task() method should return the next
  294.             task that needs to be executed, or None if there are no more
  295.             tasks. The taskmaster's executed() method will be called
  296.             for each task when it is successfully executed or failed()
  297.             will be called if the task failed to execute (i.e. execute()
  298.             raised an exception).
  299.             Note: calls to taskmaster are serialized, but calls to
  300.             execute() on distinct tasks are not serialized, because
  301.             that is the whole point of parallel jobs: they can execute
  302.             multiple tasks simultaneously. """
  303.             self.taskmaster = taskmaster
  304.             self.interrupted = InterruptState()
  305.             self.tp = ThreadPool(num, stack_size, self.interrupted)
  306.             self.maxjobs = num
  307.         def start(self):
  308.             """Start the job. This will begin pulling tasks from the
  309.             taskmaster and executing them, and return when there are no
  310.             more tasks. If a task fails to execute (i.e. execute() raises
  311.             an exception), then the job will stop."""
  312.             jobs = 0
  313.             
  314.             while 1:
  315.                 # Start up as many available tasks as we're
  316.                 # allowed to.
  317.                 while jobs < self.maxjobs:
  318.                     task = self.taskmaster.next_task()
  319.                     if task is None:
  320.                         break
  321.                     try:
  322.                         # prepare task for execution
  323.                         task.prepare()
  324.                     except:
  325.                         task.exception_set()
  326.                         task.failed()
  327.                         task.postprocess()
  328.                     else:
  329.                         if task.needs_execute():
  330.                             # dispatch task
  331.                             self.tp.put(task)
  332.                             jobs = jobs + 1
  333.                         else:
  334.                             task.executed()
  335.                             task.postprocess()
  336.                 if not task and not jobs: break
  337.                 # Let any/all completed tasks finish up before we go
  338.                 # back and put the next batch of tasks on the queue.
  339.                 while 1:
  340.                     task, ok = self.tp.get()
  341.                     jobs = jobs - 1
  342.                     if ok:
  343.                         task.executed()
  344.                     else:
  345.                         if self.interrupted():
  346.                             try:
  347.                                 raise SCons.Errors.BuildError(
  348.                                     task.targets[0], errstr=interrupt_msg)
  349.                             except:
  350.                                 task.exception_set()
  351.                         # Let the failed() callback function arrange
  352.                         # for the build to stop if that's appropriate.
  353.                         task.failed()
  354.                     task.postprocess()
  355.                     if self.tp.resultsQueue.empty():
  356.                         break
  357.             self.tp.cleanup()
  358.             self.taskmaster.cleanup()