How can I access a class data member from a method within the same class?

1.1k Views Asked by At
class Class:
    _member = 1

    def method(self):

I want to access _member from within method(), what is the correct way to do so?

4

There are 4 best solutions below

12
On BEST ANSWER

You can use self._member, if it isn't an attribute of the object (in self.__dict__) I believe it looks in the classes __dict__ next, which should contain the class attributes.

0
On
class Class:
   _member = 1

   def method(self):
      print "value is ",self._member

create an instance of the class and call the method

c = Class()
c.method()

output:

value is 1
1
On
class Class:
    _member = 1

    @classmethod
    def method(cls):
        print cls._member

Class.method()

And:

>>> Class().method()
1
>>> 
0
On
class Class:
    _member = 1

    def method(self):
        print(Class._member)

Class().method()

Would give the output:

1

That one is a Class attribute, by the way. You could call the method as a bound method. You have the option of staticmethod (no first parameter required), classmethod (first one parameter is a class) and normal method (like this one).