我想输出差异两个元组并删除元组上的一个元素
a = [(1,2),(2,3),(3,3)]
if (1,2) in a:
## how to remove (1,2) on tuple
我需要输出[(2,3),(3,3)]
怎么做?
谢谢,
答案 0 :(得分:6)
当您知道要删除的元素时,可以使用.remove
方法获取列表。
>>> a = [(1,2),(2,3),(3,3)]
>>> a.remove((1,2))
>>> a
[(2, 3), (3, 3)]
答案 1 :(得分:1)
其他方式,您可以使用del
>>> a = [(1,2),(2,3),(3,3)]
>>> del a[a.index((1,2))]
>>> a
[(2, 3), (3, 3)]
>>>
或使用.pop
>>> a = [(1,2),(2,3),(3,3)]
>>> a.pop(a.index((1,2)))
(1, 2)
>>> a
[(2, 3), (3, 3)]
>>>