如果我有课……
class MyClass:
def method(arg):
print(arg)
... 我用来创建一个对象…
my_object = MyClass()
... 我调用方法(“foo”),就像这样…
>>> my_object.method("foo")
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
TypeError: method() takes exactly 1 positional argument (2 given)
... 为什么Python告诉我我给了它两个参数,而我只给了一个?
刚接触Python时,我以错误的方式使用Python的**特性时遇到了这个问题。试着从某处调用这个定义:
def create_properties_frame(self, parent, **kwargs):
使用没有双星的调用会导致问题:
self.create_properties_frame(frame, kw_gsp)
TypeError: create_properties_frame()接受2个位置参数,但给出了3个
解决方案是在参数中添加**:
self.create_properties_frame(frame, **kw_gsp)
在Python中,这是:
my_object.method("foo")
... 是语法糖,翻译人员在幕后将其翻译成:
MyClass.method(my_object, "foo")
... 正如你所看到的,它确实有两个参数——只是从调用者的角度来看,第一个是隐式的。
这是因为大多数方法都对调用它们的对象做一些工作,因此需要有某种方法在方法中引用该对象。按照惯例,第一个参数在方法定义中称为self:
class MyNewClass:
def method(self, arg):
print(self)
print(arg)
如果你在MyNewClass的实例上调用method("foo"),它会像预期的那样工作:
>>> my_new_object = MyNewClass()
>>> my_new_object.method("foo")
<__main__.MyNewClass object at 0x29045d0>
foo
偶尔(但不是经常),你真的不关心你的方法绑定的对象,在这种情况下,你可以用内置的staticmethod()函数来装饰方法:
class MyOtherClass:
@staticmethod
def method(arg):
print(arg)
... 在这种情况下,你不需要在方法定义中添加self参数,它仍然有效:
>>> my_other_object = MyOtherClass()
>>> my_other_object.method("foo")
foo