• 设为首页
  • 点击收藏
  • 手机版
    手机扫一扫访问
    迪恩网络手机版
  • 关注官方公众号
    微信扫一扫关注
    迪恩网络公众号

Python util.raise_exc_info函数代码示例

原作者: [db:作者] 来自: [db:来源] 收藏 邀请

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



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

示例1: handle

    def handle(request):
        # kwargs for this function's response_cls constructor
        response_kwargs = {}
        status = OK

        try:
            response = yield gen.maybe_future(handler(request))
        except Exception as e:
            response = Response()

            for exc_spec in response_spec.exception_specs:
                # Each exc_spec is a thriftrw.spec.FieldSpec. The spec
                # attribute on that is the TypeSpec for the Exception class
                # and the surface on the TypeSpec is the exception class.
                exc_cls = exc_spec.spec.surface
                if isinstance(e, exc_cls):
                    status = FAILED
                    response_kwargs[exc_spec.name] = e
                    break
            else:
                raise_exc_info(sys.exc_info())
        else:
            response = response_from_mixed(response)

            if response_spec.return_spec is not None:
                assert response.body is not None, (
                    'Expected a value to be returned for %s, '
                    'but recieved None - only void procedures can '
                    'return None.' % function.endpoint
                )
                response_kwargs['success'] = response.body

        response.status = status
        response.body = response_cls(**response_kwargs)
        raise gen.Return(response)
开发者ID:webmaven,项目名称:tchannel-python,代码行数:35,代码来源:rw.py


示例2: wrapper

    def wrapper(*args, **kwargs):
        future = Future()
        callback, args, kwargs = replacer.replace(future.set_result,
                                                  args, kwargs)
        if callback is not None:
            future.add_done_callback(callback)

        def handle_error(typ, value, tb):
            future.set_exception(value)
            return True
        exc_info = None
        with ExceptionStackContext(handle_error):
            result = None
            try:
                result = f(*args, **kwargs)
            except:
                exc_info = sys.exc_info()
            assert result is None, ("@return_future should not be used with "
                                    "functions that return values")
        if exc_info is not None:
            # If the initial synchronous part of f() raised an exception,
            # go ahead and raise it to the caller directly without waiting
            # for them to inspect the Future.
            raise_exc_info(exc_info)
        return future
开发者ID:jpittman,项目名称:tornado,代码行数:25,代码来源:concurrent.py


示例3: wrapper

    def wrapper(*args, **kwargs):
        future = Future()
        callback, args, kwargs = replacer.replace(future.set_result,
                                                  args, kwargs)

        def handle_error(typ, value, tb):
            future.set_exception(value)
            return True
        exc_info = None
        with ExceptionStackContext(handle_error):
            try:
                result = f(*args, **kwargs)
                if result is not None:
                    raise ReturnValueIgnoredError(
                        "@return_future should not be used with functions "
                        "that return values")
            except:
                exc_info = sys.exc_info()
                raise
        if exc_info is not None:
            # If the initial synchronous part of f() raised an exception,
            # go ahead and raise it to the caller directly without waiting
            # for them to inspect the Future.
            raise_exc_info(exc_info)

        # If the caller passed in a callback, schedule it to be called
        # when the future resolves.  It is important that this happens
        # just before we return the future, or else we risk confusing
        # stack contexts with multiple exceptions (one here with the
        # immediate exception, and again when the future resolves and
        # the callback triggers its exception by calling future.result()).
        if callback is not None:
            future.add_done_callback(wrap(callback))
        return future
开发者ID:Caetano,项目名称:tornado,代码行数:34,代码来源:concurrent.py


示例4: _nested

def _nested(*managers):
    """ 支持将多个contextmanager放到单个with语句中。
    Copied from the python 2.6 standard library. It's no longer present in python 3 because the with statement natively supports multiple
    context managers, but that doesn't help if the list of context managers is not known until runtime. """
    exits = []
    vars = []
    exc = (None, None, None)
    try:
        for mgr in managers:
            exit = mgr.__exit__
            enter = mgr.__enter__
            vars.append(enter()) # 依次对所有的manager调用__enter__并把结果放入vars中
            exits.append(exit)
        yield vars # 一次性把所有enter()的结果以list的形式yield出去
    except:
        exc = sys.exc_info()
    finally:
        while exits:
            exit = exits.pop()
            # 如果某个contextmanager(cm)镇压了异常,则在它之后的所有cm接收不到exc_info,否则之前的exc_info会被发送给所有的cm
            # 如果某个cm的__exit__产生了异常,则该异常会代替之前产生的异常
            try:
                if exit(*exc):
                    exc = (None, None, None)
            except:
                exc = sys.exc_info()
        if exc != (None, None, None): # 如果有任何异常产生则抛出
            raise_exc_info(exc) # 不要信任sys.exc_info()依然包含正确的信息,其他的异常可能已经在某个exit方法中捕获了
