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

Python utils.node_ignores_exception函数代码示例

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

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



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

示例1: test_node_ignores_exception

def test_node_ignores_exception():
    nodes = astroid.extract_node(
        """
    try:
        1/0 #@
    except ZeroDivisionError:
        pass
    try:
        1/0 #@
    except Exception:
        pass
    try:
        2/0 #@
    except:
        pass
    try:
        1/0 #@
    except ValueError:
        pass
    """
    )
    assert utils.node_ignores_exception(nodes[0], ZeroDivisionError)
    assert not utils.node_ignores_exception(nodes[1], ZeroDivisionError)
    assert utils.node_ignores_exception(nodes[2], ZeroDivisionError)
    assert not utils.node_ignores_exception(nodes[3], ZeroDivisionError)
开发者ID:aluoch-sheila,项目名称:NEIGHBOURHOOD,代码行数:25,代码来源:unittest_checkers_utils.py


示例2: possible_exc_types

def possible_exc_types(node):
    """
    Gets all of the possible raised exception types for the given raise node.

    .. note::

        Caught exception types are ignored.


    :param node: The raise node to find exception types for.

    :returns: A list of exception types possibly raised by :param:`node`.
    :rtype: list(str)
    """
    excs = []
    if isinstance(node.exc, astroid.Name):
        excs = [node.exc.name]
    elif (isinstance(node.exc, astroid.Call) and
          isinstance(node.exc.func, astroid.Name)):
        excs = [node.exc.func.name]
    elif node.exc is None:
        handler = node.parent
        while handler and not isinstance(handler, astroid.ExceptHandler):
            handler = handler.parent

        if handler and handler.type:
            excs = (exc.name for exc in astroid.unpack_infer(handler.type))

    excs = set(exc for exc in excs if not node_ignores_exception(node, exc))
    return excs
开发者ID:bashell,项目名称:pylint,代码行数:30,代码来源:_check_docs_utils.py


示例3: _check_raising_stopiteration_in_generator_next_call

    def _check_raising_stopiteration_in_generator_next_call(self, node):
        """Check if a StopIteration exception is raised by the call to next function

        If the next value has a default value, then do not add message.

        :param node: Check to see if this Call node is a next function
        :type node: :class:`astroid.node_classes.Call`
        """

        def _looks_like_infinite_iterator(param):
            inferred = utils.safe_infer(param)
            if inferred is not None or inferred is not astroid.Uninferable:
                return inferred.qname() in KNOWN_INFINITE_ITERATORS
            return False

        inferred = utils.safe_infer(node.func)
        if getattr(inferred, 'name', '') == 'next':
            frame = node.frame()
            # The next builtin can only have up to two
            # positional arguments and no keyword arguments
            has_sentinel_value = len(node.args) > 1
            if (isinstance(frame, astroid.FunctionDef)
                    and frame.is_generator()
                    and not has_sentinel_value
                    and not utils.node_ignores_exception(node, StopIteration)
                    and not _looks_like_infinite_iterator(node.args[0])):
                self.add_message('stop-iteration-return', node=node)
开发者ID:Mariatta,项目名称:pylint,代码行数:27,代码来源:refactoring.py


示例4: _check_raising_stopiteration_in_generator_next_call

 def _check_raising_stopiteration_in_generator_next_call(self, node):
     """Check if a StopIteration exception is raised by the call to next function"""
     inferred = utils.safe_infer(node.func)
     if getattr(inferred, 'name', '') == 'next':
         frame = node.frame()
         if (isinstance(frame, astroid.FunctionDef) and frame.is_generator()
                 and not utils.node_ignores_exception(node, StopIteration)):
             self.add_message('stop-iteration-return', node=node)
开发者ID:truongductri,项目名称:saverpart,代码行数:8,代码来源:refactoring.py


示例5: _check_stop_iteration_inside_generator

 def _check_stop_iteration_inside_generator(self, node):
     """Check if an exception of type StopIteration is raised inside a generator"""
     frame = node.frame()
     if not isinstance(frame, astroid.FunctionDef) or not frame.is_generator():
         return
     if utils.node_ignores_exception(node, StopIteration):
         return
     exc = utils.safe_infer(node.exc)
     if exc is not None and self._check_exception_inherit_from_stopiteration(exc):
         self.add_message('stop-iteration-return', node=node)
开发者ID:ahirnish,项目名称:pylint,代码行数:10,代码来源:refactoring.py


示例6: visit_name

    def visit_name(self, node):
        """Detect when a "bad" built-in is referenced."""
        found_node, _ = node.lookup(node.name)
        if not _is_builtin(found_node):
            return
        if node.name not in self._bad_builtins:
            return
        if (node_ignores_exception(node)
                or isinstance(find_try_except_wrapper_node(node), astroid.ExceptHandler)):
            return

        message = node.name.lower() + '-builtin'
        self.add_message(message, node=node)
开发者ID:Marslo,项目名称:VimConfig,代码行数:13,代码来源:python3.py


示例7: possible_exc_types

