title: python带星号的函数参数
 date: 2022-04-17 17:23:54
 tags: python
 
python带星号的函数参数
带默认值得函数传参
带默认值的参数不传参时的调用
函数定义
def defaultValueArgs(common, defaultStr = "default", defaultNum = 0):
    print("Common args", common)
    print("Default String", defaultStr)
    print("Default Number", defaultNum)
defaultValueArgs("Test")
输出
Common args: Test
Default String: default
Default Number: 0
带默认值的参数,可以直接传参,也可以写成argName=value形式
defaultValueArgs('Test', 'Str', defaultNum=1)
#输出
Common args: Test
Default String: Str
Default Number: 1
defaultValueArgs("Test",  defaultNum = 1) #只给其中一个传参
#输出
Common args: Test
Default String: default
Default Number: 1
注意:在函数定义的时候,第一个带有默认值的参数后,后面所有的参数都必须有默认值
带一个星号(*)的函数参数
第一种方式,星号(*)参数不传参
def singalStar(common, *rest):
    print("Common args: ", common)
    print("Rest args: ", rest)
singalStar("hello")
输出
Common args:  hello
Rest args:  ()
第二种方式,传多个值(个数大于或等于函数定义时的参数个数):
def singalStar(common, *rest):
    print("Common args: ", common)
    print("Rest args: ", rest)
singalStar("hello", "world", 000) #传多个参数
singalStar("hello", "world") #传多个参数
输出
Common args:  hello
Rest args:  ('world', 0)
Common args:  hello
Rest args:  ('world',)
不难看出,上述方式中,星号参数把接收的参数合并为一个元组。
第三种方式,我们直接传元组类型的值:
singalStar("hello", ("world", 000))
#输出
Common args:  hello
Rest args:  (('world', 0),)
传递的元组值作为了星号参数的元组中的一个元素
第四种方式,在传入的元组前加上星号(*)
singalStar("hello", *("world", 000))
singalStar("hello", *("world", 000), "123")
#输出
Common args:  hello
Rest args:  ('world', 0)
Common args:  hello
Rest args:  ('world', 0, '123')
这个时候*后的内容作为参数,不会额外再添加一个元组。
带两个星号(*)的函数参数
带两个星号(*)的函数定义如下:
def doubleStar(common, **double):
    print("Common args: ", common)
    print("Double args: ", double)
doubleStar("hello") #第一种方式,星号(*)参数不传值:
第一种方式,星号(*)参数不传值:
doubleStar("hello", a = "Test", b = 24)
Common args:  hello
Double args:  {}
第二种方式,传多个参数(个数大于或等于函数定义时的参数个数)
doubleStar("hello", a = "Test", b = 24) #传多个参数
Common args:  hello
Double args:  {'a': 'Test', 'b': 24}
此时必须采用第一节的默认值传参的“args = value”的方式。同时,“=”前的字段成了字典的键,“=”后的字段成了字典的值。即,双星号参数接收的参数作为字典
第三种方式,有时候我们想把字典值就作为星号参数的参数值,那么该怎么办呢?同单星号参数,在字典值前加上“**”
doubleStar("hello", **{"name": "Test", "age": 24})
doubleStar("hello", **{"name": "Test", "age": 24}, a=3)
Common args:  hello
Double args:  {'name': 'Test', 'age': 24}
Common args:  hello
Double args:  {'name': 'Test', 'age': 24, 'a': 3}
总结
- 默认值函数参数。这种函数定义时,第一个有默认值的参数后的每一个参数都必须提供默认值。传参时,可以直接传参,也可以以“默认值参数名=value”的形式传参
- 单星号函数参数。单星号函数参数接收的参数组成一个元组。
- 双星号函数参数。双星号函数参数接收的参数组成一个字典。










