编写程序删除列表中的重复值python
时间: 2024-12-22 18:32:50 浏览: 14
在Python中,你可以通过多种方式来删除列表中的重复值。这里提供几种常见的方法:
1. 利用set数据结构:因为集合(set)不允许有重复元素,所以可以先将列表转为集合,然后再转换回列表。
```python
def remove_duplicates(lst):
return list(set(lst))
my_list = [1, 2, 2, 3, 4, 4, 5]
new_list = remove_duplicates(my_list)
print(new_list) # 输出: [1, 2, 3, 4, 5]
```
2. 使用列表推导式:遍历列表并只保留第一次出现的元素。
```python
def remove_duplicates(lst):
return [x for i, x in enumerate(lst) if x not in lst[:i]]
my_list = [1, 2, 2, 3, 4, 4, 5]
new_list = remove_duplicates(my_list)
print(new_list) # 输出: [1, 2, 3, 4, 5]
```
3. 使用dict(字典):由于字典的键值对无重复,可以利用这点创建一个新列表。
```python
def remove_duplicates(lst):
return list(dict.fromkeys(lst))
my_list = [1, 2, 2, 3, 4, 4, 5]
new_list = remove_duplicates(my_list)
print(new_list) # 输出: [1, 2, 3, 4, 5]
```
阅读全文