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


Python futures.Executor方法代码示例

本文整理汇总了Python中concurrent.futures.Executor方法的典型用法代码示例。如果您正苦于以下问题:Python futures.Executor方法的具体用法?Python futures.Executor怎么用?Python futures.Executor使用的例子?那么恭喜您, 这里精选的方法代码示例或许可以为您提供帮助。您也可以进一步了解该方法所在concurrent.futures的用法示例。


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

示例1: mocked_executor

# 需要导入模块: from concurrent import futures [as 别名]
# 或者: from concurrent.futures import Executor [as 别名]
def mocked_executor():
    """Context that patches the derived executor classes to return the same
    executor object. Also patches the future object returned by executor's
    submit()."""

    import importlib
    import concurrent.futures as futures
    import qiskit.providers.basicaer.basicaerjob as basicaerjob

    executor = unittest.mock.MagicMock(spec=futures.Executor)
    executor.submit.return_value = unittest.mock.MagicMock(spec=futures.Future)
    mock_options = {'return_value': executor, 'autospec': True}
    with patch.object(futures, 'ProcessPoolExecutor', **mock_options),\
            patch.object(futures, 'ThreadPoolExecutor', **mock_options):
        importlib.reload(basicaerjob)
        yield basicaerjob.BasicAerJob, executor 
开发者ID:Qiskit,项目名称:qiskit-terra,代码行数:18,代码来源:test_jobmethods.py

示例2: get_executor

# 需要导入模块: from concurrent import futures [as 别名]
# 或者: from concurrent.futures import Executor [as 别名]
def get_executor() -> Executor:
    """
    Get the current context's executor pool.

    Returns
    -------
    Executor

    Raises
    ------
    NotConnectedError
        If there is not a pool for this context
    """
    try:
        if _is_notebook:
            return executor.get(_jupyter_context["executor"])
        else:
            return executor.get()
    except (LookupError, KeyError):
        raise NotConnectedError 
开发者ID:Flowminder,项目名称:FlowKit,代码行数:22,代码来源:context.py

示例3: context

# 需要导入模块: from concurrent import futures [as 别名]
# 或者: from concurrent.futures import Executor [as 别名]
def context(connection: Connection, executor_pool: Executor, redis_conn: StrictRedis):
    """
    Context manager which can be used to temporarily provide a connection, redis client
    and pool.

    Parameters
    ----------
    connection : Connection
        Connection which will be used within this context
    executor_pool : Executor
        Executor pool which will be used within this context
    redis_conn : StrictRedis
        Redis client which will be used within this context
    """
    db_token = db.set(connection)
    redis_token = redis_connection.set(redis_conn)
    executor_token = executor.set(executor_pool)
    try:
        yield
    finally:
        db.reset(db_token)
        redis_connection.reset(redis_token)
        executor.reset(executor_token) 
开发者ID:Flowminder,项目名称:FlowKit,代码行数:25,代码来源:context.py

示例4: _run

# 需要导入模块: from concurrent import futures [as 别名]
# 或者: from concurrent.futures import Executor [as 别名]
def _run(self):
        first_completed = concurrent.FIRST_COMPLETED

        if self._get_max_tasks() < 1:
            raise RuntimeError("Executor has no workers")

        try:
            while not self.goal(self.learner):
                futures = self._get_futures()
                done, _ = concurrent.wait(futures, return_when=first_completed)
                self._process_futures(done)
        finally:
            remaining = self._remove_unfinished()
            if remaining:
                concurrent.wait(remaining)
            self._cleanup() 
开发者ID:python-adaptive,项目名称:adaptive,代码行数:18,代码来源:runner.py

示例5: __init__

