Python

python函数中的*args 和**kwargs

2018-06-28  本文已影响115人  原来不语

在python函数的变量中,有两个魔法变量,*args 和 **kwargs,其实并不是必须写成*args和**kwargs。只有前边的(*)才是必须的。所以也可以写成*var或者**vars。使用args 和kwargs只是一个通俗的命名约定。

*args和**kwargs主要用于函数定义。可以将不定数量的参数传递给一个函数。

*args 是用来发送一个非键值对的可变数量的参数列表给一个函数.

def test_var_args(f_arg, *argv):
    print("first normal arg:", f_arg)
    for arg in argv:
        print("another arg through *argv:", arg)

test_var_args('yasoob', 'python', 'eggs', 'test')

会输出如下信息

first normal arg: yasoob
another arg through *argv: python
another arg through *argv: eggs
another arg through *argv: test

**kwargs 允许你将不定长度的键值对, 作为参数传递给一个函数。 如果你想要在一个函数内处理带名字的参数, 你应该使用**kwargs。

def greet_me(**kwargs):
    for key, value in kwargs.items():
        print("{0} == {1}".format(key, value))

greet_me(name="yasoob")

输出如下

name == yasoob

此时我们函数里处理的就是一个键值队参数

使用 *args 和 **kwargs 来调用函数

def test_args_kwargs(arg1, arg2, arg3):
    print("arg1:", arg1)
    print("arg2:", arg2)   
    print("arg3:", arg3)

test_args_kwargs("one", "two", "three")

输出如下

 arg1: one
 arg2: two
 arg3: three

使用 *args

def test_args_kwargs(arg1, arg2, arg3):
    print("arg1:", arg1)
    print("arg2:", arg2)
    print("arg3:", arg3)

args = ("two",3 , 5)
test_args_kwargs(*args)

输出如下:

arg1: two
arg2: 3
arg3: 5

使用 **kwargs

def test_args_kwargs(arg1, arg2, arg3):
    print("arg1:", arg1)
    print("arg2:", arg2)
    print("arg3:", arg3)

kwargs = {"arg3":3,"arg2":2 , "arg1":1}
test_args_kwargs(**kwargs)

输出如下:

arg1: 1
arg2: 2
arg3: 3

标准参数与*args、**kwargs在使用时的顺序
那么如果你想在函数里同时使用所有这三种参数, 顺序是这样的:
some_func(fargs, *args, **kwargs)

上一篇下一篇

猜你喜欢

热点阅读