我经历了很多答案,但没有找到我理解的答案。这是一个基于我真实程序中的问题的测试程序。我想要一个可以更改的类变量,并将更改应用于类的所有实例,但不适用于类似的类,即使具有相同的形式。
可能很明显,我在第 3 行为 X 定义了一个类变量,在第 9 行为 Y 定义了一个类变量。我试图在第 23-25 行访问这些变量。
我的模型是
#! /usr/bin/python -t
class X:
clsvar = "Animal"
def show(self):
clsvar
def chg(self,creature):
clsvar = creature
class Y:
clsvar = "Plant"
def show(self):
clsvar
def chg(self,creature):
clsvar = creature
class A(X):
pass
class B(X):
pass
class C(Y):
pass
a = A()
b = B()
c = C()
print "1 " + a.show()
print "2 " + b.show()
print "3 " + c.show()
a.chg( "Dog")
print "4 " + a.show()
print "5 " + b.show()
print "6 " + c.show()
我的结果是
Traceback (most recent call last):
File "180.py", line 23, in ?
print "1 " + a.show()
File "180.py", line 5, in show
clsvar
NameError: global name 'clsvar' is not defined
我原以为 clsvar 会出现在任何派生类中,并且不需要是全局的。我显然在这里很愚蠢,但我已经尝试了几十种方法而没有成功。
顺便说一句,我能够在 Ruby 中做到这一点。
#! /usr/bin/ruby -w
class X
@@clsvar = "Animal"
def self.show
@@clsvar
end
def self.chg(creature)
@@clsvar = creature
end
end
class Y
@@clsvar = "Plant"
def self.show
@@clsvar
end
def self.chg(creature)
@@clsvar = creature
end
end
class A < X
A.show
end
class B < X
B.show
end
class C < Y
C.show
end
a = A
b = B
c = C
puts "1 " + a.show
puts "2 " + b.show
puts "3 " + c.show
a.chg( "Dog")
puts "4 " + a.show
puts "5 " + b.show
puts "6 " + c.show
输出是:
1 Animal
2 Animal
3 Plant
4 Dog
5 Dog
6 Plant