# 需要导入模块: from concurrent import futures [as 别名]
# 或者: from concurrent.futures import Executor [as 别名]
def __init__(
        self,
        function: ElementRenderFunction,
        state_parameters: Optional[str],
        run_in_executor: Union[bool, Executor] = False,
    ):
        super().__init__()
        self._function = function
        signature, var_positional, var_keyword = _extract_signature(function)
        self._function_signature = signature
        self._function_var_positional_param = var_positional
        self._function_var_keyword_param = var_keyword
        self._layout: Optional["AbstractLayout"] = None
        self._cross_update_state: Dict[str, Any] = {}
        self._cross_update_parameters: List[str] = list(
            map(str.strip, (state_parameters or "").split(","))
        )
        self._state: Dict[str, Any] = {}
        self._state_updated: bool = False
        self._animation_futures: List[asyncio.Future[None]] = []
        self._run_in_executor = run_in_executor 
开发者ID:rmorshea,项目名称:idom,代码行数:23,代码来源:element.py

示例6: call_in_executor

# 需要导入模块: from concurrent import futures [as 别名]
# 或者: from concurrent.futures import Executor [as 别名]
def call_in_executor(self, func: Callable, *args, executor: Union[Executor, str] = None,
                         **kwargs) -> Awaitable:
        """
        Call the given callable in an executor.

        :param func: the callable to call
        :param args: positional arguments to call the callable with
        :param executor: either an :class:`~concurrent.futures.Executor` instance, the resource
            name of one or ``None`` to use the event loop's default executor
        :param kwargs: keyword arguments to call the callable with
        :return: an awaitable that resolves to the return value of the call

        """
        assert check_argument_types()
        if isinstance(executor, str):
            executor = self.require_resource(Executor, executor)

        return asyncio_extras.call_in_executor(func, *args, executor=executor, **kwargs) 
开发者ID:asphalt-framework,项目名称:asphalt,代码行数:20,代码来源:context.py

示例7: executor

# 需要导入模块: from concurrent import futures [as 别名]
# 或者: from concurrent.futures import Executor [as 别名]
def executor(self) -> Executor:
        """
        Return the concurrent.futures executor instance to use for this worker.

        Can be passed via the `executor` argument to `__init__` or set `use_threads=True` to use the Threaded executor.

        The worker will use a process based executor by default.

        :return: executor instance
        :rtype: concurrent.futures.Executor
        """
        if self._executor is None:
            self._executor = self._executor_class(max_workers=self.concurrency)
        return self._executor 
开发者ID:cdrx,项目名称:faktory_worker_python,代码行数:16,代码来源:worker.py

示例8: __init__

# 需要导入模块: from concurrent import futures [as 别名]
# 或者: from concurrent.futures import Executor [as 别名]
def __init__(self, delegate, executor):
        """
        Wrap the specified synchronous delegate instance, and submit() all method calls to the
        specified Executor instance.
        """
        self._delegate = delegate
        self._executor = executor 
开发者ID:quay,项目名称:quay,代码行数:9,代码来源:asyncwrapper.py

示例9: set_running_or_notify_cancel

# 需要导入模块: from concurrent import futures [as 别名]
# 或者: from concurrent.futures import Executor [as 别名]
def set_running_or_notify_cancel(self):
            """Mark the future as running or process any cancel notifications.

            Should only be used by Executor implementations and unit tests.

            If the future has been cancelled (cancel() was called and returned
            True) then any threads waiting on the future completing (though
            calls to as_completed() or wait()) are notified and False is
            returned.

            If the future was not cancelled then it is put in the running state
            (future calls to running() will return True) and True is returned.

            This method should be called by Executor implementations before
            executing the work associated with this future. If this method
            returns False then the work should not be executed.

            Returns:
                False if the Future was cancelled, True otherwise.

            Raises:
                RuntimeError: if this method was already called or if
                    set_result() or set_exception() was called.
            """
            with self._condition:
                if self._state == CANCELLED:
                    self._state = CANCELLED_AND_NOTIFIED
                    for waiter in self._waiters:
                        waiter.add_cancelled(self)
                    # self._condition.notify_all() is not necessary because
                    # self.cancel() triggers a notification.
                    return False
                elif self._state == PENDING:
                    self._state = RUNNING
                    return True
                else:
                    LOGGER.critical('Future %s in unexpected state: %s',
                                    id(self),
                                    self._state)
                    raise RuntimeError('Future in unexpected state') 
