导语:
本文主要介绍了关于python中list可以嵌套吗的相关知识,希望可以帮到处于编程学习途中的小伙伴
python中的列表可以嵌套。遍历和输出嵌套列表是一种常见的需求。有两种方法可以实现这一点
def nested_list(list_raw,result):
for item in list_raw:
if isinstance(item, list):
nested_list(item,result)
else:
result.append(item)
return result
def flatten_list(nested):
if isinstance(nested, list):
for sublist in nested:
for item in flatten_list(sublist):
yield item
else:
yield nested
def main():
list_raw = ["a",["b","c",["d"]]]
result = []
print "nested_list is: ",nested_list(list_raw,result)
print "flatten_list is: ",list(flatten_list(list_raw))
main()
让代码run起来,输出为:
nested_list is: ['a', 'b', 'c', 'd']
flatten_list is: ['a', 'b', 'c', 'd']
nested_list 方法使用递归方法。如果项目是列表类型,它会继续递归调用自身。如果没有,只需将项目添加到结果列表中。
flatten_list 方法使用了生成器方法,本质上是一种递归的思想。
推荐学习《
》
2.两层嵌套list去重
列表中有一层列表,需要去重,生成去重列表。请看代码:
def dup_remove_set(list_raw):
result = set()
for sublist in list_raw:
item = set(sublist)
result = result.union(item)
return list(result)
def main():
list_dup = [[1,2,3],[1,2,4,5],[5,6,7]]
print dup_remove_set(list_dup)
让代码run起来:
[1, 2, 3, 4, 5, 6, 7]
基本思路:将每一个子list转为set,然后求并集,即可。
3.多重嵌套去重
def dup_remove(list_raw,result):
for item in list_raw:
if isinstance(item, list):
dup_remove(item,result)
else:
result.add(item)
return list(result)
def main():
list_raw = ["a",["b","c",["d","a","b"]]]
result = set()
print "dup_remove is: ",dup_remove(list_raw,result)
让代码run起来:
dup_remove is: ['a', 'c', 'b', 'd']
基本思路和之前遍历嵌套列表的思路类似。唯一的区别是前面的结果是一个列表,但是如果要重复的话,用结果做一个集合,保证最终的结果是去重的结果。
本文为原创文章,版权归知行编程网所有,欢迎分享本文,转载请保留出处!
你可能也喜欢
- ♥ python代码是如何工作的08/11
- ♥ python中break代表什么08/24
- ♥ 如何在python中更改编码12/16
- ♥ 如何检查一列是否有python中的数据09/28
- ♥ python计算不同字符的数量08/11
- ♥ python守护线程是如何创建的?01/12
内容反馈