0

我正在尝试覆盖列表方法并附加 2 个元素。我怎样才能做到这一点?

class LI(list):
    def append(self, item):
        self.append(item)


l = LI([100, 200])
l.append(302)
l.append(402)

print l

最终输出:

[100,200,302,302,402,402]
4

1 回答 1

5
class LI(list):
    def append(self, *args):
        self.extend(args)

现在你可以使用它了:

a = LI()
a.append(1,2,3,4)
a.append(5)

或者你的意思是:

class LI(list):
    def append(self, item):
        list.append(self,item)
        list.append(self,item)

但实际上,为什么不直接使用常规列表以及extend它们append的使用方式呢?

a = list()
a.extend((1,2,3,4))
a.append(5)

或者

a = list()
item = 1
a.extend((item,item))
于 2012-10-17T15:00:30.883 回答