我无法通过错误:

Traceback (most recent call last):
  File "C:\Users\Dom\Desktop\test\test.py", line 7, in <module>
    p = Pump.getPumps()
TypeError: getPumps() missing 1 required positional argument: 'self'

我检查了几个教程,但似乎与我的代码没有任何不同。我唯一能想到的是Python 3.3需要不同的语法。

class Pump:

    def __init__(self):
        print("init") # never prints

    def getPumps(self):
        # Open database connection
        # some stuff here that never gets executed because of error
        pass  # dummy code

p = Pump.getPumps()

print(p)

如果我理解正确,self会自动传递给构造函数和方法。我哪里做错了?


当前回答

您需要在这里实例化一个类实例。

Use

p = Pump()
p.getPumps()

小例子:

>>> class TestClass:
        def __init__(self):
            print("in init")
        def testFunc(self):
            print("in Test Func")


>>> testInstance = TestClass()
in init
>>> testInstance.testFunc()
in Test Func

其他回答

您需要在这里实例化一个类实例。

Use

p = Pump()
p.getPumps()

小例子:

>>> class TestClass:
        def __init__(self):
            print("in init")
        def testFunc(self):
            print("in Test Func")


>>> testInstance = TestClass()
in init
>>> testInstance.testFunc()
in Test Func

你需要先初始化它:

p = Pump().getPumps()

你可以像调用pump.getPumps()一样调用这个方法。通过在方法上添加@classmethod装饰器。类方法接收类作为隐式的第一个参数,就像实例方法接收实例一样。

class Pump:

def __init__(self):
    print ("init") # never prints

@classmethod
def getPumps(cls):
            # Open database connection
            # some stuff here that never gets executed because of error

因此,只需调用Pump.getPumps()。

在java中,它被称为静态方法。

如果跳过对象声明的括号(错别字),则会发生此错误。

# WRONG! will result in TypeError: getPumps() missing 1 required positional argument: 'self'
p = Pump
p.getPumps()

不要忘记泵对象的括号

# CORRECT!
p = Pump()
p.getPumps()

您也可以通过过早地接受PyCharm的建议来注释一个方法@staticmethod来得到这个错误。删除注释。