当前位置: 首页>>代码示例>>Python>>正文


Python threading.current_thread函数代码示例

本文整理汇总了Python中threading.current_thread函数的典型用法代码示例。如果您正苦于以下问题:Python current_thread函数的具体用法?Python current_thread怎么用?Python current_thread使用的例子?那么恭喜您, 这里精选的函数代码示例或许可以为您提供帮助。


在下文中一共展示了current_thread函数的15个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的Python代码示例。

示例1: _terminate_pool

    def _terminate_pool(cls, taskqueue, inqueue, outqueue, pool, worker_handler, task_handler, result_handler, cache):
        debug('finalizing pool')
        worker_handler._state = TERMINATE
        task_handler._state = TERMINATE
        debug('helping task handler/workers to finish')
        cls._help_stuff_finish(inqueue, task_handler, len(pool))
        if not (result_handler.is_alive() or len(cache) == 0):
            raise AssertionError
            result_handler._state = TERMINATE
            outqueue.put(None)
            debug('joining worker handler')
            if threading.current_thread() is not worker_handler:
                worker_handler.join(1e+100)
            if pool and hasattr(pool[0], 'terminate'):
                debug('terminating workers')
                for p in pool:
                    if p.exitcode is None:
                        p.terminate()

            debug('joining task handler')
            if threading.current_thread() is not task_handler:
                task_handler.join(1e+100)
            debug('joining result handler')
            if threading.current_thread() is not result_handler:
                result_handler.join(1e+100)
            pool and hasattr(pool[0], 'terminate') and debug('joining pool workers')
            for p in pool:
                if p.is_alive():
                    debug('cleaning up worker %d' % p.pid)
                    p.join()

        return
开发者ID:webiumsk,项目名称:WOT-0.9.12,代码行数:32,代码来源:pool.py

示例2: eventCreator

def eventCreator():
    aLotOfData = []
    es_conn = tools.get_es_connection()
    while True:
        d = q.get()
        m = json.loads(d)
        data = {
            '_type': 'netflow_lhcopn'
        }
        if not 'data'in m:
            print(threading.current_thread().name, 'no data in this message!')
            q.task_done()
            continue

        source = m['data']['src_site']
        destination = m['data']['dst_site']
        data['MA'] = 'capc.cern'
        data['srcInterface'] = source
        data['dstInterface'] = destination
        ts = m['data']['timestamp']
        th = m['data']['throughput']
        dati = datetime.utcfromtimestamp(float(ts))
        data['_index'] = "network_weather-" + \
            str(dati.year) + "." + str(dati.month) + "." + str(dati.day)
        data['timestamp'] = int(float(ts) * 1000)
        data['utilization'] = int(th)
        # print(data)
        aLotOfData.append(copy.copy(data))

        q.task_done()
        if len(aLotOfData) > 10:
            succ = tools.bulk_index(aLotOfData, es_conn=es_conn, thread_name=threading.current_thread().name)
            if succ is True:
                aLotOfData = []
开发者ID:marian-babik,项目名称:NetworkWeatherService,代码行数:34,代码来源:NetworkLHCOPNCollector.py

示例3: free

 def free(self):
     i = threading.current_thread().ident
     if i in self.buff_dict:
         buff = self.buff_dict.pop(threading.current_thread().ident)
         buff.seek(0)
         buff.truncate()
         self.buff_queue.append(buff)
开发者ID:kaushik94,项目名称:unishark,代码行数:7,代码来源:runner.py

示例4: release

 def release(self, *args):
     print('*' * 120, file=sys.stderr)
     print('release called: thread id:', current_thread(), 'shared:', self._is_shared, file=sys.stderr)
     traceback.print_stack()
     RWLockWrapper.release(self)
     print('release done: thread id:', current_thread(), 'is_shared:', self._shlock.is_shared, 'is_exclusive:', self._shlock.is_exclusive, file=sys.stderr)
     print('_' * 120, file=sys.stderr)
开发者ID:j-howell,项目名称:calibre,代码行数:7,代码来源:locking.py

