Python中map函数用法
时间: 2023-11-05 11:04:53 浏览: 95
`map()` 是 Python 中的一个内置函数,它接受一个函数和一个序列(如列表、元组等),并对序列中的每个元素应用该函数,返回一个新的可迭代对象。
`map()` 的语法格式如下:
```python
map(function, iterable, ...)
```
其中,`function` 是要应用于每个元素的函数,`iterable` 是一个或多个序列。
以下是 `map()` 的一些用法示例:
1. 将列表中的每个元素都加上 1:
```python
numbers = [1, 2, 3, 4, 5]
new_numbers = list(map(lambda x: x + 1, numbers))
print(new_numbers)
# 输出:[2, 3, 4, 5, 6]
```
2. 对两个列表中的元素进行相加:
```python
numbers1 = [1, 2, 3, 4, 5]
numbers2 = [10, 20, 30, 40, 50]
result = list(map(lambda x, y: x + y, numbers1, numbers2))
print(result)
# 输出:[11, 22, 33, 44, 55]
```
3. 将字符串列表中的每个元素转换为大写:
```python
words = ['hello', 'world', 'python']
new_words = list(map(str.upper, words))
print(new_words)
# 输出:['HELLO', 'WORLD', 'PYTHON']
```
注意:`map()` 返回的是一个迭代器,如果需要得到列表或其他类型的序列,需要将其转换为相应的类型。
阅读全文