In Python, What's The Best Way To Avoid Using The Same Name For A __init__ Argument And An Instance Variable?
Solution 1:
It is perhaps subjective, but I wouldn't consider it poor style to use the same name twice. Since self
is not implicit in Python, self.real
and real
are totally distinct and there is no danger of name hiding etc. as you'd experience in other languages (i.e. C++/Java, where naming parameters like members is somewhat frowned upon).
Actually, giving the parameter the same name as the member gives a strong semantic hint that the parameter will map one by one to the member.
Solution 2:
There are a couple of reasons to change the name of the underlying instance variable, but it'll depend greatly on what you actually need to do. A great example comes with the use of properties. You can, for example, create variables that don't get overwritten, which may mean you want to store them under some other variable like so:
classMyClass:def__init__(self, x, y):
self._x, self._y = x, y
@propertydefx(self):
returnself._x
@x.setter
defx(self, value):
print "X is read only."@propertydefy(self):
returnself._y
@y.setter
defy(self, value):
self._y = value
This would create a class that allows you to instantiate with two values, x and y, but where x could not be changed while y could.
Generally speaking though, reusing the same name for an instance variable is clear and appropriate.
Post a Comment for "In Python, What's The Best Way To Avoid Using The Same Name For A __init__ Argument And An Instance Variable?"