示例5: _manager_worker_process

def _manager_worker_process(output_queue, futures, is_shutdown):
    """ This worker process manages taking output responses and
    tying them back to the future keyed on the initial transaction id.
    Basically this can be thought of as the delivery worker.

    It should be noted that there are one of these threads and it must
    be an in process thread as the futures will not serialize across
    processes..

    :param output_queue: The queue holding output results to return
    :param futures: The mapping of tid -> future
    :param is_shutdown: Condition variable marking process shutdown
    """
    log.info("starting up manager worker: %s", threading.current_thread())
    while not is_shutdown.is_set():
        try:
            workitem = output_queue.get()
            future = futures.get(workitem.work_id, None)
            log.debug("dequeue manager response: %s", workitem)
            if not future: continue
            if workitem.is_exception:
                future.set_exception(workitem.response)
            else: future.set_result(workitem.response)
            log.debug("updated future result: %s", future)
            del futures[workitem.work_id]
        except Exception as ex:
            log.exception("error in manager")
    log.info("manager worker shutting down: %s", threading.current_thread())
开发者ID:morlandi,项目名称:pymodbus,代码行数:28,代码来源:concurrent_client.py

示例6: worker_func

def worker_func():
    print('worker thread started in %s' % (threading.current_thread()))
    # 改变随机数生成器的种子
    random.seed()
    # 让线程睡眠s随机一段时间
    time.sleep(random.random())
    print('worker thread finished in %s' % (threading.current_thread()))
开发者ID:wjzhangcsu,项目名称:maiziedu,代码行数:7,代码来源:threading_demo.py

示例7: _thread_worker

 def _thread_worker(self):
     """
     A worker that does actual jobs
     """
     self.log.debug("Starting shooter thread %s", th.current_thread().name)
     while not self.quit.is_set():
         try:
             task = self.task_queue.get(timeout=1)
             if not task:
                 self.log.info(
                     "%s got killer task.", th.current_thread().name)
                 break
             timestamp, missile, marker = task
             planned_time = self.start_time + (timestamp / 1000.0)
             delay = planned_time - time.time()
             if delay > 0:
                 time.sleep(delay)
             self.gun.shoot(missile, marker, self.results)
         except (KeyboardInterrupt, SystemExit):
             break
         except Empty:
             if self.quit.is_set():
                 self.log.debug(
                     "Empty queue. Exiting thread %s",
                     th.current_thread().name)
                 return
         except Full:
             self.log.warning(
                 "Couldn't put to result queue because it's full")
     self.log.debug("Exiting shooter thread %s", th.current_thread().name)
开发者ID:direvius,项目名称:yandex-tank,代码行数:30,代码来源:worker.py

示例8: _worker

    def _worker(self):
        '''
        This is the worker which will get the image from 'inbox',
        calculate the hash and puts the result in 'outbox'
        '''

        while not self.shutdown.isSet():
            
            try:
                image_path = self.inbox.get_nowait()
            except Empty:
                print 'no data found. isset: ' , self.done.isSet()
                if not self.done.isSet():
                    with self.empty:
                        self.empty.wait()
                        continue
                else:
                    break

            if not os.path.exists(image_path):
                self.error((image_path, 'Image Does not Exist'))
                
            try:
                print '[%s] Processing %s' % (current_thread().ident, image_path)
                image_hash = average_hash(image_path)
                self.outbox.put((image_hash, image_path))
            except IOError as err:
                print 'ERROR: Got %s for image : %s' % (image_path, err)
        print 'Worker %s has done processing.' % current_thread().ident
开发者ID:eulhaque,项目名称:avoid-picture-duplication---reclaim-your-space,代码行数:29,代码来源:image_hasher.py

