调用下面的函数时,我可以提供将使用的值而不是函数中的默认参数(见下文)。
cerebro.addstrategy(GoldenCross, fast=10, slow=25)
这对于少数已知参数非常有效,但我正在转向更复杂的系统。本质上,我需要传递一个 fast_1、fast_2、fast_3 等。这些参数的总量会发生变化(总是在 100 左右,但可能会有所不同)。是否有我可以编写的语句将动态添加 X 数量的参数到我的函数调用?
我尝试在函数调用中使用 for 语句,但收到语法错误。
调用下面的函数时,我可以提供将使用的值而不是函数中的默认参数(见下文)。
cerebro.addstrategy(GoldenCross, fast=10, slow=25)
这对于少数已知参数非常有效,但我正在转向更复杂的系统。本质上,我需要传递一个 fast_1、fast_2、fast_3 等。这些参数的总量会发生变化(总是在 100 左右,但可能会有所不同)。是否有我可以编写的语句将动态添加 X 数量的参数到我的函数调用?
我尝试在函数调用中使用 for 语句,但收到语法错误。
我从两个方面理解你的问题:
def add(first, second=0, third=3):
return (first+second+third)
number_list = list(range(1, 200)) # Generates a list of numbers
result = [] # Here will be stored the results
for number in number_list:
# For every number inside number_list the function add will
# be called, sending the corresponding number from the list.
returned_result = add(1,second=number)
result.insert(int(len(result)), returned_result)
print(result) # Can check the result printing it
def add(first,*argv):
for number in argv:
first += number
return first
number_list = (list(range(1, 200))) # Generates a list of numbers
result = add(1,*number_list) # Store the result
print(result) # Can check the result printing it
在这里您可以找到有关 *args 的更多信息
如何使用*
?
def addstrategy(GoldenCross, *fast, slow = 25):
可以是一个例子。
>>> def foo(a, *b, c = 36):
print(a, b, c)
>>> foo(1, 2, 3, 4, 5)
1 (2, 3, 4, 5) 36
fast
但是,在这种情况下,您需要进行初始化。
两种方法:要么使用参数*
上的可变数量的参数,要么将参数视为可迭代的。
def fun1(positional, optional="value", *args):
print(args) # args here is a tuple, since by default variable number of args using * will make that parameter a tuple.
def fun2(positional, args, optional="value"):
print(args) # args here will be dependant on the argument you passed.
fun1("some_value", "value", 1, 2, 3, 4, 5) # args = (1, 2, 3, 4, 5)
fun2("some_value", [1, 2, 3, 4, 5]) # args = [1, 2, 3, 4, 5]