摘要:def make_pizza(*toppings): print(toppings)make_pizza('pepperoni') make_pizza('mushrooms', 'green peppers', 'extra cheese') >>('pep
有时,你不会提前知道一个函数需要多少个参数。
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: - pepperonimake_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: - pepperonimake_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_infouser_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(任意关键字参数)来收集灵活的参数集。
来源:自由坦荡的湖泊AI一点号
免责声明:本站系转载,并不代表本网赞同其观点和对其真实性负责。如涉及作品内容、版权和其它问题,请在30日内与本站联系,我们将在第一时间删除内容!