python列表中去重
时间: 2023-10-10 17:08:57 浏览: 80
在 Python 中,可以使用 set() 函数将列表转换为集合,然后再将其转换回列表,从而实现去重。代码如下:
```
my_list = [1, 2, 2, 3, 3, 3]
new_list = list(set(my_list))
print(new_list)
```
输出结果为:`[1, 2, 3]`。
另外,也可以使用列表推导式来实现列表中元素的去重,代码如下:
```
my_list = [1, 2, 2, 3, 3, 3]
new_list = []
[new_list.append(i) for i in my_list if i not in new_list]
print(new_list)
```
输出结果同样为:`[1, 2, 3]`。
相关问题
python列表数据去重
可以使用set()函数将列表转换为集合,然后再将集合转换回列表即可去重。示例如下:
```python
my_list = [1, 2, 3, 3, 4, 5, 5, 6]
new_list = list(set(my_list))
print(new_list) # [1, 2, 3, 4, 5, 6]
```
如果需要保留原列表的顺序,可以使用列表推导式和判断语句去重,示例如下:
```python
my_list = [1, 2, 3, 3, 4, 5, 5, 6]
new_list = []
for i in my_list:
if i not in new_list:
new_list.append(i)
print(new_list) # [1, 2, 3, 4, 5, 6]
```
也可以使用Python中的内置函数groupby()对列表进行去重,示例如下:
```python
from itertools import groupby
my_list = [1, 2, 3, 3, 4, 5, 5, 6]
new_list = [k for k, g in groupby(my_list)]
print(new_list) # [1, 2, 3, 4, 5, 6]
```
以上三种方法均可对Python列表进行去重。
python列表如何去重
你可以使用set()函数,将列表转换为集合后再转回列表即可实现去重,如下所示:
```python
list1 = [1, 2, 2, 3, 4, 4, 4, 5, 6, 6]
list2 = list(set(list1))
print(list2)
```
输出结果为:
```python
[1, 2, 3, 4, 5, 6]
```
阅读全文