开发者ID:joblib,项目名称:loky,代码行数:42,代码来源:_base.py

示例10: set_result

# 需要导入模块: from concurrent import futures [as 别名]
# 或者: from concurrent.futures import Executor [as 别名]
def set_result(self, result):
            """Sets the return value of work associated with the future.

            Should only be used by Executor implementations and unit tests.
            """
            with self._condition:
                self._result = result
                self._state = FINISHED
                for waiter in self._waiters:
                    waiter.add_result(self)
                self._condition.notify_all()
            self._invoke_callbacks() 
开发者ID:joblib,项目名称:loky,代码行数:14,代码来源:_base.py

示例11: set_exception

# 需要导入模块: from concurrent import futures [as 别名]
# 或者: from concurrent.futures import Executor [as 别名]
def set_exception(self, exception):
            """Sets the result of the future as being the given exception.

            Should only be used by Executor implementations and unit tests.
            """
            with self._condition:
                self._exception = exception
                self._state = FINISHED
                for waiter in self._waiters:
                    waiter.add_exception(self)
                self._condition.notify_all()
            self._invoke_callbacks() 
开发者ID:joblib,项目名称:loky,代码行数:14,代码来源:_base.py

示例12: shutdown

# 需要导入模块: from concurrent import futures [as 别名]
# 或者: from concurrent.futures import Executor [as 别名]
def shutdown(self, wait=True):
            """Clean-up the resources associated with the Executor.

            It is safe to call this method several times. Otherwise, no other
            methods can be called after this one.

            Args:
                wait: If True then shutdown will not return until all running
                    futures have finished executing and the resources used by
                    the executor have been reclaimed.
            """
            pass 
开发者ID:joblib,项目名称:loky,代码行数:14,代码来源:_base.py

示例13: bind_context

# 需要导入模块: from concurrent import futures [as 别名]
# 或者: from concurrent.futures import Executor [as 别名]
def bind_context(
    connection: Connection, executor_pool: Executor, redis_conn: StrictRedis
):
    """
    Set the current context's connection, executor and redis connection, replacing
    any that were previously set.

    Parameters
    ----------
    connection : Connection
        Connection to set
    executor_pool : Executor
        Executor to be the new pool
    redis_conn : StrictRedis
        Redis client

    """
    if _is_notebook:
        global _jupyter_context
        _jupyter_context["db"] = connection
        _jupyter_context["executor"] = executor_pool
        _jupyter_context["redis_connection"] = redis_conn
    else:
        db.set(connection)
        executor.set(executor_pool)
        redis_connection.set(redis_conn) 
开发者ID:Flowminder,项目名称:FlowKit,代码行数:28,代码来源:context.py

示例14: __init__

# 需要导入模块: from concurrent import futures [as 别名]
# 或者: from concurrent.futures import Executor [as 别名]
def __init__(self, max_workers: Optional[int] = None):
        self._max_workers = (
            max_workers or multiprocessing.cpu_count()
        )  # type: int
        self._pool = None  # type: Optional[Executor] 
开发者ID:siddhantgoel,项目名称:tornado-sqlalchemy,代码行数:7,代码来源:__init__.py

示例15: submit

# 需要导入模块: from concurrent import futures [as 别名]
# 或者: from concurrent.futures import Executor [as 别名]
def submit(self, fn, *args, **kwargs):
    with self._shutdown_lock:
      if self._shutdown:
        raise RuntimeError('cannot schedule new futures after shutdown')

    f = futures.Future()
    t = threading.Thread(
        target=_worker, args=(f, fn, args, kwargs),
        name='Executor for %s args=%s kwargs=%s' % (fn, args, kwargs))
    t.start()
    return f 
开发者ID:GoogleCloudPlatform,项目名称:python-compat-runtime,代码行数:13,代码来源:thread_executor.py


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