__init__() 缺少 1 个必需的位置参数:'b'

时间:2021-05-29 12:48:39

标签: python

这里有两个向量:

a = [1, 2, 3, 4, 5, 6, 7, 8]
b = [3, 4, 5, 6, 7, 8, 9, 10]

假设我这样定义 Test 类:

class Test:
   def __init__(self, a, b):
      self.a = a
      self.b = b

当我执行命令 list(map(Test, zip(a,b))) 时,它显示 __init__() missing 1 required positional argument: 'b'。我知道如果我有 t = (1,2),那么我可以用 Test 创建一个 inst = Test(*t) 的实例。我可以应用 * 来解决我使用 map 的问题吗?有解决方法吗?

1 个答案:

答案 0 :(得分:2)

是的。你可以这样做:

tests = list(map(lambda args: Test(*args), zip(a,b)))

zip 值作为参数传递给 lambda 并在调用 Test() 时将它们解包

这几乎就是 itertools.starmap 所做的 - 所以这是另一种选择:

tests = list(starmap(Test, zip(a,b)))

更好的选择是使用列表理解,这使代码更具可读性:

tests = [Test(arg_a, arg_b) for (arg_a,arg_b) in zip(a, b)]