3 回答
TA贡献1805条经验 获得超10个赞
我将首先尝试为您消除有关类和对象的困惑。让我们看一下这段代码:
>>> class Bank(): # let's create a bank, building ATMs
... crisis = False
... def create_atm(self) :
... while not self.crisis :
... yield "$100"
那里的评论有些欺骗性。上面的代码没有“创建”银行。它定义了什么是银行。银行是一种具有称为属性crisis和功能的东西create_atm。这就是上面的代码所说的。
现在让我们实际创建一个银行:
>>> x = Bank()
那里,x现在有一家银行。x具有属性crisis和功能create_atm。调用x.create_atm();在巨蟒与调用Bank.create_atm(x);,所以现在self指x。如果添加另一家银行y,呼叫y.create_atm()将知道查看y危机的价值,而不是x因为该函数self中的y。
self只是一个命名约定,但坚持使用是很好的。仍然值得指出的是,上面的代码等效于:
>>> class Bank(): # let's create a bank, building ATMs
... crisis = False
... def create_atm(thisbank) :
... while not thisbank.crisis :
... yield "$100"
TA贡献1827条经验 获得超9个赞
“ self ”是实例对象,该实例对象在被调用时会自动传递给类实例的方法,以标识调用它的实例。“ self ”用于从方法内部访问对象的其他属性或方法。(方法基本上只是属于类的函数)
在已有可用实例的情况下调用方法时,无需使用“ self ”。
从方法内部访问“ some_attribute”属性:
class MyClass(object):
some_attribute = "hello"
def some_method(self, some_string):
print self.some_attribute + " " + some_string
从现有实例访问“ some_attribute”属性:
>>> # create the instance
>>> inst = MyClass()
>>>
>>> # accessing the attribute
>>> inst.some_attribute
"hello"
>>>
>>> # calling the instance's method
>>> inst.some_method("world") # In addition to "world", inst is *automatically* passed here as the first argument to "some_method".
hello world
>>>
以下是一些代码来证明self与实例相同:
>>> class MyClass(object):
>>> def whoami(self, inst):
>>> print self is inst
>>>
>>> local_instance = MyClass()
>>> local_instance.whoami(local_instance)
True
正如其他人提到的那样,按照惯例将其命名为“ self ”,但是可以命名为任何名称。
添加回答
举报