如果我有课……
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)
当你没有指定__init__()或任何其他方法寻找的参数的no时,就会发生这种情况。
例如:
class Dog:
def __init__(self):
print("IN INIT METHOD")
def __unicode__(self,):
print("IN UNICODE METHOD")
def __str__(self):
print("IN STR METHOD")
obj = Dog("JIMMY", 1, 2, 3, "WOOF")
当你运行上面的程序时,它会给你一个这样的错误:
TypeError: __init__()接受1个位置参数,但给出了6个
我们怎么才能摆脱这东西?
只需传递参数,即__init__()方法要查找的内容
class Dog:
def __init__(self, dogname, dob_d, dob_m, dob_y, dogSpeakText):
self.name_of_dog = dogname
self.date_of_birth = dob_d
self.month_of_birth = dob_m
self.year_of_birth = dob_y
self.sound_it_make = dogSpeakText
def __unicode__(self, ):
print("IN UNICODE METHOD")
def __str__(self):
print("IN STR METHOD")
obj = Dog("JIMMY", 1, 2, 3, "WOOF")
print(id(obj))