问题
I'm pretty new to OOP and I need some help understanding the need for a constructor in a python class.
I understand init is used to initialize class variables like below:
class myClass():
def __init__ (self):
self.x = 3
print("object created")
A = myClass()
print(A.x)
A.x = 6
print(A.x)
Output:
object created
3
6
but, I could also just do,
class myClass():
x = 3
print("object created")
A = myClass()
print(A.x)
A.x = 6
print(A.x)
which prints out the same result.
Could you please explain why we need a constructor or give me an example of a case when the above method will not work?
回答1:
Citation: But I can also do
class myClass():
x = 3
print("object created")
A = myClass()
print(A.x)
A.x = 6
print(A.x)
No you cannot. There is a fundamental difference once you want to create two or more objects of this same class. Maybe this behaviour becomes clearer like this
class MyClass:
x = 3
print("Created!")
a = MyClass() # Will output "Created!"
a = MyClass() # Will output nothing since the class already exists!
In principal you need __init__ in order to write that code that needs to get executed for every new object whenever this object gets initialized / created - not just once when the class is read in.
回答2:
__init__
is used to initialize the state of multiple instances of a class where each instance's state is decoupled from each other, whereas your second example, without __init__
initializes an attribute that is shared among all instances of a class.
来源:https://stackoverflow.com/questions/53318475/why-do-we-need-init-to-initialize-a-python-class