python列表去重的两种方法

python列表去重的两种方法

1. 使用循环进行遍历,将重复的元素去掉。

def test1():
    lst = [1,2,5,6,3,5,7,3]
    tmp = []
    for it in lst:
        if it not in tmp:
            tmp.append(it)
    print(tmp)

结果:

[1, 2, 5, 6, 3, 7]

2. 使用集合的唯一性,对列表进行去重。

def test2():
    lst = [1,2,5,6,3,5,7,3]
    tmp = list(set(lst))
    print(tmp)  # 顺序改变
    tmp.sort(key=lst.index)
    print(tmp)  # 顺序不变

结果:

[1, 2, 3, 5, 6, 7]
[1, 2, 5, 6, 3, 7]

你可能感兴趣的:(Python)