Skip to content Skip to sidebar Skip to footer

Calling Variables In The Same Class With Python

I am trying to call a variable defined in a function, inside another function of the same class, but with self doesn't work. class Project(): def function1(self): a='he

Solution 1:

What you need is:

deffunction1(self):
      self.a = 'hello world, '

Within function1, a is a local variable as someone stated, whereas self.a is an attribute attached to your current object.

Solution 2:

Your a and b variables are local. You can only use these variables in the method scope. If you want a class attribute (shared with all the class) you have to set the like self.a = ... and self.b = .... In python is not necessary create a constructor method __init__ neither initialize these attributes. But in your example if you call functions2 before function1 it will crash because you are using one attribute that doen't exist. Then is recommended initialize the attributes. You can initialize the attributes like this:

classProject:
    a = ''
    b = ''deffunction1(self):
        self.a='hello world,'deffunction2(self):
        self.b=self.a + ' I am alive'

More things to keep in mind: 1. The variables are in lower case and snake case: project1 = Project() 2. Your prints won't print anything because your functions don't return anything. You have to return something like:

deffunction1():
    return'hello world,'

or if you need to set a and print:

deffunction1():
    self.a = 'hello world,'returnself.a

Solution 3:

In function1(self) you need to change a= to self.a=. In your original code you were creating a local variable a, you need to explicitly use self to attach the variable a to the instance of the object and stay persistent across function calls.

Post a Comment for "Calling Variables In The Same Class With Python"