stevenha 对这个问题有很好的回答。但是,如果您确实想在命名空间字典中四处寻找,您可以像这样在特定范围/命名空间中获取给定值的所有名称:
def foo1():
x = 5
y = 4
z = x
print names_of1(x, locals())
def names_of1(var, callers_namespace):
return [name for (name, value) in callers_namespace.iteritems() if var is value]
foo1() # prints ['x', 'z']
如果您正在使用支持堆栈框架的 Python(大多数支持,CPython 支持),则不需要将 locals dict 传递给names_of
函数;该函数可以从其调用者的框架本身检索该字典:
def foo2():
xx = object()
yy = object()
zz = xx
print names_of2(xx)
def names_of2(var):
import inspect
callers_namespace = inspect.currentframe().f_back.f_locals
return [name for (name, value) in callers_namespace.iteritems() if var is value]
foo2() # ['xx', 'zz']
如果您正在使用可以为其分配名称属性的值类型,则可以给它一个名称,然后使用它:
class SomeClass(object):
pass
obj = SomeClass()
obj.name = 'obj'
class NamedInt(int):
__slots__ = ['name']
x = NamedInt(321)
x.name = 'x'
最后,如果您正在使用类属性并且希望它们知道它们的名称(描述符是明显的用例),您可以像在 Django ORM 和 SQLAlchemy 声明式表定义中那样使用元类编程做一些很酷的技巧:
class AutonamingType(type):
def __init__(cls, name, bases, attrs):
for (attrname, attrvalue) in attrs.iteritems():
if getattr(attrvalue, '__autoname__', False):
attrvalue.name = attrname
super(AutonamingType,cls).__init__(name, bases, attrs)
class NamedDescriptor(object):
__autoname__ = True
name = None
def __get__(self, instance, instance_type):
return self.name
class Foo(object):
__metaclass__ = AutonamingType
bar = NamedDescriptor()
baaz = NamedDescriptor()
lilfoo = Foo()
print lilfoo.bar # prints 'bar'
print lilfoo.baaz # prints 'baaz'