3

我有一个函数,它接受多个元组参数并相应地处理它。我想知道是否可以在 for 循环中传递参数。例如:

def func(*args):
   for a in args:
      print(f'first {a[0]} then {a[1]} last {a[2]}')

然后我将函数称为

func(('is', 'this', 'idk'), (1,2,3), ('a', '3', 2))

我的问题是,是否有一种方法可以在不更改函数定义本身的情况下修改循环中的函数调用:

func((i, i, i) for i in 'yes'))

这样它将打印:

first y then y last y
first e then e last e
first s then s last s
4

2 回答 2

4

是的,在调用中使用生成器表达式*参数解包

func(*((i, i, i) for i in 'yes'))

这也可以用首先分配给变量的生成器表达式来编写:

args = ((i, i, i) for i in 'yes')
func(*args)

演示:

>>> func(*((i, i, i) for i in 'yes'))
first y then y last y
first e then e last e
first s then s last s
>>> args = ((i, i, i) for i in 'yes')
>>> func(*args)
first y then y last y
first e then e last e
first s then s last s
于 2019-02-03T22:05:01.400 回答
0

Another implementaion for machine learning domain is below:

for clf, title, ax in zip(models, titles, sub.flatten()):
plot_contours(ax, clf, xx, yy, cmap=plt.cm.coolwarm, alpha=0.8)
ax.scatter(X0, X1, c=y, cmap=plt.cm.coolwarm, s=20, edgecolors="k")
ax.set_xlim(xx.min(), xx.max())
ax.set_ylim(yy.min(), yy.max())
ax.set_xlabel("Sepal length")
ax.set_ylabel("Sepal width")
ax.set_xticks(())
ax.set_yticks(())
ax.set_title(title)
于 2021-12-09T11:23:05.543 回答