整数型列表转换为字符型列表的python代码
时间: 2023-10-16 11:29:35 浏览: 135
python 把列表转化为字符串的方法
下面是将整数型列表转换为字符型列表的Python代码:
```python
# 定义整数型列表
int_list = [1, 2, 3, 4, 5]
# 使用列表推导式将整数型列表转换为字符型列表
char_list = [str(i) for i in int_list]
print(char_list) # 输出 ['1', '2', '3', '4', '5']
```
在上面的代码中,我们使用了列表推导式来遍历整数型列表中的每个元素,并将其转换为字符串类型。最后,我们得到了一个新的字符型列表。
另外,我们也可以使用`map()`函数来实现相同的结果:
```python
# 定义整数型列表
int_list = [1, 2, 3, 4, 5]
# 使用map()函数将整数型列表转换为字符型列表
char_list = list(map(str, int_list))
print(char_list) # 输出 ['1', '2', '3', '4', '5']
```
在这个例子中,我们使用`map()`函数将整数型列表中的每个元素都应用于`str()`函数,将其转换为字符串类型。最后,我们使用`list()`函数将`map()`函数返回的迭代器转换为列表类型。
阅读全文