我有一个接受通配符关键字参数的函数:
def func(**kargs):
doA
doB
如何发送字典?
答案 0 :(得分:58)
只需使用func(**some_dict)
来调用它。
这在section 4.7.4 of python tutorial上有记录。
请注意,相同的 dict
不传递给该函数。创建了一个新副本,因此some_dict is not kwargs
。
答案 1 :(得分:8)
你的问题不是100%清楚,但是如果你想通过dict
传递kwargs
,你只需将该词典作为另一个词典的一部分,就像这样:
my_dict = {} #the dict you want to pass to func
kwargs = {'my_dict': my_dict } #the keyword argument container
func(**kwargs) #calling the function
然后你可以在函数中捕获my_dict
:
def func(**kwargs):
my_dict = kwargs.get('my_dict')
...或
def func(my_dict, **kwargs):
#reference my_dict directly from here
my_dict['new_key'] = 1234
当我将相同的选项集传递给不同的函数时,我会使用后者,但有些函数只使用了一些选项(我希望这是有道理的......)。 但当然有一百万种方法可以解决这个问题。如果你对问题进行详细说明,我们很可能会帮助你做得更好。
答案 2 :(得分:5)
func(**mydict)
这意味着函数内部的kwargs = mydict
mydict的所有键都必须是字符串
答案 3 :(得分:1)
for python 3.6只是把**放在字典名称之前
def lol(**kwargs):
for i in kwargs:
print(i)
my_dict = {
"s": 1,
"a": 2,
"l": 3
}
lol(**my_dict)
答案 4 :(得分:0)
通过Decorator轻松传递带有变量,args和kwarg的参数的方法
def printall(func):
def inner(z,*args, **kwargs):
print ('Arguments for args: {}'.format(args))
print ('Arguments for kwargs: {}'.format(kwargs))
return func(*args, **kwargs)
return inner
@printall #<-- you can mark Decorator,it will become to send some variable data to function
def random_func(z,*y,**x):
print(y)
print(x)
return z
z=1
y=(1,2,3)
x={'a':2,'b':2,'c':2}
a = random_func(z,*y,**x)