我有一个函数f,我试图在x,y和z处评估它:
x = range(60,70)
y = range(0,5)
z = ["type1", "type2"]
results = [f(v,w,j) for v in x for w in y for j in z]
现在“结果”是一个长向量,但我希望得到一个看起来像这样的矩阵:
x1 y1 z1 f(x1,y1,z1)
x2 y1 z1 f(x2,y1,z1)
...
x9 y1 z1 f(x9,y1,z1)
x1 y2 z1 f(x1,y2,z1)
x2 y2 z1 f(x2,y2,z1)
...
x9 y2 z1 f(x9,y2,z1)
x1 y1 z2 f(x1,y1,z2)
...
涵盖所有可能的组合。到目前为止,我已经尝试过这个:
z = []
for v in x:
for w in y:
for j in z:
z = [v, w, j, f(v,w,j)]
它给了我正确的格式,但只评估其中一个场景。
任何指导都很感激。谢谢!
答案 0 :(得分:1)
这是可以帮助您的程序:
x = range(60, 70)
y = range(0,5)
z = ["type1", "type2"]
ans = []
for i in x:
for j in y:
for k in z:
ans.append([i, j, k, f(i, j, k)])
print(ans)
答案 1 :(得分:-1)
你可以使用numpy和porduct结合得到一个像答案一样的矩阵。
from itertools import product
x = range(60,70)
y = range(0,5)
z = ["type1", "type2"]
l = (x,y,z)
res = list(product(*l))
res
输出:
[(60, 0, 'type1'),
(60, 0, 'type2'),
(60, 1, 'type1'),
(60, 1, 'type2'),
(60, 2, 'type1'),
(60, 2, 'type2'),
(60, 3, 'type1'),
(60, 3, 'type2'),
(60, 4, 'type1'),
(60, 4, 'type2'),
(61, 0, 'type1'),
(61, 0, 'type2'),
(61, 1, 'type1'),
.
.
.
变成像numpy一样的矩阵:
import numpy as np
res = np.array(res).reshape(-1,len(l))
输出:
array([['60', '0', 'type1'],
['60', '0', 'type2'],
['60', '1', 'type1'],
['60', '1', 'type2'],
['60', '2', 'type1'],
['60', '2', 'type2'],
['60', '3', 'type1'],
['60', '3', 'type2'],
['60', '4', 'type1'],
.
.
.