# Python 3
class Point(tuple):
def __init__(self, x, y):
super().__init__((x, y))
Point(2, 3)
会导致
TypeError:tuple()最多需要1 论证(给出2)
为什么呢?我该怎么做呢?
答案 0 :(得分:10)
tuple
是一种不可变类型。在__init__
被调用之前,它已经被创建并且不可变。这就是为什么这不起作用。
如果您真的想要对元组进行子类化,请使用__new__
。
>>> class MyTuple(tuple):
... def __new__(typ, itr):
... seq = [int(x) for x in itr]
... return tuple.__new__(typ, seq)
...
>>> t = MyTuple((1, 2, 3))
>>> t
(1, 2, 3)