6
# Python 3
class Point(tuple):
    def __init__(self, x, y):
        super().__init__((x, y))

Point(2, 3)

会导致

TypeError: tuple() 最多接受 1 个参数(给定 2 个)

为什么?我应该怎么做?

4

1 回答 1

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)
于 2011-01-28T10:51:42.553 回答