我使用了numpy的polyfit,并获得了两个数组x和y的非常好拟合(使用7阶多项式)。我的关系就是这样;

y(x) = p[0]* x^7 + p[1]*x^6 + p[2]*x^5 + p[3]*x^4 + p[4]*x^3 + p[5]*x^2 + p[6]*x^1 + p[7]


其中p是由polyfit输出的多项式数组。

有没有一种方法可以轻松地逆转此方法,所以我有以下形式的解决方案:

x(y) = p[0]*y^n + p[1]*y^n-1 + .... + p[n]*y^0

最佳答案

不,一般没有简单的方法。七阶多项式的任意多项式are not available的封闭形式解。
可以反向进行拟合,但只能在原始多项式的单调变化区域上进行。如果原始多项式在您感兴趣的域上具有最小值或最大值,则即使y是x的函数,x也不能是y的函数,因为它们之间没有一对一的关系。
如果您(i)可以通过重新执行拟合过程来确定,并且(ii)可以一次在您的拟合的单个单调区域上进行分段工作,那么您可以执行以下操作:


--

import numpy as np

# generate a random coefficient vector a
degree = 1
a = 2 * np.random.random(degree+1) - 1

# an assumed true polynomial y(x)
def y_of_x(x, coeff_vector):
    """
    Evaluate a polynomial with coeff_vector and degree len(coeff_vector)-1 using Horner's method.
    Coefficients are ordered by increasing degree, from the constant term at coeff_vector[0],
        to the linear term at coeff_vector[1], to the n-th degree term at coeff_vector[n]
    """
    coeff_rev = coeff_vector[::-1]
    b = 0
    for a in coeff_rev:
        b = b * x + a
    return b


# generate some data
my_x = np.arange(-1, 1, 0.01)
my_y = y_of_x(my_x, a)


# verify that polyfit in the "traditional" direction gives the correct result
#     [::-1] b/c polyfit returns coeffs in backwards order rel. to y_of_x()
p_test = np.polyfit(my_x, my_y, deg=degree)[::-1]

print p_test, a

# fit the data using polyfit but with y as the independent var, x as the dependent var
p = np.polyfit(my_y, my_x, deg=degree)[::-1]

# define x as a function of y
def x_of_y(yy, a):
    return y_of_x(yy, a)


# compare results
import matplotlib.pyplot as plt
%matplotlib inline

plt.plot(my_x, my_y, '-b', x_of_y(my_y, p), my_y, '-r')


注意:此代码不检查单调性,而只是假设它。

通过使用degree的值,您应该看到,当a时,该代码仅适用于degree=1的所有随机值。偶尔对于其他学位也可以,但是当有很多最小值/最大值时则不行。对于degree > 1,它永远无法完美地完成,因为用平方根函数近似抛物线并不总是有效,等等。

关于python - 反向输出polyfit numpy,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/32847605/

10-10 21:51