def possible_exc_types(node):
    """
    Gets all of the possible raised exception types for the given raise node.

    .. note::

        Caught exception types are ignored.


    :param node: The raise node to find exception types for.
    :type node: astroid.node_classes.NodeNG

    :returns: A list of exception types possibly raised by :param:`node`.
    :rtype: list(str)
    """
    excs = []
    if isinstance(node.exc, astroid.Name):
        inferred = safe_infer(node.exc)
        if inferred:
            excs = [inferred.name]
    elif (isinstance(node.exc, astroid.Call) and
          isinstance(node.exc.func, astroid.Name)):
        target = safe_infer(node.exc.func)
        if isinstance(target, astroid.ClassDef):
            excs = [target.name]
        elif isinstance(target, astroid.FunctionDef):
            for ret in target.nodes_of_class(astroid.Return):
                if ret.frame() != target:
                    # return from inner function - ignore it
                    continue

                val = safe_infer(ret.value)
                if (val and isinstance(val, (astroid.Instance, astroid.ClassDef))
                        and inherit_from_std_ex(val)):
                    excs.append(val.name)
    elif node.exc is None:
        handler = node.parent
        while handler and not isinstance(handler, astroid.ExceptHandler):
            handler = handler.parent

        if handler and handler.type:
            inferred_excs = astroid.unpack_infer(handler.type)
            excs = (exc.name for exc in inferred_excs
                    if exc is not astroid.Uninferable)


    try:
        return set(exc for exc in excs if not node_ignores_exception(node, exc))
    except astroid.InferenceError:
        return ()
开发者ID:glennmatthews,项目名称:pylint,代码行数:50,代码来源:_check_docs_utils.py


示例8: test_node_ignores_exception

 def test_node_ignores_exception(self):
     nodes = test_utils.extract_node("""
     try:
         1/0 #@
     except ZeroDivisionError:
         pass
     try:
         1/0 #@
     except Exception:
         pass
     try:
         2/0 #@
     except:
         pass
     try:
         1/0 #@
     except ValueError:
         pass
     """)
     self.assertTrue(utils.node_ignores_exception(nodes[0], ZeroDivisionError))
     self.assertFalse(utils.node_ignores_exception(nodes[1], ZeroDivisionError))
     self.assertFalse(utils.node_ignores_exception(nodes[2], ZeroDivisionError))
     self.assertFalse(utils.node_ignores_exception(nodes[3], ZeroDivisionError))
开发者ID:510908220,项目名称:pylint,代码行数:23,代码来源:unittest_checkers_utils.py


示例9: get_imported_module

    def get_imported_module(self, importnode, modname):
        try:
            return importnode.do_import_module(modname)
        except astroid.InferenceError as ex:
            dotted_modname = _get_import_name(importnode, modname)
            if str(ex) != modname:
                args = "%r (%s)" % (dotted_modname, ex)
            else:
                args = repr(dotted_modname)

            for submodule in _qualified_names(modname):
                if submodule in self._ignored_modules:
                    return None

            if not node_ignores_exception(importnode, ImportError):
                self.add_message("import-error", args=args, node=importnode)
开发者ID:shahmatwu,项目名称:appstrength,代码行数:16,代码来源:imports.py


示例10: _emit_no_member

def _emit_no_member(node, owner, owner_name, ignored_mixins):
    """Try to see if no-member should be emitted for the given owner.

    The following cases are ignored:

        * the owner is a function and it has decorators.
        * the owner is an instance and it has __getattr__, __getattribute__ implemented
        * the module is explicitly ignored from no-member checks
        * the owner is a class and the name can be found in its metaclass.
        * The access node is protected by an except handler, which handles
          AttributeError, Exception or bare except.
    """
    if node_ignores_exception(node, AttributeError):
        return False
    # skip None anyway
    if isinstance(owner, astroid.Const) and owner.value is None:
        return False
    if is_super(owner) or getattr(owner, "type", None) == "metaclass":
        return False
    if ignored_mixins and owner_name[-5:].lower() == "mixin":
        return False
    if isinstance(owner, astroid.FunctionDef) and owner.decorators:
        return False
    if isinstance(owner, astroid.Instance):
        if owner.has_dynamic_getattr() or not has_known_bases(owner):
            return False
    if isinstance(owner, objects.Super):
        # Verify if we are dealing with an invalid Super object.
        # If it is invalid, then there's no point in checking that
        # it has the required attribute. Also, don't fail if the
        # MRO is invalid.
        try:
            owner.super_mro()
        except (exceptions.MroError, exceptions.SuperError):
            return False
        if not all(map(has_known_bases, owner.type.mro())):
            return False
    return True
开发者ID:yannack,项目名称:pylint,代码行数:38,代码来源:typecheck.py


示例11: _ignore_import_failure

def _ignore_import_failure(node, modname, ignored_modules):
    for submodule in _qualified_names(modname):
        if submodule in ignored_modules:
            return True

    return node_ignores_exception(node, ImportError)
开发者ID:Wooble,项目名称:pylint,代码行数:6,代码来源:imports.py



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


鲜花

握手

雷人

路过

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

请发表评论

全部评论

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

扫描微信二维码

查看手机版网站

随时了解更新最新资讯

139-2527-9053

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

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

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