列出一个函数的所有内部函数?

python - list all inner functions of a function?(列出一个函数的所有内部函数?)
本文介绍了列出一个函数的所有内部函数?的处理方法,对大家解决问题具有一定的参考价值,需要的朋友们下面随着小编来一起学习吧!

问题描述

在python中,您可以执行fname.__code__.co_names操作来检索函数列表和函数引用的全局内容。如果我这样做fname.__code__.co_varnames,我相信这包括内部函数。 有没有办法从根本上做到inner.__code__.co_names?从co_varnames返回的类似'inner'的字符串开始?

推荐答案

我不认为可以检查代码对象,因为内部函数是惰性的,而且它们的代码对象只是及时创建的。您可能想要查看的是ast模块。这里有一个简单的例子:

import ast, inspect

# this is the test scenario
def function1():
    f1_var1 = 42
    def function2():
        f2_var1 = 42
        f2_var2 = 42
        def function3():
            f3_var1 = 42

# derive source code for top-level function
src = inspect.getsource(function1)

# derive abstract syntax tree rooted at top-level function
node = ast.parse(src)

# next, ast's walk method takes all the difficulty out of tree-traversal for us
for x in ast.walk(node):
    # functions have names whereas variables have ids,
    # nested-classes may all use different terminology
    # you'll have to look at the various node-types to
    # get this part exactly right
    name_or_id = getattr(x,'name', getattr(x,'id',None))
    if name_or_id:
        print name_or_id
结果是:函数1,函数2,f1_var1,函数3,f2_var1,f2_var2,f3_var1。强制性免责声明:可能没有很好的理由去做这种事情。但玩得开心:)

哦,如果您只需要内部函数的名称呢?

print dict([[x.name,x] for x in ast.walk(ast.parse(inspect.getsource(some_function))) if type(x).__name__=='FunctionDef'])

这篇关于列出一个函数的所有内部函数?的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持编程学习网!

本站部分内容来源互联网,如果有图片或者内容侵犯您的权益请联系我们删除!

相关文档推荐

Leetcode 234: Palindrome LinkedList(Leetcode 234:回文链接列表)
How do I read an Excel file directly from Dropbox#39;s API using pandas.read_excel()?(如何使用PANDAS.READ_EXCEL()直接从Dropbox的API读取Excel文件?)
subprocess.Popen tries to write to nonexistent pipe(子进程。打开尝试写入不存在的管道)
I want to realize Popen-code from Windows to Linux:(我想实现从Windows到Linux的POpen-code:)
Reading stdout from a subprocess in real time(实时读取子进程中的标准输出)
How to call type safely on a random file in Python?(如何在Python中安全地调用随机文件上的类型?)