Python: Call method by instance object: “missing 1 required positional argument: 'self'” [duplicate]

倖福魔咒の 提交于 2019-12-01 06:41:58

call_uselessmethod requires that there first be an instance of Class2 before you use it. However, by doing this:

k = Class2

you are not assigning k to an instance of Class2 but rather Class2 itself.

To create an instance of Class2, add () after the class name:

k = Class2()
k.call_uselessmethod()

Now, your code will work because k points to an instance of Class2 like it should.

To create the instance, you need to call the class, k = Class2().

What was really happening the that k = Class2 created an alias to the class and k.call_uselessmethod`` created an unbound method which requires that you pass in the instance as the argument.

Here is a session that explains exactly what is happening:

>>> k = Class2      # create an alias the Class2
>>> k == Class2     # verify that *k* and *Class2* are the same
True
>>> k.call_uselessmethod   # create an unbound method
<unbound method Class2.call_uselessmethod>
>>> k.call_uselessmethod() # call the unbound method with the wrong arguments

Traceback (most recent call last):
  File "<pyshell#5>", line 1, in <module>
    k.call_uselessmethod() # call the unbound method with the wrong arguments
TypeError: unbound method call_uselessmethod() must be called with Class2 instance as first argument (got nothing instead)

Note, the error message in Python2.7.6 has been improved over what you were seeing :-)

The statement:

k = Class2

Is actually assigning the variable k to the class itself, which is a type object. Remember, in Python everything is an object: classes are simply type objects.

>>> class Class2: pass
...
>>> k = Class2
>>> type(k)
>>> <class 'type'>

What you want is an instance of Class2. For that you must call Class2's constructor:

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