开发者ID:effyroth,项目名称:tornado-src-comment,代码行数:28,代码来源:stack_context.py


示例5: _nested

def _nested(*managers):
    """Support multiple context managers in a single with-statement.

    Copied from the python 2.6 standard library.  It's no longer present
    in python 3 because the with statement natively supports multiple
    context managers, but that doesn't help if the list of context
    managers is not known until runtime.
    """
    exits = []
    vars = []
    exc = (None, None, None)
    try:
        for mgr in managers:
            exit = mgr.__exit__
            enter = mgr.__enter__
            vars.append(enter())
            exits.append(exit)
        yield vars
    except:
        exc = sys.exc_info()
    finally:
        while exits:
            exit = exits.pop()
            try:
                if exit(*exc):
                    exc = (None, None, None)
            except:
                exc = sys.exc_info()
        if exc != (None, None, None):
            # Don't rely on sys.exc_info() still containing
            # the right information. Another exception may
            # have been raised and caught by an exit method
            raise_exc_info(exc)
开发者ID:1stvamp,项目名称:tornado,代码行数:33,代码来源:stack_context.py


示例6: wrapper

    def wrapper(*args, **kwargs):
        future = Future()
        if callback_pos is not None and len(args) > callback_pos:
            # The callback argument is being passed positionally
            if args[callback_pos] is not None:
                future.add_done_callback(args[callback_pos])
            args = list(args)  # *args is normally a tuple
            args[callback_pos] = future.set_result
        else:
            # The callback argument is either omitted or passed by keyword.
            if kwargs.get('callback') is not None:
                future.add_done_callback(kwargs.pop('callback'))
            kwargs['callback'] = future.set_result

        def handle_error(typ, value, tb):
            future.set_exception(value)
            return True
        exc_info = None
        with ExceptionStackContext(handle_error):
            try:
                result = f(*args, **kwargs)
            except:
                exc_info = sys.exc_info()
            assert result is None, ("@return_future should not be used with "
                                    "functions that return values")
        if exc_info is not None:
            # If the initial synchronous part of f() raised an exception,
            # go ahead and raise it to the caller directly without waiting
            # for them to inspect the Future.
            raise_exc_info(exc_info)
        return future
开发者ID:Web5design,项目名称:tornado,代码行数:31,代码来源:concurrent.py


示例7: wrapped

    def wrapped(*args, **kwargs):
        try:
            # Force local state - switch to new stack chain
            current_state = _state.contexts
            _state.contexts = contexts

            # Current exception
            exc = (None, None, None)
            top = None

            # Apply stack contexts
            last_ctx = 0
            stack = contexts[0]

            # Apply state
            for n in stack:
                try:
                    n.enter()
                    last_ctx += 1
                except:
                    # Exception happened. Record exception info and store top-most handler
                    exc = sys.exc_info()
                    top = n.old_contexts[1]

            # Execute callback if no exception happened while restoring state
            if top is None:
                try:
                    fn(*args, **kwargs)
                except:
                    exc = sys.exc_info()
                    top = contexts[1]

            # If there was exception, try to handle it by going through the exception chain
            if top is not None:
                exc = _handle_exception(top, exc)
            else:
                # Otherwise take shorter path and run stack contexts in reverse order
                while last_ctx > 0:
                    last_ctx -= 1
                    c = stack[last_ctx]

                    try:
                        c.exit(*exc)
                    except:
                        exc = sys.exc_info()
                        top = c.old_contexts[1]
                        break
                else:
                    top = None

                # If if exception happened while unrolling, take longer exception handler path
                if top is not None:
                    exc = _handle_exception(top, exc)

            # If exception was not handled, raise it
            if exc != (None, None, None):
                raise_exc_info(exc)
        finally:
            _state.contexts = current_state
