1

美好的一天,我正在尝试使用原点 (OriginLab) 中的函数生成器来创建一个新函数以适应破坏的幂律 ( http://en.wikipedia.org/wiki/Power_law#Broken_power_law )

所以,我想我得到了实际的功能部分。为此,我使用

if(x<xc)
    y =x^a1;
if(x>xc)
    y = x^(a1-a2)*x^a2;
if(x==xc)
    y = 0;

其中 xc、a1 和 a2 是参数。但是,然后我到了您必须选择一堆东西(参数范围,您运行以猜测初始值的脚本等)的地步,而我不知道该放什么。有没有人有这方面的经验?

4

1 回答 1

3

尽管问题要求使用 提出建议OriginLab,但这个问题正在使用 Python,因为 OP 已接受尝试!

Python 中存在的曲线拟合方法来自Scipy 包 (curve_fit)。所有适用于 windows 的 python 包都可以从这里的这个网站快速下载!

在进行曲线拟合时,首先需要知道的是拟合方程。由于您已经知道适合您的数据的破幂律方程,因此您已经准备好开始了。

拟合示例数据的代码,让我们调用它们x and y。这里的拟合参数是a1 and a2

import numpy as np # This is the Numpy module
from scipy.optimize import curve_fit # The module that contains the curve_fit routine
import matplotlib.pyplot as plt # This is the matplotlib module which we use for plotting the result

""" Below is the function that returns the final y according to the conditions """
def fitfunc(x,a1,a2):
    y1 = (x**(a1) )[x<xc]
    y2 = (x**(a1-a2) )[x>xc]
    y3 = (0)[x==xc]
    y = np.concatenate((y1,y2,y3))
    return y

x = Your x data here
y = Your y data here

""" In the above code, we have imported 3 modules, namely Numpy, Scipy and matplotlib """

popt,pcov = curve_fit(fitfunc,x,y,p0=(10.0,1.0)) #here we provide random initial parameters a1,a2

a1 = popt[0] 
a2 = popt[1]
residuals = y - fitfunc(x,a1,a2)
chi-sq = sum( (residuals**2)/fitfunc(x,a1,a2) ) # This is the chi-square for your fitted curve

""" Now if you need to plot, perform the code below """
curvey = fitfunc(x,a1,a2) # This is your y axis fit-line

plt.plot(x, curvey, 'red', label='The best-fit line')
plt.scatter(x,y, c='b',label='The data points')
plt.legend(loc='best')
plt.show()

只需在此处插入您的数据,它应该可以正常工作!如果需要有关代码如何工作的更多详细信息,请查看此网站 我找不到适合您的拟合函数的适当示例,因此 x 和 y 留空。但是,一旦您有了数据,只需将它们插入!

于 2014-11-26T20:24:28.217 回答