map

map 함수는 iterable 객체를 받아 각 원소에 함수를 적용해줍니다.

def multiple(x):
    return x * 10

nums = [1, 2, 3]
for num in map(multiple, nums):
    print(num)

"""
10
20
30
"""

여기에 lambda function을 사용하면 다음과 같습니다.

nums = [1, 2, 3]
result = list(map(lambda x: x * 10, nums))
print(result) # [10, 20, 30]

훨씬 간결하게 작성할 수 있습니다.

filter

filter 는 특정 조건으로 원소들을 필터링합니다. 즉 조건을 만족하면(True) 결과에 추가되고, 만족하지 않으면(False) 추가되지 않습니다.

target = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]

def is_even(n):
    return True if n % 2 == 0 else False  # return n % 2 == 0

for res in filter(is_even, target):
    print(res)

위 예제에서는 is_even 이라는 함수를 이용해 짝수인 정수만 결과에 추가되도록 했습니다. 위 예제를 람다 함수를 사용해 좀 더 간결하게 만들어볼까요?

target = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]

result = filter(lambda x: True if x % 2 == 0 else False, target)
# result = filter(lambda x: x % 2 == 0, target)

print(list(result))

참고!