すべて同じ数のポイントを持つ、多数の異なるデータセットに適合させたい単一の関数があります。たとえば、画像のすべての行に多項式を当てはめたいと思うかもしれません。scipy や他のパッケージでこれを行う効率的でベクトル化された方法はありますか、または単一のループに頼る必要がありますか (またはマルチプロセッシングを使用して少し高速化します)?
質問する
760 次
1 に答える
0
numpy.linalg.lstsqを使用できます:
import numpy as np
# independent variable
x = np.arange(100)
# some sample outputs with random noise
y1 = 3*x**2 + 2*x + 4 + np.random.randn(100)
y2 = x**2 - 4*x + 10 + np.random.randn(100)
# coefficient matrix, where each column corresponds to a term in your function
# this one is simple quadratic polynomial: 1, x, x**2
a = np.vstack((np.ones(100), x, x**2)).T
# result matrix, where each column is one set of outputs
b = np.vstack((y1, y2)).T
solutions, residuals, rank, s = np.linalg.lstsq(a, b)
# each column in solutions is the coefficients of terms
# for the corresponding output
for i, solution in enumerate(zip(*solutions),1):
print "y%d = %.1f + (%.1f)x + (%.1f)x^2" % ((i,) + solution)
# outputs:
# y1 = 4.4 + (2.0)x + (3.0)x^2
# y2 = 9.8 + (-4.0)x + (1.0)x^2
于 2012-04-13T09:32:15.103 に答える