开发者ID:AlwinHummels,项目名称:CouchPotatoServer,代码行数:59,代码来源:stack_context.py


示例8: result

 def result(self, timeout=None):
     self._clear_tb_log()
     if self._result is not None:
         return self._result
     if self._exc_info is not None:
         raise_exc_info(self._exc_info)
     self._check_done()
     return self._result
开发者ID:confucianzuoyuan,项目名称:tinytornado,代码行数:8,代码来源:concurrent.py


示例9: result

 def result(self, timeout=None):
     if self._result is not None:
         return self._result
     if self._exc_info is not None:
         raise_exc_info(self._exc_info)
     elif self._exception is not None:
         raise self._exception
     self._check_done()
     return self._result
开发者ID:EliseCheng,项目名称:tornado,代码行数:9,代码来源:concurrent.py


示例10: begin

 def begin(self):
     connection = yield self.Connection()
     try:
         yield connection.begin()
     except:
         exc_info = sys.exc_info()
         connection.close()
         raise_exc_info(exc_info)
     transaction = Transaction(self, connection)
     raise Return(transaction)
开发者ID:snower,项目名称:TorMySQL,代码行数:10,代码来源:helpers.py


示例11: result

 def result(self, timeout=None):
     """If the operation succeeded, return its result.  If it failed,
     re-raise its exception.
     """
     self._clear_tb_log()
     if self._result is not None:
         return self._result
     if self._exc_info is not None:
         raise_exc_info(self._exc_info)
     self._check_done()
     return self._result
开发者ID:ANTH040,项目名称:CouchPotatoServer,代码行数:11,代码来源:concurrent.py


示例12: wrapped

    def wrapped(*args, **kwargs):
        ret = None
        try:
            current_state = _state.contexts

            cap_contexts[0] = contexts = _remove_deactivated(cap_contexts[0])

            _state.contexts = contexts

            exc = (None, None, None)
            top = None

            last_ctx = 0
            stack = contexts[0]

            for n in stack:
                try:
                    n.enter()
                    last_ctx += 1
                except:
                    exc = sys.exc_info()
                    top = n.old_contexts[1]

            if top is None:
                try:
                    ret = fn(*args, **kwargs)
                except:
                    exc = sys.exc_info()
                    top = contexts[1]

            if top is not None:
                exc = _handle_exception(top, exc)
            else:
                while last_ctx > 0:
                    last_ctx -= 1
                    c = stack[last_ctx]

                    try:
                        c.exit(*exc)
                    except:
                        exc = sys.exc_info()
                        top = c.old_contexts[1]
                        break
                else:
                    top = None

                if top is not None:
                    exc = _handle_exception(top, exc)

            if exc != (None, None, None):
                raise_exc_info(exc)
        finally:
            _state.contexts = current_state
        return ret
开发者ID:confucianzuoyuan,项目名称:tinytornado,代码行数:54,代码来源:stack_context.py


示例13: rollback

 def rollback(self):
     self._ensure_conn()
     try:
         yield self._connection.rollback()
     except:
         exc_info = sys.exc_info()
         self._connection.close(True)
         raise_exc_info(exc_info)
     else:
         self._connection.close()
     finally:
         self._connection = None
开发者ID:snower,项目名称:TorMySQL,代码行数:12,代码来源:helpers.py


示例14: executemany

 def executemany(self, query, params=None, cursor_cls=None):
     with (yield self.Connection()) as connection:
         cursor = connection.cursor(cursor_cls)
         try:
             yield cursor.executemany(query, params)
             if not connection._connection.autocommit_mode:
                 yield connection.commit()
         except:
             exc_info = sys.exc_info()
             if not connection._connection.autocommit_mode:
                 yield connection.rollback()
             raise_exc_info(exc_info)
         finally:
             yield cursor.close()
     raise Return(cursor)
开发者ID:snower,项目名称:TorMySQL,代码行数:15,代码来源:helpers.py


示例15: result

    def result(self, timeout=None):
        """If the operation succeeded, return its result.  If it failed,
        re-raise its exception.

        This method takes a ``timeout`` argument for compatibility with
        `concurrent.futures.Future` but it is an error to call it
        before the `Future` is done, so the ``timeout`` is never used.
        """
        self._clear_tb_log()
        if self._result is not None:
            return self._result
        if self._exc_info is not None:
            raise_exc_info(self._exc_info)
        self._check_done()
        return self._result
