Python- 函数 - 传递任意数量的参数


收集任意位置参数:

有时,你不会提前知道一个函数需要多少个参数。

Python 允许您在参数名称前使用星号 * 收集任意数量的位置参数。这会将所有其他参数打包到一个 Tuples 中。

示例:接受任意数量的浇头的 pizza-ordering 函数:

def make_pizza(*toppings):
    
    print(toppings)

make_pizza('pepperoni')  
make_pizza('mushrooms', 'green peppers', 'extra cheese') 



>>


('pepperoni',)
('mushrooms', 'green peppers', 'extra cheese')

在此示例中,*toppings 参数将所有 topping 收集为元组。即使只有一个参数,它仍然会将其打包到一个 Tuples 中。

遍历任意参数:

可以循环访问收集的参数以对其执行操作,而不是直接打印元组。

def make_pizza(*toppings):
    
    print("\nMaking a pizza with the following toppings:")
    
    for topping in toppings:
        print(f"- {topping}")

make_pizza('pepperoni') 
# Output: Making a pizza with the following toppings: - pepperoni

make_pizza('mushrooms', 'green peppers', 'extra cheese') 
# Output: Making a pizza with the following toppings: - mushrooms - green peppers - extra cheese

混合位置参数和任意参数:

您可能需要接受 fixed 和 arbitrary 参数。

位置参数应该放在第一位,任意参数应该放在函数定义的末尾。

示例:向 pizza 函数添加 size 参数:

def make_pizza(size, *toppings):
    
    print(f"\nMaking a {size}-inch pizza with the following toppings:")

    for topping in toppings:
        print(f"- {topping}")

make_pizza(16, 'pepperoni')  
# Output: Making a 16-inch pizza with the following toppings: - pepperoni

make_pizza(12, 'mushrooms', 'green peppers', 'extra cheese')  
# Output: Making a 12-inch pizza with the following toppings: - mushrooms - green peppers - extra cheese

在这里,第一个参数被视为披萨大小,而其余参数被打包到 *toppings 元组中。

使用任意关键字参数:

有时,您不知道将向函数传递什么样的信息 (键值对)。

使用双星号 ** 收集任意数量的关键字参数。Python 使用这些键值对创建字典。

示例:构建用户配置文件的函数:

def build_profile(first, last, **user_info):
    
    user_info['first_name'] = first
    user_info['last_name'] = last
    return user_info

user_profile = build_profile('albert', 'einstein', location='princeton', field='physics')

print(user_profile)
# Output: {'location': 'princeton', 'field': 'physics', 'first_name': 'albert', 'last_name': 'einstein'}

user_info 参数将其他键值对收集到字典中。该函数始终接受名字和姓氏,但其他信息(如位置和字段)是可选的。

组合位置参数、关键字参数和任意参数

您可以以不同的方式混合位置、关键字和任意参数来创建灵活的函数。

这在各种情况下都很有用,例如处理不同类型的用户输入或参数。

常见用法:在许多 Python 代码中,您会看到 *args(任意位置参数)和 **kwargs(任意关键字参数)来收集灵活的参数集。

相关文章

python字典中如何添加键值对

添加键值对首先定义一个空字典 1>>> dic={}直接对字典中不存在的key进行赋值来添加123>>> dic['name']='zhangsan'>>...

在 Python 中使用 JSON 和 JSON 键值

数据序列化是将数据转换为可以存储或传输的格式,然后在以后重建的过程。JSON(JavaScript 对象表示法)由于其可读性和易用性而成为最流行的序列化格式之一。 在 Python 中,json 模...

Python字典-无序的键值对集合

Python字典-无序的键值对集合字典允许管理和存储键值对集合字典是可改变的。字典不会保持增加键值对时的顺序,这个顺序毫无意义。字典长啥样?person = {'name':'...

什么是Python 之 ? 22 dict字典键值对

Python Dictionaries 字典,其实也叫键值对俗话说 男女搭配干活不累,九台怎么男女形成配对呢?key是不能重复的{ "key1": value1, "key2&...

字典操作(键值对) - 看这些就够了

1、初始化:大括号、dict、fromkeys初始化2、访问:单个访问、多个访问 单个访问-->[]、get; 多个访问-->items、keys、values;访问3、编辑:增加、修改、...

python碰撞检测与鼠标/键盘的输入

碰撞检测与鼠标/键盘的输入本章的主要内容:● 碰撞检测;● 当遍历一个列表时切勿对其进行修改;● Pygame 中的键盘输入;● Pygame 中的鼠标输入。碰撞检测负责计算屏幕上的两个物体何时彼此接...