示例9: init

    def init(self, params):
        self.params = dict(params)
        # OpenERP session setup
        self.session_id = self.params.pop("session_id", None) or uuid.uuid4().hex
        self.session = self.httpsession.get(self.session_id)
        if not self.session:
            self.session = session.OpenERPSession()
            self.httpsession[self.session_id] = self.session

        # set db/uid trackers - they're cleaned up at the WSGI
        # dispatching phase in openerp.service.wsgi_server.application
        if self.session._db:
            threading.current_thread().dbname = self.session._db
        if self.session._uid:
            threading.current_thread().uid = self.session._uid

        self.context = self.params.pop('context', {})
        self.debug = self.params.pop('debug', False) is not False
        # Determine self.lang
        lang = self.params.get('lang', None)
        if lang is None:
            lang = self.context.get('lang')
        if lang is None:
            lang = self.httprequest.cookies.get('lang')
        if lang is None:
            lang = self.httprequest.accept_languages.best
        if not lang:
            lang = 'en_US'
        # tranform 2 letters lang like 'en' into 5 letters like 'en_US'
        lang = babel.core.LOCALE_ALIASES.get(lang, lang)
        # we use _ as seprator where RFC2616 uses '-'
        self.lang = lang.replace('-', '_')
开发者ID:AngelPuyuelo,项目名称:OE7,代码行数:32,代码来源:http.py

示例10: remove_heart_log

def remove_heart_log(*args, **kwargs):
    if six.PY2:
        if threading.current_thread().name == 'MainThread':
            debug_log(*args, **kwargs)
    else:
        if threading.current_thread() == threading.main_thread():
            debug_log(*args, **kwargs)
开发者ID:lstwzd,项目名称:easytrader,代码行数:7,代码来源:sinamonitrader.py

示例11: send_request

def send_request():
    import requests
    print threading.current_thread().name
    url = 'http://localhost:9999/hello/' + threading.current_thread().name
    response=requests.get(url)

    print response.content
开发者ID:RobLeggett,项目名称:codes,代码行数:7,代码来源:multi_threads_requests.py

示例12: wrapper

 def wrapper(*args, **kw):
     print("entering %s for thread %s:%s"
           %(fn.func_name, getpid(), current_thread()))
     ret = fn(*args, **kw)
     print("leaving %s for thread %s:%s"
           %(fn.func_name, getpid(), current_thread()))
     return ret
开发者ID:reflectometry,项目名称:refl1d,代码行数:7,代码来源:garefl.py

示例13: _threaded_resolve_AS

    def _threaded_resolve_AS():
        """Get an ASN from the queue, resolve it, return its routes to the
        *main* process and repeat until signaled to stop.
        This function is going to be spawned as a thread.
        """
        while True:
            current_AS = q.get()
            if current_AS == 'KILL':
                q.task_done()
                break

            try:
                resp = comm.get_routes_by_autnum(current_AS, ipv6_enabled=True)
                if resp is None:
                    raise LookupError
                routes = parsers.parse_AS_routes(resp)
            except LookupError:
                logging.warning("{}: {}: No Object found for {}"
                                .format(mp.current_process().name,
                                        threading.current_thread().name,
                                        current_AS))
                routes = None
            except Exception as e:
                logging.error("{}: {}: Failed to resolve DB object {}. {}"
                              .format(mp.current_process().name,
                                      threading.current_thread().name,
                                      current_AS, e))
                routes = None
            result_q.put((current_AS, routes))
            q.task_done()
开发者ID:stkonst,项目名称:PolicyParser,代码行数:30,代码来源:resolvers.py

示例14: show_thread

def show_thread(q, extraByteCodes):
    for i in range(5):
        for j in range(extraByteCodes):
            pass
        # q.put(threading.current_thread().name)
        print threading.current_thread().name
    return
开发者ID:nicktang1983,项目名称:python,代码行数:7,代码来源:sys_checkinterval_io.py

示例15: loop

def loop():
    print 'thread %s is running...' % threading.current_thread().name
    n = 0
    while n < 5:
        n = n + 1
        print 'thread %s >> %s' % (threading.current_thread().name, n)
    print 'thread %s ended.' % threading.current_thread().name
开发者ID:jeremy0123,项目名称:python-lxf,代码行数:7,代码来源:44.py


注:本文中的threading.current_thread函数示例由纯净天空整理自Github/MSDocs等开源代码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。