- 어떤 특정한 함수가 주어졌을 때 특정 인수가 미리 채워진채로 함수를 정의하기 위해서 사용됨
거듭 제곱의 함수가 아래와 같이 주어졌다고 가정하자.
def power(base, exponent):
return base ** exponent
이 때 지수가 고정 된 함수를 만들기 위해선 아래와 같은 함수를 구현해야 한다.
def square(base):
return power(base , 2)
def cube(base):
return power(base, 3)
하지만 이럴 경우 중복 코드가 작성 되기 때문에 아래와 같이
partial 함수를 써 새로운 함수를 간결하게 만들 수 있다.
from functools import partial
square = partial(power, exponent=2)
cube = partial(power, exponent=3)
partial 함수는 아래와 같은 예시에서 사용됨
ex)
'''
kwargs : {'label_channels': 3, 'unmap_outputs': True} 를 인자로 미리 지정해 pfunc이라는 새로운 함수를 만들고
args : [concat_anchor_list, concat_valid_flag_list, gt_bboxes_list,
gt_bboxes_ignore_list, gt_labels_list, img_metas]
'''
# mmdetection/mmdet/core/utils/misc.py > multi_apply
def multi_apply(func, *args, **kwargs):
"""Apply function to a list of arguments.
Note:
This function applies the ``func`` to multiple inputs and
map the multiple outputs of the ``func`` into different
list. Each list contains the same type of outputs corresponding
to different inputs.
Args:
func (Function): A function that will be applied to a list of
arguments
Returns:
tuple(list): A tuple containing multiple list, each list contains \
a kind of returned results by the function
"""
pfunc = partial(func, **kwargs) if kwargs else func
map_results = map(pfunc, *args)
return tuple(map(list, zip(*map_results)))
reference
'Programming > Python' 카테고리의 다른 글
Pythonic한 코드를 위해서(정리중) (0) | 2023.04.03 |
---|