这里我无法访问Python中的类变量 列表理解。
class Student:
max_year = 18
year_choice = [i for i in range(100) if i > max_year]
def __init__(self, name):
self.name = name
print (self.year_choice)
Student('Blah')
但它在Python 2中运行良好。
../workspace$ python student.py
[19, 20, 21, 22, 2.... 99]
但是在Python 3中出现错误。
../workspace$ python student.py
File "student.py", line 18, in <listcomp>
year_choice = [i for i in range(100) if i > max_year]
NameError: name 'max_year' is not defined
从调试时我改变了 以下陈述
[i for i in range(100) if i > max_year]
到这个
[i for i in range(max_year)] # don't look too much into it ;)
工作正常。 为什么我无法访问 if / else list comprehension 中的类变量?
答案 0 :(得分:4)
这一行的原因
year_choice = [i for i in range(100) if i > max_year]
在Python 2中工作但在Python 3中不起作用是在Python 3中,列表推导创建了一个新的范围,max_year
类属性不在该范围内。在Python 2中,列表推导不会创建新的范围,它在周围代码的上下文中运行。这最初是出于性能原因而做的,但很多人发现它令人困惑,因此在Python 3中进行了更改,使列表推导符合生成器表达式,以及set和dict comprehensions。
AFAIK,Python 3中没有简单的方法来访问在类的外部上下文中运行的列表解析中的类属性,而不是在方法内部。您无法使用Student.max_year
引用它,因为此时Student
类不存在。
然而,无论如何,那里的列表理解确实没有意义。您可以更紧凑,更高效地创建所需的列表。例如:
class Student(object):
max_year = 18
year_choice = list(range(max_year + 1, 100))
def __init__(self, name):
self.name = name
print (self.year_choice)
Student('Blah')
<强>输出强>
[19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 61, 62, 63, 64, 65, 66, 67, 68, 69, 70, 71, 72, 73, 74, 75, 76, 77, 78, 79, 80, 81, 82, 83, 84, 85, 86, 87, 88, 89, 90, 91, 92, 93, 94, 95, 96, 97, 98, 99]
该代码在Python 2和Python 3上产生相同的输出。
我已将班级签名更改为
class Student(object):
因此它在Python 2中创建了一个新式的类(在Python 3中,所有类都是新式的)。
[i for i in range(max_year)]
可以解决这个限制的原因是迭代器是从range(max_year)
创建的,然后作为参数传递给运行列表推导的临时函数。所以它等同于这段代码:
class Student(object):
max_year = 18
def _listcomp(iterator):
result = []
for i in iterator:
result.append(i)
return result
year_choice = _listcomp(iter(range(max_year + 1, 100)))
del _listcomp
def __init__(self, name):
self.name = name
print(self.year_choice)
Student('Blah')
非常感谢Antti Haapala的解释。