开发者ID:RackyRose,项目名称:PIME,代码行数:15,代码来源:concurrent.py


示例16: test_two_arg_exception

    def test_two_arg_exception(self):
        # This test would fail on python 3 if raise_exc_info were simply
        # a three-argument raise statement, because TwoArgException
        # doesn't have a "copy constructor"
        class TwoArgException(Exception):
            def __init__(self, a, b):
                super(TwoArgException, self).__init__()
                self.a, self.b = a, b

        try:
            raise TwoArgException(1, 2)
        except TwoArgException:
            exc_info = sys.exc_info()
        try:
            raise_exc_info(exc_info)
            self.fail("didn't get expected exception")
        except TwoArgException as e:
            self.assertIs(e, exc_info[1])
开发者ID:heewa,项目名称:tornado,代码行数:18,代码来源:util_test.py


示例17: get_result

 def get_result(self):
     result_list = []
     exc_info = None
     for f in self.children:
         try:
             result_list.append(f.get_result())
         except Exception as e:
             if exc_info is None:
                 exc_info = sys.exc_info()
             else:
                 if not isinstance(e, self.quiet_exceptions):
                     app_log.error("Multiple exceptions in yield list", exc_info=True)
     if exc_info is not None:
         raise_exc_info(exc_info)
     if self.keys is not None:
         return dict(zip(self.keys, result_list))
     else:
         return list(result_list)
开发者ID:maxos54,项目名称:ServerSync,代码行数:18,代码来源:gen.py


示例18: _call_function

    def _call_function(self, handler_class, raise_exceptions=True):
        # Create application with the only route — handler_class
        application = application_mock([('', handler_class)], self._config)(**{
            'app': 'frontik.testing',
            'app_root_url': '/',
        })

        # Mock methods

        def fetch(request, callback, **kwargs):
            IOLoop.instance().add_callback(partial(self._fetch_mock, request, callback, **kwargs))

        application.curl_http_client.fetch = fetch

        # raise_exceptions kwarg is deprecated
        if raise_exceptions:
            exceptions = []
            old_handle_request_exception = handler_class._handle_request_exception

            def handle_request_exception(handler, e):
                old_handle_request_exception(handler, e)
                exceptions.append(sys.exc_info())

            handler_class._handle_request_exception = handle_request_exception

        old_flush = handler_class.flush

        def flush(handler, *args, **kwargs):
            self._response_text = b''.join(handler._write_buffer)
            old_flush(handler, *args, **kwargs)
            IOLoop.instance().add_callback(IOLoop.instance().stop)

        handler_class.flush = flush

        self._handler = application(self._request)
        IOLoop.instance().start()

        if raise_exceptions and exceptions:
            raise_exc_info(exceptions[0])

        return TestResult(self._config, self._request, self._handler, self._response_text)
开发者ID:strogo,项目名称:frontik,代码行数:41,代码来源:service_mock.py


示例19: __rethrow

 def __rethrow(self):
     if self.__failure is not None:
         failure = self.__failure
         self.__failure = None
         raise_exc_info(failure)
开发者ID:SLilac,项目名称:tornado,代码行数:5,代码来源:testing.py


示例20: result

 def result(self, timeout=None):
     if self.__exc_info is not None:
         raise_exc_info(self.__exc_info)
     else:
         return super(TracebackFuture, self).result(timeout=timeout)
开发者ID:ArcherCraftStore,项目名称:ArcherVMPeridot,代码行数:5,代码来源:concurrent.py



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


鲜花

握手

雷人

路过

鸡蛋
该文章已有0人参与评论

请发表评论

全部评论

专题导读
上一篇:
Python util.u函数代码示例发布时间:2022-05-27
下一篇:
Python util.import_object函数代码示例发布时间:2022-05-27
热门推荐
阅读排行榜

扫描微信二维码

查看手机版网站

随时了解更新最新资讯

139-2527-9053

在线客服(服务时间 9:00~18:00)

在线QQ客服
地址:深圳市南山区西丽大学城创智工业园
电邮:jeky_zhao#qq.com
移动电话:139-2527-9053

Powered by 互联科技 X3.4© 2001-2213 极客世界.|Sitemap