我正在学习Python3中的多重继承。我想知道为什么案例#1有效,但案例#2没有。这是我的代码片段。
class ContactList(list):
def search(self, name):
"""Return all contacts that contain the search value
in their name."""
matching_contacts = []
for contact in self:
if name in contact.name:
matching_contacts.append(contact)
return matching_contacts
class Contact:
all_contacts = ContactList()
def __init__(self, name="", email="", **kwargs):
super().__init__(**kwargs)
self.name = name
self.email = email
Contact.all_contacts.append(self)
print("Cotact")
class AddressHolder:
def __init__(self, street="", city="", state="", code="", **kwargs):
super().__init__(**kwargs)
self.street = street
self.city = city
self.state = state
self.code = code
print("AddressHolder")
class Friend(Contact, AddressHolder):
# case# 1
# def __init__(self, phone="", **kwargs):
# self.phone = phone
# super().__init__(**kwargs)
# print("Friend")
# case# 2
def __init__(self, **kwargs):
self.phone = kwargs["phone"]
super().__init__(**kwargs)
print("Friend")
if __name__ == "__main__":
friend = Friend(
phone="01234567",
name="My Friend",
email="myfriend@example.net",
street="Street",
city="City",
state="State",
code="0123")
这是脚本的输出。如果我只使用kwargs(情况#2)作为继承“Contact”和“AddressHolder”的“Friend”中的参数,则Python会出错。我已经测试了没有继承的相同类型的构造,除了对象,它完美地运行。
"""
case 1#
$ python contacts.py
AddressHolder
Cotact
Friend
>>> friend.name
'My Friend'
>>> friend.phone
'01234567'
>>>
"""
"""
case 2#
$ python contacts.py
Traceback (most recent call last):
File "contacts.py", line 55, in <module>
code="0123")
File "contacts.py", line 43, in __init__
super().__init__(**kwargs)
File "contacts.py", line 16, in __init__
super().__init__(**kwargs)
File "contacts.py", line 25, in __init__
super().__init__(**kwargs)
TypeError: object.__init__() takes no parameters
>>>
"""
答案 0 :(得分:4)
我们来看看Friend
的方法解析顺序。这将告诉我们将调用构造函数的顺序:
>>> Friend.mro()
[<class '__main__.Friend'>, <class '__main__.Contact'>, <class '__main__.AddressHolder'>, <class 'object'>]
让我们先来看一下案例1。这些是Friend
构造函数的原始命名参数:
phone="01234567"
name="My Friend"
email="myfriend@example.net"
street="Street"
city="City"
state="State"
code="0123"
现在,Friend.__init__
将phone
作为显式参数,然后将其余部分作为关键字参数字典。所以kwargs
如下:
kwargs = {
'name': "My Friend",
'email': "myfriend@example.net",
'street': "Street",
'city': "City",
'state': "State",
'code': "0123",
}
接下来,调用Contact.__init__
,其中包含参数name
和email
。这会留下kwargs
,如下所示:
kwargs = {
'street': "Street",
'city': "City",
'state': "State",
'code': "0123",
}
接下来,调用AddressHolder.__init__
,其中包含参数street
,city
,state
和code
。因此kwargs
如下:
kwargs = {}
一本空字典!所以最后调用object.__init__
时没有传递任何参数,这很好,因为object
构造函数不接受任何参数。
现在,我们来看看第二个案例。这里,phone
不是Friend.__init__
的显式参数,因此它作为字典中的关键字参数传递。在所有后续调用中,流程与上面完全相同,只是phone
永远不会从kwargs
字典中删除。因此,对object.__init__
的最终调用,kwargs
仍将如下所示:
kwargs = {
'phone': "01234567",
}
这对object.__init__
来说是一个问题,因为它不接受phone
参数(或任何真正的参数)。所以这就是为什么案例2会在这里失败的原因:因为剩下的关键字参数会被带到object.__init__
。