以下是基于传感器(列y
)的值计算的距离(列x
)。
x y
----------
-51.61 ,1.5
-51.61 ,1.5
-51.7 ,1.53
-51.91 ,1.55
-52.28 ,1.62
-52.35 ,1.63
-52.49 ,1.66
-52.78 ,1.71
-52.84 ,1.73
-52.90 ,1.74
-53.21 ,1.8
-53.43 ,1.85
-53.55 ,1.87
-53.71 ,1.91
-53.99 ,1.97
-54.13 ,2
-54.26 ,2.03
-54.37 ,2.06
-54.46 ,2.08
-54.59 ,2.11
-54.89 ,2.19
-54.94 ,2.2
-55.05 ,2.23
-55.11 ,2.24
-55.17 ,2.26
我想曲线拟合,根据此函数找到a
中数据的常量b
和test.txt
:
Function y = 10^((a-x)/10*b)
我使用以下代码:
import math
from numpy import genfromtxt
from scipy.optimize import curve_fit
inData = genfromtxt('test.txt',delimiter=',')
rssi_data = inData[:,0]
dist_data= inData[:,1]
print rssi_data
print dist_data
def func(x, a,b):
exp_val = (x-a)/(10.0*b)
return math.pow(10,exp_val)
coeffs, matcov = curve_fit(func,rssi_data,dist_data)
print(coeffs)
print(matcov)
代码未成功执行。另外,我不确定我是否将正确的参数传递给curve_fit()
。
答案 0 :(得分:5)
该函数需要处理numpy-arrays,但目前它不能,因为math.pow
需要一个标量值。如果我执行你的代码,我会得到这个例外:
TypeError:只能将length-1数组转换为Python标量
如果您将功能更改为:
def func(x, a, b):
return 10 ** ((a - x) / (10 * b)) # ** is the power operator
它应该没有例外:
>>> print(coeffs)
[-48.07485338 2.00667587]
>>> print(matcov)
[[ 3.59154631e-04 1.21357926e-04]
[ 1.21357926e-04 4.25732516e-05]]
这里有完整的代码:
def func(x, a, b):
return 10 ** ((a - x) / (10 * b))
coeffs, matcov = curve_fit(func, rssi_data, dist_data)
# And some plotting for visualization
import matplotlib.pyplot as plt
%matplotlib notebook # only works in IPython notebooks
plt.figure()
plt.scatter(rssi_data, dist_data, label='measured')
x = np.linspace(rssi_data.min(), rssi_data.max(), 1000)
plt.plot(x, func(x, coeffs[0], coeffs[1]), label='fitted')
plt.legend()
答案 1 :(得分:1)
我赞成了之前的答案,因为它是编程问题的正确答案。但仔细观察,你不需要做幂律拟合:
y = 10^((a-x)/10*b) <=> log10(y) = log10(10^((a-x)/10*b))
<=> log10(y) = (a-x)/10*b
使用新变量:
z = log10(y), c = a/10*b and d = -1/10*b
现在你必须满足以下要求:
z = dx + c
这是一条直线。好吧,你只需要将上述转换应用于2点(x,y)=&gt; (x,log10(y))在你的表中,并拟合一条直线得到c,d,因此a,b。
我写这篇文章是因为你可能需要多次这样做,这比拟合一个幂函数更简单(也更精确)。当你计划实验时也会产生影响。如果您知道这是正确的拟合函数,那么基本上只需要2个点来获得一般行为。
我希望这会有所帮助。干杯!