如何在python中访问类定义中的非本地范围?

时间:2016-04-11 16:49:58

标签: python scope decorator python-nonlocal

我想这样做(虚拟示例):

def func():
    nonlocal var
    print (var)

class A:
    var = 'hola'
    func()

但是我得到了:"语法错误:没有绑定非局部' var'发现"

我真正打算做的是将方法名称附加到类的范围内的列表中,如果该方法是装饰的。像这样:

def decorator(func):
    nonlocal decorated
    decorated.append(func.__name__)
    return func

class A:
    decorated = []
    @decorate
    def f(self):
        pass

4 个答案:

答案 0 :(得分:1)

y = 20
def f():
    x = 7
    def g():
        nonlocal x # 7
        global y # 20

nonlocal限定符是指外部函数作用域中的名称,不包括模块作用域。虽然global做了补充。所以你错误地使用了nonlocal

答案 1 :(得分:1)

使用装饰器标记函数,然后装饰为返回所有修饰函数的类方法。

import inspect

def decorate(func):
    func.decorated = True
    return func

class A:
    def foo():
        print('foo')

    @decorate
    def bar():
        print('bar')

    @classmethod
    def decorated(cls):
        def is_decorated_method(obj):
            try:
                return inspect.isfunction(obj) and obj.decorated
            except AttributeError:
                # The object has no decorated attribute
                return False

        return [result[1] for result in inspect.getmembers(cls, predicate=is_decorated_method)]

print(A.decorated())
# [<function A.bar at 0x6ffffc0aa60>]

答案 2 :(得分:1)

Python只是不允许你这样做。您可以使用locals()访问类命名空间。但是在这一点上,您也可以将您感兴趣的变量传递给装饰器。

# using locals()

def decorator(class_namespace):
    def _decorator(func):
        class_namespace["decorated"].append(func)
        return func
    return _decorator

class A:
    store = decorator(locals())

    decorated = []

    @store
    def func(self):
        pass

    del store

通常,使用一对装饰器很容易。一个用于标记您感兴趣的功能,另一个用于收集它们。

from types import FunctionType

def collect(cls):
    for item in vars(cls).values():
        print(item)
        if isinstance(item, FunctionType) and getattr(item, "marked", False):
            cls.marked_funcs.append(item)
    return cls

def mark(func):
    func.marked = True
    return func

@collect
class B:
    marked_funcs = []

    @mark
    def func(self):
        pass

但是在你的情况下,在类的末尾创建一组函数名称可能更简单。例如

class C:
    def func(self):
        pass

    func_names = [f.__name__ for f in [func]]

答案 3 :(得分:0)

那怎么样?

decorated = []

def decorator(func):
    decorated.append(func.__name__)
    def wrapper(self):
        print('wrapper called')
        func(self)
    return wrapper

class A:
    @decorator
    def f(self): print('function called')

print(decorated)
A().f()

<强>输出:

['f']
wrapper called
function called

备注:

您提供的代码遇到了您所描述的问题,因为var是类变量,因此必须将其引用为A.var,但您不能在代码中执行此操作,因为您尝试使用它在定义A之前。如果它是不同的类,那将是可能的:

class X:
    decorated = []

def decorator(func):
    X.decorated.append(func.__name__)
    return func

class A:

    @decorator
    def f(self):
        pass

print(X.decorated)

请注意,如果您没有指定变量,则不需要指定nonlocal,而是调用append()等方法。