我对编程非常陌生。我刚开始几个星期。我花了几个小时阅读有关类的内容,但我仍然感到困惑。我有一个具体的问题。
我对何时使用类属性以及何时使用初始值设定项(__init__
)感到困惑。
我知道使用__init__
时,我不会立即分配任何值,而仅在使用该类创建对象时才需要分配值。类属性是该类下创建的对象自动固有的。
但是就实际使用而言,他们完成了同样的事情吗?他们只是做同一件事的两种不同方式吗?还是__init__
做了类属性不能做的事情?
我用这些代码进行了一些测试,结果是相同的。我什么时候使用哪个感到困惑。对我来说,类属性看起来更方便使用。
#use class attributes for class Numbers_1
class Numbers_1:
one = 1
two = 2
three = 3
six = two * three
def multiply(self):
return self.six * self.two * self.three
#use initializer for class Numbers_2
class Numbers_2:
def __init__(self, num10, num20, num30, num600):
self.num10 = num10
self.num20 = num20
self.num30 = num30
self.num600 = num600
def multiply(self):
return self.num600 * self.num20 * self.num30
#Now I run some test to compare the two classes...
x = Numbers_1()
y = Numbers_2(10, 20, 30, 20*30)
print(x.one) #print 1
print(y.num10) #print 10
print(x.six) #print 6
print(y.num600) #print 600
#assign attributes to each objects
x.eighteen = x.six * x.three
y.num18000 = y.num600 * y.num30
print(x.eighteen) #print 18
print(y.num18000) #print 18000
#try printing methods in each object
print(x.multiply()) #print 36
print(y.multiply()) #print 360000
#try reassign values to attributes in each object
x.one = 100
y.num10 = 1000
print(x.one) #prints 100
print(y.num10) #prints 1000
最佳答案
一切都很好-除了类属性还像python中的静态变量一样起作用。
但是请注意,类范围内的所有内容在由python解释器解析后立即在上运行。# file1.py
def foo():
print("hello world")
class Person:
first_name = foo()
last_name = None
def __init__(self):
last_name = "augustus"
print("good night")
# file2.py
import file1
>>> "hello world"
x = Person()
>>> "good night"
关于python - python __init__ vs类属性,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/46720838/