Calling variables in the same class with python

孤街浪徒 提交于 2020-08-20 02:12:57

问题


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='hello world,'

    def function2(self):
        b=self.a + ' I am alive'

Project1=Project()
print Project1.function1()
print Project1.function2()

python says: Project instance has no attribute 'a'.

I don't know very well how to use classes. I didn't use __init__ 'cause I do not have anything to put, is there maybe a way to add it even if I do not need it formally?

Thanks for your help.


回答1:


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:

class Project:
    a = ''
    b = ''

    def function1(self):
        self.a='hello world,'

    def function2(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:

def function1():
    return 'hello world,'

or if you need to set a and print:

def function1():
    self.a = 'hello world,'
    return self.a



回答2:


What you need is:

    def function1(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.




回答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.



来源:https://stackoverflow.com/questions/47915933/calling-variables-in-the-same-class-with-python

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!