96

我收到此错误:

TypeError: object.__init__() takes no parameters 

在运行我的代码时,我并没有真正看到我在这里做错了什么:

class IRCReplyModule(object):

    activated=True
    moduleHandlerResultList=None
    moduleHandlerCommandlist=None
    modulename=""

    def __init__(self,modulename):
        self.modulename = modulename


class SimpleHelloWorld(IRCReplyModule):

     def __init__(self):
            super(IRCReplyModule,self).__init__('hello world')
4

2 回答 2

122

您在 super() 调用中调用了错误的类名:

class SimpleHelloWorld(IRCReplyModule):

     def __init__(self):
            #super(IRCReplyModule,self).__init__('hello world')
            super(SimpleHelloWorld,self).__init__('hello world')

本质上,您要解决的是__init__不带参数的对象基类。

我知道,它有点多余,必须指定你已经在其中的类,这就是为什么在 python3 中你可以这样做: super().__init__()

于 2012-06-24T16:15:40.183 回答
5

这让我最近两次被咬(我知道我应该第一次从错误中吸取教训)并且接受的答案两次都没有帮助我,所以当我脑海中浮现时我想我会提交我自己的答案以防万一其他任何人都遇到了这个问题(或者我将来再次需要这个)。

在我的情况下,问题是我将 kwarg 传递给子类的初始化,但在超类中,关键字 arg 然后被传递到 super() 调用中。

我一直认为这些类型的事情最好举个例子:

class Foo(object):
  def __init__(self, required_param_1, *args, **kwargs):
    super(Foo, self).__init__(*args, **kwargs)
    self.required_param = required_param_1
    self.some_named_optional_param = kwargs.pop('named_optional_param', None)

  def some_other_method(self):
    raise NotImplementedException

class Bar(Foo):
  def some_other_method(self):
    print('Do some magic')


Bar(42) # no error
Bar(42, named_optional_param={'xyz': 123}) # raises TypeError: object.__init__() takes no parameters

所以要解决这个问题,我只需要改变我在 Foo.__init__ 方法中做事的顺序;例如:

class Foo(object):
  def __init__(self, required_param_1, *args, **kwargs):
    self.some_named_optional_param = kwargs.pop('named_optional_param', None)
    # call super only AFTER poping the kwargs
    super(Foo, self).__init__(*args, **kwargs)
    self.required_param = required_param_1
于 2019-04-29T15:20:24.117 回答