Python error "name 'self' is not defined"

14.4k Views Asked by At

I am trying to reference a variable from a class inside a method, I tried it without self but that gave me the error "name 'one' is not defined".

class hello(object):
    self.one = 1
    def method(self):
        print one

food = hello()
food.method()
2

There are 2 best solutions below

6
On

It should be print self.one instead of of print one and one = 1 instead of self.one = 1

0
On

Do you want to define a class variable or an instance variable?

For a variable defined within the scope of the instance / object use:

class hello(object):
    def __init__(self):
        self.one = 1

    def method(self):
        print self.one

food = hello()
food.method()

For a class variable:

class hello(object):
    one = 1

    def method(self):
        print hello.one

food = hello()
food.method()