티스토리 뷰

반응형

Stack Overflow에 자주 검색, 등록되는 문제들과 제가 개발 중 찾아 본 문제들 중에서 나중에도 찾아 볼 것 같은 문제들을 정리하고 있습니다.

Stack Overflow에서 가장 먼저 확인하게 되는 가장 높은 점수를 받은 Solution과 현 시점에 도움이 될 수 있는 가장 최근에 업데이트(최소 점수 확보)된 Solution을 각각 정리하였습니다.

 

아래 word cloud를 통해 이번 포스팅의 주요 키워드를 미리 확인하세요.

Passing a dictionary to a function as keyword parameters

딕셔너리를 함수의 키워드 매개변수로 전달하는 것

 문제 내용 

I'd like to call a function in python using a dictionary with matching key-value pairs for the parameters.

저는 파이썬에서 매개변수와 맞는 키-값 쌍을 가진 딕셔너리를 사용하여 함수를 호출하고 싶습니다.

 

Here is some code:

다음은 코드입니다.
d = dict(param='test')

def f(param):
    print(param)

f(d)

 

This prints {'param': 'test'} but I'd like it to just print test.

이 코드는 {'param': 'test'}를 출력하지만, 'test'만 출력하도록 하고 싶습니다.

 

I'd like it to work similarly for more parameters:

더 많은 매개변수에 대해서도 비슷한 방식으로 동작하길 원합니다:
d = dict(p1=1, p2=2)
def f2(p1, p2):
    print(p1, p2)
f2(d)

 

Is this possible?

이것이 가능한가요?

 

 

 

 높은 점수를 받은 Solution 

Figured it out for myself in the end. It is simple, I was just missing the ** operator to unpack the dictionary

결국 스스로 해결했습니다. 그것은 간단합니다. 딕셔너리를 언패킹하기 위해 ** 연산자를 빼먹고 있었던 것입니다.

 

So my example becomes:

그래서 제 예제는 다음과 같아졌다:
d = dict(p1=1, p2=2)
def f2(p1,p2):
    print p1, p2
f2(**d)

 

 

 가장 최근 달린 Solution 

In[1]: def myfunc(a=1, b=2):
In[2]:    print(a, b)

In[3]: mydict = {'a': 100, 'b': 200}

In[4]: myfunc(**mydict)
100 200

A few extra details that might be helpful to know (questions I had after reading this and went and tested):

약간의 추가적인 정보가 있으면 유용할 수 있습니다(제가 이 문장을 읽고 난 후 테스트하면서 생긴 질문들):

 

  1. The function can have parameters that are not included in the dictionary
  2. You can not override a function parameter that is already in the dictionary
  3. The dictionary can not have values that aren't in the function.
1. 함수는 딕셔너리에 포함되지 않은 매개변수를 가질 수 있습니다.
2. 이미 딕셔너리에 있는 함수 매개변수를 덮어쓸 수 없습니다.
3. 딕셔너리에 함수에 없는 값은 포함될 수 없습니다.

 

Examples:

예시:

 

Number 1: The function can have parameters that are not included in the dictionary

번호 1: 함수는 딕셔너리에 포함되지 않은 매개변수를 가질 수 있습니다.
In[5]: mydict = {'a': 100}
In[6]: myfunc(**mydict)
100 2

 

Number 2: You can not override a function parameter that is already in the dictionary

번호 2: 이미 딕셔너리에 있는 함수 매개변수를 덮어쓸 수는 없습니다.
In[7]: mydict = {'a': 100, 'b': 200}
In[8]: myfunc(a=3, **mydict)

TypeError: myfunc() got multiple values for keyword argument 'a'

 

Number 3: The dictionary can not have values that aren't in the function.

번호 3: 딕셔너리에는 함수에 없는 값이 있을 수 없습니다.
In[9]:  mydict = {'a': 100, 'b': 200, 'c': 300}
In[10]: myfunc(**mydict)

TypeError: myfunc() got an unexpected keyword argument 'c'

 


 

How to use a dictionary with more keys than function arguments:

함수 매개변수보다 더 많은 key를 갖는 딕셔너리를 사용하는 방법:

 

A solution to #3, above, is to accept (and ignore) additional kwargs in your function (note, by convention _ is a variable name used for something being discarded, though technically it's just a valid variable name to Python):

위에서 언급한 #3의 해결책은 함수 내에서 추가적인 kwargs를 받아들이고 (무시할) 수 있도록 하는 것입니다 (주의: \_는 버리는 것을 나타내는 변수명이지만, 기술적으로는 Python에서 유효한 변수명입니다).
In[11]: def myfunc2(a=None, **_):
In[12]:    print(a)

In[13]: mydict = {'a': 100, 'b': 200, 'c': 300}

In[14]: myfunc2(**mydict)
100

 

Another option is to filter the dictionary based on the keyword arguments available in the function:

함수에서 사용 가능한 키워드 인자를 기준으로 사전을 필터링하는 다른 방법도 있습니다.
In[15]: import inspect
In[16]: mydict = {'a': 100, 'b': 200, 'c': 300}
In[17]: filtered_mydict = {k: v for k, v in mydict.items() if k in [p.name for p in inspect.signature(myfunc).parameters.values()]}
In[18]: myfunc(**filtered_mydict)
100 200

 


 

Example with both positional and keyword arguments:

위치 인수와 키워드 인수를 함께 사용하는 예시:

 

Notice further than you can use positional arguments and lists or tuples in effectively the same way as kwargs, here's a more advanced example incorporating both positional and keyword args:

위의 경우, 위치 인자와 리스트 또는 튜플을 키워드 인자와 거의 동일하게 사용할 수 있음을 더욱 주목할 필요가 있습니다. 아래는 위치 인자와 키워드 인자를 모두 활용하는 더 복잡한 예제입니다.
In[19]: def myfunc3(a, *posargs, b=2, **kwargs):
In[20]:    print(a, b)
In[21]:    print(posargs)
In[22]:    print(kwargs)

In[23]: mylist = [10, 20, 30]
In[24]: mydict = {'b': 200, 'c': 300}

In[25]: myfunc3(*mylist, **mydict)
10 200
(20, 30)
{'c': 300}

 

 

출처 : https://stackoverflow.com/questions/334655/passing-a-dictionary-to-a-function-as-keyword-parameters

반응형
댓글
공지사항
최근에 올라온 글