我有一个包含列表和更多元组的元组。我需要将它转换为具有相同结构的嵌套列表。例如,我想将(1,2,[3,(4,5)])
转换为[1,2,[3,[4,5]]]
。
我该怎么做(在Python中)?
答案 0 :(得分:12)
def listit(t):
return list(map(listit, t)) if isinstance(t, (list, tuple)) else t
我能想象到的最短的解决方案。
答案 1 :(得分:6)
作为一个python新手,我会尝试这个
def f(t):
if type(t) == list or type(t) == tuple:
return [f(i) for i in t]
return t
t = (1,2,[3,(4,5)])
f(t)
>>> [1, 2, [3, [4, 5]]]
或者,如果您喜欢一个衬垫:
def f(t):
return [f(i) for i in t] if isinstance(t, (list, tuple)) else t
答案 2 :(得分:1)
我们可以(ab)使用json.loads
总是为JSON列表生成Python列表的事实,而json.dumps
将任何Python集合转换为JSON列表:
import json
def nested_list(nested_collection):
return json.loads(json.dumps(nested_collection))
答案 3 :(得分:0)
这就是我想出的,但我更喜欢对方。
def deep_list(x):
"""fully copies trees of tuples or lists to a tree of lists.
deep_list( (1,2,(3,4)) ) returns [1,2,[3,4]]
deep_list( (1,2,[3,(4,5)]) ) returns [1,2,[3,[4,5]]]"""
if not ( type(x) == type( () ) or type(x) == type( [] ) ):
return x
return map(deep_list,x)
我看到aztek的回答可以缩短为:
def deep_list(x):
return map(deep_list, x) if isinstance(x, (list, tuple)) else x
更新:但现在我从DasIch的评论中看到,这在Python 3.x中不起作用,因为map()会返回一个生成器。