📜  Python – 嵌套和混合列表中的类型转换

📅  最后修改于: 2022-05-13 01:54:47.307000             🧑  作者: Mango

Python – 嵌套和混合列表中的类型转换

在使用Python列表时,由于其异构性质,我们可能会遇到需要将列表的每个嵌套元素的数据类型转换为特定类型的问题。在混合列表中,这变得复杂。让我们讨论一下可以执行此任务的特定方式。

方法:使用递归 + isinstance()
上述功能的组合可以用来解决这个问题。这里我们使用 isinstance() 来获取列表元素的数据类型,如果是它的容器,则递归内部元素进行转换。

# Python3 code to demonstrate working of 
# Type conversion in Nested and Mixed List
# Using recursion + isinstance()
  
# helper_fnc
def change_type(sub):
    if isinstance(sub, list):
        return [change_type(ele) for ele in sub]
    elif isinstance(sub, tuple):
        return tuple(change_type(ele) for ele in sub)
    else:
        return int(sub)
          
# initializing list
test_list = ['6', '89', ('7', ['8', '10']), ['11', '15']]
  
# printing original list
print("The original list is : " + str(test_list))
  
# Type conversion in Nested and Mixed List
# Using recursion + isinstance()
res = change_type(test_list)
  
# printing result 
print("Data after type conversion : " + str(res)) 
输出 :
The original list is : ['6', '89', ('7', ['8', '10']), ['11', '15']]
Data after type conversion : [6, 89, (7, [8, 10]), [11, 15]]